This page last changed on Oct 25, 2010 by jlargman.
Direct database queries are not recommended in JIRA. Instead, we recommend adding or modifying data via Jelly Tags or JIRA RPC Services. Check out the Command Line Interface and Python CLI for existing remote scripting tools. If you absolutely must modify data, always back up your data before performing any modification to the database.
Try adding SQL Logging for a great way to watch JIRA database queries in action.
Help contribute to our examples at Example SQL queries for JIRA.

JIRA uses Entity Engine module of the OfBiz suite to communicate with the database. You can learn more about the Entity Engine by reading its online documentation.

The database schema is described in the entitymodel.xml found in the WEB-INF/classes/entitydefs directory under the JIRA web application. The entitymodel.xml file has an XML definition of all JIRA's database tables, table columns and their data type. Some of the relationships between tables also appear in the file.

If you are using JIRA's API you will notice that a lot of code deals with GenericValue objects. The GenericValue is an OfBiz entity engine object. Each GenericValue object represents a record in the database.

To get a value of a field from a GenericValue you will need to use the relevant getter method for the field's type. For example:

GenericValue project = ...
String name = project.getString("name");
Long id = project.getLong("id");

The list of valid fields for each entity can be obtained by looking the entity's definition in the WEB-INF/classes/entitydefs/entitymodel.xml file. For the above example, one needs to look at the "Project" entity.

Relationships between tables

Some of the relationships between JIRA's tables in the database are documented below:

Issue Fields


This page shows how to examine each of a JIRA issue's fields via SQL. We will use JRA-3166 as a sample issue in our queries.

Simple fields

Most fields in JIRA are kept in the jiraissue table:

mysql> desc jiraissue;
+----------------------+---------------+------+-----+---------+-------+
| Field                | Type          | Null | Key | Default | Extra |
+----------------------+---------------+------+-----+---------+-------+
| ID                   | decimal(18,0) | NO   | PRI |         |       |
| pkey                 | varchar(255)  | YES  | MUL | NULL    |       |
| PROJECT              | decimal(18,0) | YES  | MUL | NULL    |       |
| REPORTER             | varchar(255)  | YES  |     | NULL    |       |
| ASSIGNEE             | varchar(255)  | YES  | MUL | NULL    |       |
| issuetype            | varchar(255)  | YES  |     | NULL    |       |
| SUMMARY              | varchar(255)  | YES  |     | NULL    |       |
| DESCRIPTION          | longtext      | YES  |     | NULL    |       |
| ENVIRONMENT          | longtext      | YES  |     | NULL    |       |
| PRIORITY             | varchar(255)  | YES  |     | NULL    |       |
| RESOLUTION           | varchar(255)  | YES  |     | NULL    |       |
| issuestatus          | varchar(255)  | YES  |     | NULL    |       |
| CREATED              | datetime      | YES  |     | NULL    |       |
| UPDATED              | datetime      | YES  |     | NULL    |       |
| DUEDATE              | datetime      | YES  |     | NULL    |       |
| VOTES                | decimal(18,0) | YES  |     | NULL    |       |
| TIMEORIGINALESTIMATE | decimal(18,0) | YES  |     | NULL    |       |
| TIMEESTIMATE         | decimal(18,0) | YES  |     | NULL    |       |
| TIMESPENT            | decimal(18,0) | YES  |     | NULL    |       |
| WORKFLOW_ID          | decimal(18,0) | YES  |     | NULL    |       |
| SECURITY             | decimal(18,0) | YES  |     | NULL    |       |
| FIXFOR               | decimal(18,0) | YES  |     | NULL    |       |
| COMPONENT            | decimal(18,0) | YES  |     | NULL    |       |
+----------------------+---------------+------+-----+---------+-------+

They can be retrieved with a regular select:

mysql> select id, pkey, project, reporter, assignee, issuetype, summary from jiraissue where pkey='JRA-3166';
+-------+----------+---------+-----------+----------+-----------+---------------------------------+
| id    | pkey     | project | reporter  | assignee | issuetype | summary                         |
+-------+----------+---------+-----------+----------+-----------+---------------------------------+
| 16550 | JRA-3166 |   10240 | mvleeuwen | NULL     | 2         | Database consistency check tool |
+-------+----------+---------+-----------+----------+-----------+---------------------------------+

User details

Say we wish to find out the email address and other details about our reporter, mvleeuwen. First we find this user's ID:

mysql> select id from userbase where username='mvleeuwen';
+-------+
| id    |
+-------+
| 13841 |
+-------+

Then use it to look up 'properties' of this userbase record (stored in propertysets. Each property has a record in the propertyentry table specifying its name and type, and a record in one of propertystring, propertydecimal, propertydate, propertytext, propertydata or propertynumber, depending on the type.

mysql> desc propertyentry;
+--------------+---------------+------+-----+---------+-------+
| Field        | Type          | Null | Key | Default | Extra |
+--------------+---------------+------+-----+---------+-------+
| ID           | decimal(18,0) | NO   | PRI |         |       |
| ENTITY_NAME  | varchar(255)  | YES  |     | NULL    |       |
| ENTITY_ID    | decimal(18,0) | YES  | MUL | NULL    |       |
| PROPERTY_KEY | varchar(255)  | YES  |     | NULL    |       |
| propertytype | decimal(9,0)  | YES  |     | NULL    |       |
+--------------+---------------+------+-----+---------+-------+

mysql> select * from propertyentry where ENTITY_NAME='OSUser' and ENTITY_ID=(select id from userbase where username='mvleeuwen');
+-------+-------------+-----------+--------------+--------------+
| ID    | ENTITY_NAME | ENTITY_ID | PROPERTY_KEY | propertytype |
+-------+-------------+-----------+--------------+--------------+
| 18352 | OSUser      |     13841 | email        |            5 |
| 18353 | OSUser      |     13841 | fullName     |            5 |
+-------+-------------+-----------+--------------+--------------+

So email and fullName are of type 5. which means the propertystring table. Here is the list of propertytype to table mappings:

propertyentry.propertytype value Table value is stored in Used for
1 propertynumber Boolean values, eg. user preferences
5 propertystring Most fields, eg. full names, email addresses
6 propertytext Large blocks of text, eg. the introduction text, HTML portletconfigurations
2 propertydecimal (int) Unused in JIRA, but used by Bamboo
3 propertydecimal (long) Unused in JIRA
7 propertydate Unused in JIRA
10 propertydata Unused in JIRA

So the email and fullName properties are strings, and so can be found in the propertystring table:

mysql> select * from propertystring where id in (18352, 18353);
+-------+---------------------+
| ID    | propertyvalue       |
+-------+---------------------+
| 18352 | lemval@zonnet.nl    |
| 18353 | Michael van Leeuwen |
+-------+---------------------+

Components and versions

Since each issue can have multiple components/versions, there is a join table between jiraissue and version/component tables called nodeassociation:

mysql> desc nodeassociation;
+--------------------+---------------+------+-----+---------+-------+
| Field              | Type          | Null | Key | Default | Extra |
+--------------------+---------------+------+-----+---------+-------+
| SOURCE_NODE_ID     | decimal(18,0) | NO   | PRI |         |       |
| SOURCE_NODE_ENTITY | varchar(60)   | NO   | PRI |         |       |
| SINK_NODE_ID       | decimal(18,0) | NO   | PRI |         |       |
| SINK_NODE_ENTITY   | varchar(60)   | NO   | PRI |         |       |
| ASSOCIATION_TYPE   | varchar(60)   | NO   | PRI |         |       |
| SEQUENCE           | decimal(9,0)  | YES  |     | NULL    |       |
+--------------------+---------------+------+-----+---------+-------+

mysql> select distinct SOURCE_NODE_ENTITY from nodeassociation;
+--------------------+
| SOURCE_NODE_ENTITY |
+--------------------+
| Issue              |
| Project            |
+--------------------+

mysql> select distinct SINK_NODE_ENTITY from nodeassociation;
+-----------------------+
| SINK_NODE_ENTITY      |
+-----------------------+
| IssueSecurityScheme   |
| PermissionScheme      |
| IssueTypeScreenScheme |
| NotificationScheme    |
| ProjectCategory       |
| FieldLayoutScheme     |
| Component             |
| Version               |
+-----------------------+

mysql> select distinct ASSOCIATION_TYPE from nodeassociation;
+------------------+
| ASSOCIATION_TYPE |
+------------------+
| IssueVersion     |
| IssueFixVersion  |
| IssueComponent   |
| ProjectScheme    |
| ProjectCategory  |
+------------------+

So to get fix-for versions of an issue, run:

mysql> select * from projectversion where id in (
    select SINK_NODE_ID from nodeassociation where ASSOCIATION_TYPE='IssueFixVersion' and SOURCE_NODE_ID=(
        select id from jiraissue where pkey='JRA-5351')
    );
+-------+---------+-------+-------------+----------+----------+----------+------+-------------+
| ID    | PROJECT | vname | DESCRIPTION | SEQUENCE | RELEASED | ARCHIVED | URL  | RELEASEDATE |
+-------+---------+-------+-------------+----------+----------+----------+------+-------------+
| 11614 |   10240 | 3.6   | NULL        |      131 | NULL     | NULL     | NULL | NULL        |
+-------+---------+-------+-------------+----------+----------+----------+------+-------------+

Similarly with affects versions:

mysql> select * from projectversion where id in (
    select SINK_NODE_ID from nodeassociation where ASSOCIATION_TYPE='IssueVersion' and SOURCE_NODE_ID=(
        select id from jiraissue where pkey='JRA-5351')
    );
+-------+---------+---------------------+-------------+----------+----------+----------+------+---------------------+
| ID    | PROJECT | vname               | DESCRIPTION | SEQUENCE | RELEASED | ARCHIVED | URL  | RELEASEDATE         |
+-------+---------+---------------------+-------------+----------+----------+----------+------+---------------------+
| 10931 |   10240 |  3.0.3 Professional | NULL        |       73 | true     | NULL     | NULL | 2004-11-19 00:00:00 |
| 10930 |   10240 |  3.0.3 Standard     | NULL        |       72 | true     | NULL     | NULL | 2004-11-19 00:00:00 |
| 10932 |   10240 |  3.0.3 Enterprise   | NULL        |       74 | true     | NULL     | NULL | 2004-11-19 00:00:00 |
+-------+---------+---------------------+-------------+----------+----------+----------+------+---------------------+

and components:

mysql> select * from component where id in (
    select SINK_NODE_ID from nodeassociation where ASSOCIATION_TYPE='IssueComponent' and SOURCE_NODE_ID=(
        select id from jiraissue where pkey='JRA-5351')
    );
+-------+---------+---------------+-------------+------+------+--------------+
| ID    | PROJECT | cname         | description | URL  | LEAD | ASSIGNEETYPE |
+-------+---------+---------------+-------------+------+------+--------------+
| 10126 |   10240 | Web interface | NULL        | NULL | NULL |         NULL |
+-------+---------+---------------+-------------+------+------+--------------+

Issue links


JIRA issue links are stored in the issuelink table, which simply links the IDs of two issues together, and records the link type:

mysql> desc issuelink;
+-------------+---------------+------+-----+---------+-------+
| Field       | Type          | Null | Key | Default | Extra |
+-------------+---------------+------+-----+---------+-------+
| ID          | decimal(18,0) | NO   | PRI |         |       | 
| LINKTYPE    | decimal(18,0) | YES  | MUL | NULL    |       | 
| SOURCE      | decimal(18,0) | YES  | MUL | NULL    |       | 
| DESTINATION | decimal(18,0) | YES  | MUL | NULL    |       | 
| SEQUENCE    | decimal(18,0) | YES  |     | NULL    |       | 
+-------------+---------------+------+-----+---------+-------+
5 rows in set (0.00 sec)

For instance, to list all links between TP-1 and TP-2:

Link types are defined in issuelinktype. This query prints all links in the system with their type:

Subtasks

As shown in the last query, JIRA records the issue-subtask relation as a link. The "subtask" link type is hidden in the user interface (indicated by the 'pstyle' value below), but visible in the database:

This means it is possible to convert an issue to a subtask, or vice-versa, by tweaking issuelink records.

Custom fields have their own set of tables. For details, see Custom fields



Custom fields

Custom fields defined in the system are stored in the customfield table, and instances of custom fields are stored in customfieldvalue:

mysql> desc customfieldvalue;
+-------------+---------------+------+-----+---------+-------+
| Field       | Type          | Null | Key | Default | Extra |
+-------------+---------------+------+-----+---------+-------+
| ID          | decimal(18,0) | NO   | PRI |         |       |
| ISSUE       | decimal(18,0) | YES  | MUL | NULL    |       |
| CUSTOMFIELD | decimal(18,0) | YES  |     | NULL    |       |
| PARENTKEY   | varchar(255)  | YES  |     | NULL    |       |
| STRINGVALUE | varchar(255)  | YES  |     | NULL    |       |
| NUMBERVALUE | decimal(18,6) | YES  |     | NULL    |       |
| TEXTVALUE   | longtext      | YES  |     | NULL    |       |
| DATEVALUE   | datetime      | YES  |     | NULL    |       |
| VALUETYPE   | varchar(255)  | YES  |     | NULL    |       |
+-------------+---------------+------+-----+---------+-------+

We can print all custom field values for an issue with:

mysql> select * from customfieldvalue where issue=(select id from jiraissue where pkey='JRA-5448');
+-------+-------+-------------+-----------+-------------+-------------+-----------+---------------------+-----------+
| ID    | ISSUE | CUSTOMFIELD | PARENTKEY | STRINGVALUE | NUMBERVALUE | TEXTVALUE | DATEVALUE           | VALUETYPE |
+-------+-------+-------------+-----------+-------------+-------------+-----------+---------------------+-----------+
| 23276 | 22160 |       10190 | NULL      | NULL        |        NULL | NULL      | 2004-12-07 17:25:58 | NULL      |
+-------+-------+-------------+-----------+-------------+-------------+-----------+---------------------+-----------+

and we can see what type of custom field this (10190) is with:

mysql> select * from customfield where id=10190;
+-------+------------------------------------------------+--------------------------------------------------------+-----------------+-------------+--------------+-----------+---------+-----------+
| ID    | CUSTOMFIELDTYPEKEY                             | CUSTOMFIELDSEARCHERKEY                                 | cfname          | DESCRIPTION | defaultvalue | FIELDTYPE | PROJECT | ISSUETYPE |
+-------+------------------------------------------------+--------------------------------------------------------+-----------------+-------------+--------------+-----------+---------+-----------+
| 10190 | com.atlassian.jira.ext.charting:resolutiondate | com.atlassian.jira.ext.charting:resolutiondatesearcher | Resolution Date | NULL        | NULL         |      NULL |    NULL | NULL      |
+-------+------------------------------------------------+--------------------------------------------------------+-----------------+-------------+--------------+-----------+---------+-----------+

(ie. it's a "Resolution Date").

This query identifies a particular custom field value in a particular issue:

mysql> select stringvalue from customfieldvalue where customfield=(select id from customfield where cfname='Urgency') and issue=(select id from jiraissue where pkey='FOR-845');
+-------------+
| stringvalue |
+-------------+
| Low         | 
+-------------+
1 row in set (0.33 sec)

If the custom field has multiple values (multi-select or multi-user picker), each issue can have multiple customfieldvalue rows:

mysql> select * from customfieldvalue where customfield=(select ID from customfield where cfname='MultiUser');
+-------+-------+-------------+-----------+-------------+-------------+-----------+-----------+-----------+
| ID    | ISSUE | CUSTOMFIELD | PARENTKEY | STRINGVALUE | NUMBERVALUE | TEXTVALUE | DATEVALUE | VALUETYPE |
+-------+-------+-------------+-----------+-------------+-------------+-----------+-----------+-----------+
| 10002 | 10060 |       10000 | NULL      | bob         |        NULL | NULL      | NULL      | NULL      | 
| 10003 | 10060 |       10000 | NULL      | jeff        |        NULL | NULL      | NULL      | NULL      | 
+-------+-------+-------------+-----------+-------------+-------------+-----------+-----------+-----------+
2 rows in set (0.00 sec)

Here issue 10060 has two users, bob and jeff in its MultiUser custom field.

Custom field configuration options

The option sets (1, 2, 3 and A, B, C) are stored in the customfieldoption table:

mysql> select * from customfieldoption where customfieldconfig=10031;

ID CUSTOMFIELD CUSTOMFIELDCONFIG PARENTOPTIONID SEQUENCE customvalue optiontype
10000 10001 10031 NULL 0 1 NULL
10001 10001 10031 NULL 1 2 NULL
10002 10001 10031 NULL 2 3 NULL

mysql> select * from customfieldoption where customfieldconfig=10032;

ID CUSTOMFIELD CUSTOMFIELDCONFIG PARENTOPTIONID SEQUENCE customvalue optiontype
10003 10001 10032 NULL 0 A NULL
10004 10001 10032 NULL 1 B NULL
10005 10001 10032 NULL 2 C NULL

Custom field configuration default value

The custom field default value is stored in the genericconfiguration table. Since this table must store a value for any custom field type (cascading selects, multi-selects, etc) the value is encoded as XML.

If we were to set a default value of "2" for our "Default Configuration Scheme for SelectCF", it would be recorded as:

mysql> select * from genericconfiguration where ID=10031;

ID DATATYPE DATAKEY XMLVALUE
10031 DefaultValue 10030 <string>2</string>

Custom field configuration schemes

JIRA custom fields can have different default values and possible values for each project and/or issue type. This is set up by clicking 'Configure' in the custom field definition.

For instance, in this screenshot the "SelectCF" select-list field will have values 1, 2, 3 for all projects except bugs and improvements in "NewProj" and"Test Project", which will have values A, B and C:

Custom field configuration scopes

In the database, these custom field configuration schemes are stored in the fieldconfigscheme table

mysql> select * from fieldconfigscheme where id in (10031,10032);

ID configname DESCRIPTION FIELDID CUSTOMFIELD
10031 Default Configuration Scheme for SelectCF Default configuration scheme generated by JIRA customfield_10001 NULL
10032 NewProj scheme   customfield_10001 NULL

The projects in scope for each of these schemes is listed as records (one per project) in the configurationcontext table:

mysql> select * from configurationcontext where fieldconfigscheme=10031;

ID PROJECTCATEGORY PROJECT customfield FIELDCONFIGSCHEME
10053 NULL NULL customfield_10001 10031

(Here showing that that the "Default Configuration Scheme for SelectCF" applies to all projects)

mysql> select * from configurationcontext where fieldconfigscheme=10032;

ID PROJECTCATEGORY PROJECT customfield FIELDCONFIGSCHEME
10054 NULL 10000 customfield_10001 10032
10055 NULL 10010 customfield_10001 10032

(Here showing that "NewProj scheme" is restricted to projects with ids 10000 and 10010 ("Test Project" and "NewProj")).

Finally, the issue types in scope for each scheme is listed as records (one per issue type) in the fieldconfigschemeissuetype table:

mysql> select * from fieldconfigschemeissuetype where fieldconfigscheme = 10031;

ID ISSUETYPE FIELDCONFIGSCHEME FIELDCONFIGURATION
10051 NULL 10031 10031

(Here showing that "Default Configuration Scheme for SelectCF" is not limited to any issue types)

mysql> select * from fieldconfigschemeissuetype where fieldconfigscheme = 10032;

ID ISSUETYPE FIELDCONFIGSCHEME FIELDCONFIGURATION
10052 1 10032 10032
10053 4 10032 10032

(Here showing that "Newproj scheme" is limited to issue types with IDs 1 and 4).

Note that there should always be a record in configurationcontext and fieldconfigschemeissuetype for each issue type configuration scheme. If the scheme isn't restricted to any projects or issue types, the project and issuetype columns of the respective tables should be NULL. Incidentally JIRA has/had a bug where it didn't leave an entry when deleting an issue type (JRA-10461), so if you are making changes manually, don't make the same mistake.




Change History


Change History Database Tables

JIRA stores the Change History records of each issue in the changegroup and changeitem tables.

Each change to the issue triggered by a user inserts one record into the changegroup table. Each changegroup table record describes which issue it refers to, the time of the change and the user who has performed the change (null for a non-logged in user).

Each changegroup record refers to one or many changeitem records. Each changeitem record describes the issue field that has been updated and its old and new values. The OLDVALUE column records the id of the changed enity (e.g. status) while OLDSTRING records the name fo the entity, so that if the entity is removed from the system the change history for an issue can still be displayed. The NEWVALUE and NEWSTRING columns are similar in nature.

Inserting change history records

When writing tools that import data into JIRA, it is sometimes required to import change history. To do this please first insert a record into the changegroup table with a valid issue id:

The issues are stored in the jiraissue table:

And then insert the required number of changeitem records referencing the inserted changegroup record:

The SEQUENCE_VALUE_ITEM table

The SEQUENCE_VALUE_ITEM table is used to record, in a database independent way, the maximum ID used in each of JIRA's database tables:

Actually, Ofbiz allocates IDs in batches of 10, so the SEQ_ID is the next available ID rounded up to the nearest 10. So you might have:

Where 10310 is the nearest 10 above 10303.

The SEQ_NAME column refers to the database table name defined in WEB-INF/classes/entitydefs/entitymodel.xml (eg. "Action" is jiraaction).

Manually inserting records

The implication of this is that if you want to manually insert records into JIRA database tables, you must update SEQUENCE_VALUE_ITEM yourself. Set the relevant rows' SEQ_ID values to a value greater than the actual maximum ID in the table. You will then need to restart JIRA to ensure all database caches are reset.

Retrieving Change History using JIRA's API

The best way to retrieve change history entries is:

You can declare dependency on JiraAuthenticationContext and ActionManager in the constructor of your plugin as described in PicoContainer and JIRA.

The getChangeHistory method returns ChangeHistory objects on which you can call the getChangeItems() method. This returns a List of GenericValue objects, each one representing an issue field update. To check the field that was updated do:

String fieldName = changeItem.getString("field")

GenericValues are described in Database Schema.






Work logs

Work log entries are kept in the worklog table. For instance, some worklogs in JIRA (from JRA-10393):

are stored in worklog table as:

id issueid author grouplevel rolelevel worklogbody created updateauthor updated timeworked startdate
83332 38315 mtokar     Implemented method to calculate number of active users + tests 2008-01-22 19:44:04.867-06 mtokar 2008-01-22 19:44:04.867-06 5400 2008-01-22 19:43:00-06
83333 38315 andreask@atlassian.com     Implemented a method to check if the user limit of the license has been exceeded. 2008-01-22 21:33:18.23-06 andreask@atlassian.com 2008-01-22 21:33:18.23-06 7200 2008-01-22 21:31:00-06
83334 38315 andreask@atlassian.com     Added new license types 2008-01-22 23:49:27.794-06 andreask@atlassian.com 2008-01-22 23:51:06.029-06 7200 2008-01-22 23:48:00-06
83335 38315 andreask@atlassian.com     Integrate new license types in JIRA. 2008-01-22 23:51:23.799-06 andreask@atlassian.com 200

where:

  • issueid maps to jiraissue.id
  • timeworked is in seconds

Whenever a worklog entry is added, the jiraissue.timespent and jiraissue.timeestimate values are incremented and decremented respectively.

Users and Groups


User and Group Tables

JIRA 4.3 and higher uses "Embedded Crowd" as its user management framework.
For the old User and Group tables see Database Schema v4.2.

Users

Users are stored in the CWD_USER table:

COLUMN_NAME DATA_TYPE COMMENTS
ID NUMBER(18,0)  
DIRECTORY_ID NUMBER(18,0) Links to CWD_DIRECTORY
USER_NAME VARCHAR2(255)  
LOWER_USER_NAME VARCHAR2(255) used for case-insensitive search
ACTIVE NUMBER(9,0)  
CREATED_DATE DATE  
UPDATED_DATE DATE  
FIRST_NAME VARCHAR2(255) Not used
LOWER_FIRST_NAME VARCHAR2(255) Not used
LAST_NAME VARCHAR2(255) Not used
LOWER_LAST_NAME VARCHAR2(255) Not used
DISPLAY_NAME VARCHAR2(255)  
LOWER_DISPLAY_NAME VARCHAR2(255)  
EMAIL_ADDRESS VARCHAR2(255)  
LOWER_EMAIL_ADDRESS VARCHAR2(255)  
CREDENTIAL VARCHAR2(255)  

See also CWD_USER_ATTRIBUTES which stores arbitrary "Attributes" against the User.

Group Tables

The groups are stored in the CWD_GROUP table:

COLUMN_NAME DATA_TYPE COMMENTS
ID NUMBER(18,0)  
GROUP_NAME VARCHAR2(255)  
LOWER_GROUP_NAME VARCHAR2(255) used for case-insensitive search
ACTIVE NUMBER(9,0)  
LOCAL NUMBER(9,0)  
CREATED_DATE DATE  
UPDATED_DATE DATE  
DESCRIPTION VARCHAR2(255)  
LOWER_DESCRIPTION VARCHAR2(255)  
GROUP_TYPE VARCHAR2(60)  
DIRECTORY_ID NUMBER(18,0) Links to CWD_DIRECTORY

See also CWD_GROUP_ATTRIBUTES which stores arbitrary "Attributes" against the Group.

Group Membership

The CWD_MEMBERSHIP table records which users belong to which groups.
Note that it is also used to store parent/child relationships for nested groups.

COLUMN_NAME DATA_TYPE COMMENTS
ID NUMBER(18,0)  
PARENT_ID NUMBER(18,0) Parent Group
CHILD_ID NUMBER(18,0) User or nested Group ID
MEMBERSHIP_TYPE VARCHAR2(60) Indicates a Group-User membership or Group-Group membership
GROUP_TYPE VARCHAR2(60) not used
PARENT_NAME VARCHAR2(255) Parent Group
LOWER_PARENT_NAME VARCHAR2(255) used for case-insensitive search
CHILD_NAME VARCHAR2(255) User or child Group
LOWER_CHILD_NAME VARCHAR2(255) used for case-insensitive search
DIRECTORY_ID NUMBER(18,0) Note that this must match the DirectoryId for the Group and User

User Directories

JIRA can have multiple "User Directories".
The Directory Configuration is stored in CWD_DIRECTORY, CWD_DIRECTORY_ATTRIBUTE, and CWD_DIRECTORY_OPERATION.

Watches and Votes

Watches and votes are recorded in the USERASSOCIATION table:

COLUMN_NAME DATA_TYPE COMMENTS
SOURCE_NAME VARCHAR2(60) username
SINK_NODE_ID NUMBER(18,0)  
SINK_NODE_ENTITY VARCHAR2(60)  
ASSOCIATION_TYPE VARCHAR2(60)  
SEQUENCE NUMBER(9,0)  

For example:

For example, here user 'asmith' is watching issue with id 108433.






Issue status and workflow


This page describes the database tables involved in issue workflow. It will be useful for people who wish to insert issues into the database manually, or diagnose/fix corrupted databases.
JIRA issues have both:

  • a status (Open, Closed, In Progress etc).
  • a workflow step, which governs which transitions are available

Issue status

In the database, the status (Open, Closed etc) is stored on the jiraissue table:

Issue workflow step

Originally JIRA issues only had a status. Then in version 2.0, workflow was added, so that transitions between statuses could be customized. An issue's workflow step is stored in new tables, referenced from jiraissue by the workflow_id:

The TP-1 issue's OS_WFENTRY row indicates that the issue uses the 'jira' (default, built-in) workflow.

The issue's OS_CURRENTSTEP row specifies the issue's current step. The only field really used is STEP_ID. This references a step definition in the workflow:

The workflow definition for the built-in 'jira' workflow can be seen in atlassian-jira/WEB-INF/classes/jira-workflow.xml

How status and step relate

An issue's status and workflow step are kept in synch:

Status and step are kept in synch is with a workflow post-function (UpdateIssueStatusFunction), which updates the status whenever the step changes.

If the step gets out of synch with the status, then incorrect (or no) workflow operations appear on the issue page. Eg. if OS_CURRENTSTEP.STEP_ID was 6 ("Closed") when jiraissue.issuestatus was 1 ("Open"), then the issue would have only one transition ("Reopen issue") which would break if anyone clicked on it.

Summary

  • For each jiraissue row, there is a OS_CURRENTSTEP and OS_WFENTRY row.
  • OS_WFENTRY specifies the applicable workflow. OS_CURRENTSTEP specifies the step in that workflow.
  • The relations are:
    • jiraissue.WORKFLOW_ID == OS_WFENTRY.ID
    • jiraissue.WORKFLOW_ID == OS_CURRENTSTEP.ENTRY_ID





Example SQLs

Some examples of SQLs that can be run against the JIRA schema:
Example SQL queries for JIRA


worklogs.png (image/png)
Document generated by Confluence on Mar 27, 2011 18:54