diff --git a/apps/taskman/api.py b/apps/taskman/api.py index 08a6fe5b2..088d10c48 100644 --- a/apps/taskman/api.py +++ b/apps/taskman/api.py @@ -1,29 +1,38 @@ """ Taskman API endpoints """ +import json import logging -from drf_spectacular.utils import OpenApiParameter, OpenApiResponse, extend_schema +from django.conf import settings +from django.db import transaction +from django.shortcuts import get_object_or_404 +from django_filters.rest_framework import DjangoFilterBackend +from drf_spectacular.utils import OpenApiParameter, extend_schema +from jira.exceptions import JIRAError +from rest_framework import status from rest_framework.generics import GenericAPIView -from rest_framework.permissions import AllowAny +from rest_framework.permissions import AllowAny, IsAuthenticatedOrReadOnly from rest_framework.response import Response from rest_framework.views import APIView +from rest_framework.viewsets import ModelViewSet +from apps.osim.exceptions import OSIMException +from apps.osim.workflow import WorkflowModel from apps.taskman.constants import JIRA_TASKMAN_PROJECT_KEY, JIRA_TASKMAN_URL -from osidb.models import Flaw +from apps.taskman.models import WORKFLOW_TO_JIRA_STATUS +from apps.taskman.query import JiraTaskQueryBuilder +from osidb.api_views import get_valid_http_methods from .jira_serializer import ( JiraCommentSerializer, JiraIssueQueryResultSerializer, JiraIssueSerializer, + TaskSerializer, ) -from .serializer import ( - StatusSerializer, - TaskCommentSerializer, - TaskGroupSerializer, - TaskKeySerializer, -) -from .service import JiraTaskmanQuerier, TaskResolution, TaskStatus +from .models import Task +from .serializer import TaskCommentSerializer, TaskGroupSerializer +from .service import JiraTaskmanQuerier logger = logging.getLogger(__name__) @@ -63,19 +72,218 @@ def get(self, request, *args, **kwargs): @jira_token_description -class task(GenericAPIView): - """ - API endpoint for getting tasks by its key - """ +class TaskViewSet(ModelViewSet): + serializer_class = TaskSerializer + lookup_url_kwarg = "id" + http_method_names = get_valid_http_methods(ModelViewSet, excluded=["delete"]) + permission_classes = [IsAuthenticatedOrReadOnly] + filter_backends = (DjangoFilterBackend,) + filterset_fields = ["jira_key", "jira_group_key", "team_id", "owner", "flaw"] + + def get_queryset(self): + """defines a custom queryset that filters by state""" + state = self.request.query_params.get("state") + if state: + jira_status, jira_resolution = WORKFLOW_TO_JIRA_STATUS[state] + queryset = Task.objects.filter( + status=jira_status, resolution=jira_resolution + ) + else: + queryset = Task.objects.all() + + return queryset + + def get_object(self): + # from https://www.django-rest-framework.org/api-guide/generic-views/#methods + """get flaw object instance""" + queryset = self.get_queryset() + pk = self.kwargs[self.lookup_url_kwarg] + obj = get_object_or_404(queryset, uuid=pk) + return obj @extend_schema( - responses=JiraIssueSerializer, + description="filters a task by cached values and return a Jira request", + responses=JiraIssueQueryResultSerializer, ) - def get(self, request, task_key): - """Get a task from Jira given a task key""" - return JiraTaskmanQuerier(token=request.headers.get("Jira-Api-Key")).get_task( - task_key + def list(self, request, *args, **kwargs): + """filters a task by cached values and return a Jira request""" + jira_keys = ( + self.filter_queryset(self.get_queryset()) + .values_list("jira_key", flat=True) + .distinct() + ) + jira_keys = ", ".join(jira_keys) + + jql_query = f"PROJECT={JIRA_TASKMAN_PROJECT_KEY}" + jql_query += f" AND key in ({jira_keys}) ORDER BY key ASC" + + jtq = JiraTaskmanQuerier(token=request.headers.get("Jira-Api-Key")) + drf_page_size = settings.REST_FRAMEWORK["PAGE_SIZE"] + start = drf_page_size * (int(request.query_params.get("page", "1")) - 1) + + data = jtq.jira_conn.search_issues( + jql_query, maxResults=drf_page_size, startAt=start, json_result=True ) + return Response(data=data) + + @extend_schema( + description="filters a task by cached values and return a Jira request", + responses=JiraIssueSerializer, + ) + def get(self, request, *args, **kwargs): + """get a from Jira""" + instance = self.get_object() + + jtq = JiraTaskmanQuerier(token=request.headers.get("Jira-Api-Key")) + # refresh local values + issue = jtq.jira_conn.issue(instance.jira_key).raw + instance.update_in_memory(issue) + instance.save() + return Response(data=issue) + + @extend_schema( + description="creates a task in Jira", + responses=TaskSerializer, + ) + def create(self, request, *args, **kwargs): + """creates a task in Jira and store main information in local db for filtering""" + serializer = self.get_serializer(data=request.data) + serializer.is_valid(raise_exception=True) + + jtq = JiraTaskmanQuerier(token=request.headers.get("Jira-Api-Key")) + try: + with transaction.atomic(): + self.perform_create(serializer) + + instance = serializer.instance + query = JiraTaskQueryBuilder(instance.flaw) + issue = jtq.jira_conn.create_issue( + fields=query.generate(is_creation=True)["fields"], prefetch=True + ) + + # user defined state; validate + if ( + instance.workflow_state + and instance.workflow_state != WorkflowModel.OSIMState.NEW + ): + instance.flaw.validate_classification(instance.workflow_state) + + # user sent fields not available during creation; recalculate state + if instance.team_id: + query = JiraTaskQueryBuilder(instance.flaw) + url = f"{jtq.jira_conn._get_url('issue')}/{issue.raw['key']}" + jtq.jira_conn._session.put(url, json.dumps(query.generate())) + issue = jtq.jira_conn.issue(issue.raw["key"]) + + instance.flaw.adjust_classification() + classified_state = instance.flaw.classification["state"] + + # user defined state; validate + is_state_present = ( + instance.workflow_state + and instance.workflow_state != WorkflowModel.OSIMState.NEW + ) + if is_state_present: + instance.flaw.validate_classification(instance.workflow_state) + + # flaw is in a non-new state; update required + if is_state_present or classified_state != WorkflowModel.OSIMState.NEW: + instance.flaw.adjust_classification() + instance.status, instance.resolution = WORKFLOW_TO_JIRA_STATUS[ + classified_state + ] + + if instance.resolution: + jtq.jira_conn.transition_issue( + issue=issue.raw["key"], + transition=instance.status, + resolution={"name": instance.resolution}, + ) + else: + jtq.jira_conn.transition_issue( + issue=issue.raw["key"], + transition=instance.status, + ) + issue = jtq.jira_conn.issue(issue.raw["key"]) + + instance.update_in_memory(issue.raw) + instance.save() + response_data = { + "message": "Task created.", + "data": TaskSerializer(instance).data, + } + return Response(response_data, status=status.HTTP_201_CREATED) + except JIRAError as e: + return Response(data=e.response.json(), status=e.status_code) + except OSIMException as e: + return Response(str(e), status=status.HTTP_409_CONFLICT) + + @extend_schema( + description="updates a task in Jira", + responses=TaskSerializer, + ) + def update(self, request, *args, **kwargs): + """change values cached and submit an updated state to Jira""" + instance = self.get_object() + current_state = instance.workflow_state + serializer = self.get_serializer(instance, data=request.data, partial=True) + serializer.is_valid(raise_exception=True) + + jtq = JiraTaskmanQuerier(token=request.headers.get("Jira-Api-Key")) + try: + with transaction.atomic(): + serializer.save() + instance.refresh_from_db() + query = JiraTaskQueryBuilder(instance.flaw) + state_update_needed = False + + # user defined state; validate + if instance.workflow_state and instance.workflow_state != current_state: + state_update_needed = True + instance.flaw.validate_classification(instance.workflow_state) + + # recaulculate state after changes + instance.flaw.adjust_classification() + classified_state = instance.flaw.classification["state"] + instance.status, instance.resolution = WORKFLOW_TO_JIRA_STATUS[ + classified_state + ] + state_update_needed = ( + state_update_needed or classified_state != current_state + ) + + query = JiraTaskQueryBuilder(instance.flaw) + url = f"{jtq.jira_conn._get_url('issue')}/{instance.jira_key}" + jtq.jira_conn._session.put(url, json.dumps(query.generate())) + issue = jtq.jira_conn.issue(instance.jira_key) + + # Jira uses separated endpoints for regular fields and status + if state_update_needed: + if instance.resolution: + jtq.jira_conn.transition_issue( + issue=instance.jira_key, + transition=instance.status, + resolution={"name": instance.resolution}, + ) + else: + jtq.jira_conn.transition_issue( + issue=instance.jira_key, + transition=instance.status, + ) + issue = jtq.jira_conn.issue(instance.jira_key) + + instance.update_in_memory(issue.raw) + instance.save() + response_data = { + "message": "Task updated.", + "data": TaskSerializer(instance).data, + } + return Response(response_data, status=status.HTTP_200_OK) + + except JIRAError as e: + return Response(data=e.response.json(), status=e.status_code) + except OSIMException as e: + return Response(str(e), status=status.HTTP_409_CONFLICT) @jira_token_description @@ -140,147 +348,3 @@ def post(self, request): name=serializer.validated_data["name"], description=serializer.validated_data["description"], ) - - -@jira_token_description -class task_group(GenericAPIView): - @extend_schema( - responses=JiraIssueQueryResultSerializer, - ) - def get(self, request, group_key): - """Get a list of tasks from a group""" - return JiraTaskmanQuerier( - token=request.headers.get("Jira-Api-Key") - ).search_task_by_group(group_key) - - @extend_schema( - parameters=[ - OpenApiParameter(name="task_key", required=True, type=str), - ], - description="Add a task into a group", - responses={200: OpenApiResponse(description="Modified.")}, - ) - def put(self, request, group_key): - serializer = TaskKeySerializer(data=request.data) - serializer.is_valid(raise_exception=True) - return JiraTaskmanQuerier( - token=request.headers.get("Jira-Api-Key") - ).add_task_into_group( - issue_key=serializer.validated_data["task_key"], group_key=group_key - ) - - -@jira_token_description -class task_flaw(GenericAPIView): - """ - API endpoint for interacting with tasks using a Flaw entity - """ - - @extend_schema( - responses=JiraIssueSerializer, - ) - def get(self, request, flaw_uuid): - """Get a task from Jira given a Flaw uuid""" - return JiraTaskmanQuerier( - token=request.headers.get("Jira-Api-Key") - ).get_task_by_flaw(flaw_uuid) - - def post(self, request, flaw_uuid): - """Create a task in Jira from a Flaw""" - flaw = Flaw.objects.get(uuid=flaw_uuid) - return JiraTaskmanQuerier( - token=request.headers.get("Jira-Api-Key") - ).create_or_update_task(flaw=flaw, fail_if_exists=True) - - @extend_schema( - description="Update a task in Jira from a Flaw", - responses={200: OpenApiResponse(description="Modified.")}, - ) - def put(self, request, flaw_uuid): - """Update a task in Jira from a Flaw""" - flaw = Flaw.objects.get(uuid=flaw_uuid) - return JiraTaskmanQuerier( - token=request.headers.get("Jira-Api-Key") - ).create_or_update_task(flaw=flaw, fail_if_exists=False) - - -@jira_token_description -class task_status(GenericAPIView): - @extend_schema( - parameters=[ - OpenApiParameter( - name="status", - required=True, - type=str, - enum=TaskStatus.values, - ), - OpenApiParameter( - name="resolution", - type=str, - enum=TaskResolution.values, - description="Resolution of a CLOSED task.", - ), - OpenApiParameter( - name="reason", - type=str, - enum=TaskStatus.values, - description="Reason of status change. Mandatory for rejecting a task.", - ), - ], - description="Change a task workflow status", - responses={200: OpenApiResponse(description="Modified.")}, - ) - def put(self, request, task_key): - serializer = StatusSerializer(data=request.data) - serializer.is_valid(raise_exception=True) - jira_conn = JiraTaskmanQuerier(token=request.headers.get("Jira-Api-Key")) - if "reason" in serializer: - jira_conn.create_comment( - issue_key=task_key, - body=serializer.reason, - ) - - return jira_conn.update_task_status( - issue_key=task_key, status=serializer.validated_data["status"] - ) - - -@jira_token_description -class task_assignee(GenericAPIView): - @extend_schema( - responses=JiraIssueQueryResultSerializer, - ) - def get(self, request, user): - """Get a list of tasks from a user""" - return JiraTaskmanQuerier( - token=request.headers.get("Jira-Api-Key") - ).search_tasks_by_assignee(user) - - @extend_schema( - parameters=[ - OpenApiParameter(name="task_key", required=True, type=str), - ], - description="Assign a task to a user", - responses={200: OpenApiResponse(description="Modified.")}, - ) - def put(self, request, user): - """Assign a user for a task""" - serializer = TaskKeySerializer(data=request.data) - serializer.is_valid(raise_exception=True) - issue_key = serializer.validated_data["task_key"] - - return JiraTaskmanQuerier( - token=request.headers.get("Jira-Api-Key") - ).assign_task(task_key=issue_key, assignee=user) - - -@jira_token_description -class task_unassigneed(GenericAPIView): - @extend_schema( - responses=JiraIssueQueryResultSerializer, - ) - def get(self, request): - """Get a list of tasks without an user assigned""" - return JiraTaskmanQuerier( - token=request.headers.get("Jira-Api-Key") - ).search_tasks_by_assignee(None) diff --git a/apps/taskman/jira_serializer.py b/apps/taskman/jira_serializer.py index 21a0655a3..15339501a 100644 --- a/apps/taskman/jira_serializer.py +++ b/apps/taskman/jira_serializer.py @@ -11,6 +11,89 @@ """ from rest_framework import serializers +from apps.osim.workflow import WorkflowModel + +from .models import WORKFLOW_TO_JIRA_STATUS, JiraResolution, JiraStatus, Task + + +class TaskSerializer(serializers.ModelSerializer): + state = serializers.ChoiceField( + choices=WorkflowModel.OSIMState.choices, write_only=True, required=False + ) + + class Meta: + model = Task + fields = ( + "uuid", + "state", + "jira_key", + "jira_group_key", + "team_id", + "owner", + "flaw", + ) + read_only_fields = ("jira_key",) + + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + # flaw is required during creation + if self.context.get("request") and self.context["request"].method == "POST": + self.fields["flaw"].required = True + else: + self.fields["flaw"].required = False + + def create(self, validated_data): + state = validated_data.pop("state", WorkflowModel.OSIMState.NEW) + task = Task(**validated_data) + + jira_status, jira_resolution = WORKFLOW_TO_JIRA_STATUS.get( + state, (JiraStatus.NEW, JiraResolution.NONE) + ) + + task.status = jira_status + task.resolution = jira_resolution + + task.save() + return task + + def update(self, instance, validated_data): + state = validated_data.pop("state", instance.workflow_state) + + jira_status, jira_resolution = WORKFLOW_TO_JIRA_STATUS.get( + state, (JiraStatus.NEW, JiraResolution.NONE) + ) + + for attr, value in validated_data.items(): + setattr(instance, attr, value) + + instance.status = jira_status + instance.resolution = jira_resolution + + instance.save() + return instance + + def to_representation(self, instance): + # Map JiraStatus and JiraResolution back to OSIMState in the response + return { + "uuid": instance.uuid, + "state": instance.workflow_state, + "jira_key": instance.jira_key, + "jira_group_key": instance.jira_group_key, + "team_id": instance.team_id, + "owner": instance.owner, + "flaw": instance.flaw_id, + } + + def validate_state(self, value): + current_state = self.instance.workflow_state if self.instance else None + if value == WorkflowModel.OSIMState.REJECTED and ( + not current_state or current_state != WorkflowModel.OSIMState.REJECTED + ): + raise serializers.ValidationError( + "Rejecting a task requires reasoning, use proper endpoint." + ) + return value + class JiraIssueTypeSerializer(serializers.Serializer): """ @@ -46,6 +129,8 @@ class JiraIssueSerializer(serializers.Serializer): class JiraIssueQueryResultSerializer(serializers.Serializer): + startAt = serializers.IntegerField() + maxResults = serializers.IntegerField() total = serializers.IntegerField() issues = JiraIssueSerializer(many=True) diff --git a/apps/taskman/query.py b/apps/taskman/query.py new file mode 100644 index 000000000..9fc41f2b3 --- /dev/null +++ b/apps/taskman/query.py @@ -0,0 +1,97 @@ +""" +Task Manager API endpoints +""" +import logging + +from apps.taskman.models import JiraCustomFields + +from .constants import JIRA_TASKMAN_PROJECT_KEY + +logger = logging.getLogger(__name__) + + +class JiraTaskQueryBuilder: + """ + Query builder for updating or creating tasks + """ + + def __init__(self, flaw): + """ + init stuff + """ + self._flaw = flaw + self._project = JIRA_TASKMAN_PROJECT_KEY + self.query = {} + + def generate(self, is_creation=False): + """ + Generate and return a dict accepted by Jira API to + create or update a Jira Issue given a flaw and its task. + + Removes not accepted fields on if is_creation is set + """ + self.generate_base() + self.generate_description() + self.generate_labels() + self.generate_summary() + self.generate_owner() + self.generate_group() + + if not is_creation: + self.generate_team() + + return self.query + + def generate_base(self): + """Create a base dict to assemble a Jira query""" + self.query = { + "fields": { + "issuetype": {"name": "Story"}, + "project": {"key": self._project}, + } + } + + def generate_owner(self): + """Add the assignee of the task to query""" + if not hasattr(self._flaw, "task"): + return + if self._flaw.task.owner: + self.query["fields"]["assignee"] = {"name": self._flaw.task.owner} + + def generate_team(self): + """Add the team of the task to query""" + if not hasattr(self._flaw, "task"): + return + if self._flaw.task.team_id: + self.query["fields"][JiraCustomFields.TEAM] = self._flaw.task.team_id + + def generate_description(self): + """Add descrition of the task to query""" + self.query["fields"]["description"] = self._flaw.description + + def generate_labels(self): + """Add labels of the task to query""" + labels = [f"flawuuid:{str(self._flaw.uuid)}", f"impact:{self._flaw.impact}"] + + if self._flaw.is_major_incident_temp(): + labels.append("major_incident") + + self.query["fields"]["labels"] = [ + *labels, + f"flawuuid:{str(self._flaw.uuid)}", + f"impact:{self._flaw.impact}", + ] + + def generate_summary(self): + """Add summary of the task to query""" + if not self._flaw.cve_id or self._flaw.cve_id in self._flaw.title: + summary = self._flaw.title + else: + summary = f"{self._flaw.cve_id} {self._flaw.title}" + + self.query["fields"]["summary"] = summary + + def generate_group(self): + if not hasattr(self._flaw, "task") or not self._flaw.task.jira_group_key: + return + self.query["fields"][JiraCustomFields.EPIC_KEY] = self._flaw.task.jira_group_key diff --git a/apps/taskman/tests/cassettes/test_api/TestTaskmanAPI.test_task_create.yaml b/apps/taskman/tests/cassettes/test_api/TestTaskmanAPI.test_task_create.yaml new file mode 100644 index 000000000..c7aa07ab0 --- /dev/null +++ b/apps/taskman/tests/cassettes/test_api/TestTaskmanAPI.test_task_create.yaml @@ -0,0 +1,1510 @@ +interactions: +- request: + body: '{"fields": {"issuetype": {"name": "Story"}, "project": {"key": "OSIM"}, + "description": "Description for CVE-2020-0007", "labels": ["flawuuid:a56760bc-868b-4797-8026-e8c7b5d889b9", + "impact:LOW", "major_incident", "flawuuid:a56760bc-868b-4797-8026-e8c7b5d889b9", + "impact:LOW"], "summary": "CVE-2020-0007 kernel: some description", "assignee": + {"name": "concosta@redhat.com"}}}' + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Length: + - '374' + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: POST + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue + response: + body: + string: '{"id": "15544454", "key": "OSIM-375", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544454"}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + - Transfer-Encoding + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:21 GMT + Expires: + - Mon, 23 Oct 2023 23:59:21 GMT + Pragma: + - no-cache + Transfer-Encoding: + - chunked + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '101' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415593x1 + x-asessionid: + - trirtx + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105561.356bbf17 + x-rh-edge-request-id: + - 356bbf17 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 201 + message: Created +- request: + body: null + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: GET + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-375 + response: + body: + string: '{"expand": "renderedFields,names,schema,operations,editmeta,changelog,versionedRepresentations", + "id": "15544454", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544454", + "key": "OSIM-375", "fields": {"issuetype": {"self": "https://issues.stage.redhat.com/rest/api/2/issuetype/17", + "id": "17", "description": "Created by Jira Software - do not edit or delete. + Issue type for a user story.", "iconUrl": "https://issues.stage.redhat.com/secure/viewavatar?size=xsmall&avatarId=13275&avatarType=issuetype", + "name": "Story", "subtask": false, "avatarId": 13275}, "customfield_12322244": + null, "customfield_12318341": null, "timespent": null, "customfield_12320940": + null, "project": {"self": "https://issues.stage.redhat.com/rest/api/2/project/12337520", + "id": "12337520", "key": "OSIM", "name": "Open Security Issue Manager", "projectTypeKey": + "software", "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/projectavatar?pid=12337520&avatarId=12560", + "24x24": "https://issues.stage.redhat.com/secure/projectavatar?size=small&pid=12337520&avatarId=12560", + "16x16": "https://issues.stage.redhat.com/secure/projectavatar?size=xsmall&pid=12337520&avatarId=12560", + "32x32": "https://issues.stage.redhat.com/secure/projectavatar?size=medium&pid=12337520&avatarId=12560"}}, + "fixVersions": [], "customfield_12320944": null, "aggregatetimespent": null, + "resolution": null, "customfield_12310220": null, "customfield_12314740": + "{summaryBean=com.atlassian.jira.plugin.devstatus.rest.SummaryBean@11670ecd[summary={pullrequest=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@7c2eb00a[overall=PullRequestOverallBean{stateCount=0, + state=''OPEN'', details=PullRequestOverallDetails{openCount=0, mergedCount=0, + declinedCount=0}},byInstanceType={}], build=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@4e107b33[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BuildOverallBean@47b72c1b[failedBuildCount=0,successfulBuildCount=0,unknownBuildCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + review=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@63316624[overall=com.atlassian.jira.plugin.devstatus.summary.beans.ReviewsOverallBean@443d29c7[stateCount=0,state=,dueDate=,overDue=false,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + deployment-environment=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@9b90b90[overall=com.atlassian.jira.plugin.devstatus.summary.beans.DeploymentOverallBean@77102948[topEnvironments=[],showProjects=false,successfulCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + repository=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@1f7861c8[overall=com.atlassian.jira.plugin.devstatus.summary.beans.CommitOverallBean@32a600f1[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + branch=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@738278be[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BranchOverallBean@52e45ef[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}]},errors=[],configErrors=[]], + devSummaryJson={\"cachedValue\":{\"errors\":[],\"configErrors\":[],\"summary\":{\"pullrequest\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":\"OPEN\",\"details\":{\"openCount\":0,\"mergedCount\":0,\"declinedCount\":0,\"total\":0},\"open\":true},\"byInstanceType\":{}},\"build\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"failedBuildCount\":0,\"successfulBuildCount\":0,\"unknownBuildCount\":0},\"byInstanceType\":{}},\"review\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":null,\"dueDate\":null,\"overDue\":false,\"completed\":false},\"byInstanceType\":{}},\"deployment-environment\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"topEnvironments\":[],\"showProjects\":false,\"successfulCount\":0},\"byInstanceType\":{}},\"repository\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}},\"branch\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}}}},\"isStale\":false}}", + "resolutiondate": null, "workratio": -1, "customfield_12316840": null, "customfield_12317379": + null, "customfield_12315950": null, "customfield_12316841": null, "customfield_12310940": + null, "customfield_12319040": null, "lastViewed": null, "watches": {"self": + "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-375/watchers", "watchCount": + 0, "isWatching": false}, "created": "2023-10-23T23:59:20.422+0000", "customfield_12321240": + null, "customfield_12313140": null, "priority": {"self": "https://issues.stage.redhat.com/rest/api/2/priority/10300", + "iconUrl": "https://issues.stage.redhat.com/images/icons/priorities/trivial.svg", + "name": "Undefined", "id": "10300"}, "labels": ["flawuuid:a56760bc-868b-4797-8026-e8c7b5d889b9", + "impact:LOW", "major_incident"], "customfield_12320947": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27714", + "value": "Unclassified", "id": "27714", "disabled": false}], "customfield_12320946": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27705", + "value": "False", "id": "27705", "disabled": false}, "aggregatetimeoriginalestimate": + null, "timeestimate": null, "versions": [], "issuelinks": [], "assignee": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "updated": "2023-10-23T23:59:20.422+0000", "customfield_12313942": null, "customfield_12313941": + null, "status": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10016", + "description": "Initial creation status. Implies nothing yet and should be + very short lived; also can be a Bugzilla status.", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "New", "id": "10016", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}, "components": + [], "timeoriginalestimate": null, "description": "Description for CVE-2020-0007", + "customfield_12314040": null, "customfield_12320844": null, "archiveddate": + null, "timetracking": {}, "customfield_12320842": null, "customfield_12310243": + null, "attachment": [], "aggregatetimeestimate": null, "customfield_12316542": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14655", + "value": "False", "id": "14655", "disabled": false}, "customfield_12316543": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14657", + "value": "False", "id": "14657", "disabled": false}, "customfield_12317313": + null, "customfield_12316544": "None", "customfield_12310840": "9223372036854775807", + "summary": "CVE-2020-0007 kernel: some description", "customfield_12323640": + null, "customfield_12323840": null, "customfield_12323642": null, "creator": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12323641": null, "subtasks": [], "customfield_12321140": null, + "customfield_12323647": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/34754", + "value": "en-US (English)", "id": "34754", "disabled": false}], "reporter": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12320850": null, "aggregateprogress": {"progress": 0, "total": + 0}, "customfield_12323644": null, "customfield_12323841": null, "customfield_12323643": + null, "customfield_12323646": null, "customfield_12323645": null, "environment": + null, "customfield_12315542": null, "customfield_12315740": null, "customfield_12313441": + "", "customfield_12313440": "0.0", "customfield_12313240": null, "duedate": + null, "customfield_12311140": null, "customfield_12319742": null, "progress": + {"progress": 0, "total": 0}, "comment": {"comments": [], "maxResults": 0, + "total": 0, "startAt": 0}, "votes": {"self": "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-375/votes", + "votes": 0, "hasVoted": false}, "worklog": {"startAt": 0, "maxResults": 20, + "total": 0, "worklogs": []}, "customfield_12319743": null, "customfield_12310213": + null, "archivedby": null, "customfield_12311940": "1|zcs0dw:"}}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:21 GMT + Expires: + - Mon, 23 Oct 2023 23:59:21 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '9733' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415594x1 + x-asessionid: + - 3ot1bu + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105561.356bcd21 + x-rh-edge-request-id: + - 356bcd21 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 200 + message: OK +- request: + body: '{"fields": {"issuetype": {"name": "Story"}, "project": {"key": "OSIM"}, + "description": "Description for CVE-2020-0008", "labels": ["flawuuid:60ac2517-67ca-4f61-86a9-d6a8542ed04a", + "impact:LOW", "flawuuid:60ac2517-67ca-4f61-86a9-d6a8542ed04a", "impact:LOW"], + "summary": "CVE-2020-0008 kernel: some description"}}' + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Length: + - '311' + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: POST + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue + response: + body: + string: '{"id": "15544455", "key": "OSIM-376", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544455"}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + - Transfer-Encoding + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:22 GMT + Expires: + - Mon, 23 Oct 2023 23:59:22 GMT + Pragma: + - no-cache + Transfer-Encoding: + - chunked + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '101' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415595x1 + x-asessionid: + - 1s91naw + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105562.356bd19d + x-rh-edge-request-id: + - 356bd19d + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 201 + message: Created +- request: + body: null + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: GET + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-376 + response: + body: + string: '{"expand": "renderedFields,names,schema,operations,editmeta,changelog,versionedRepresentations", + "id": "15544455", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544455", + "key": "OSIM-376", "fields": {"issuetype": {"self": "https://issues.stage.redhat.com/rest/api/2/issuetype/17", + "id": "17", "description": "Created by Jira Software - do not edit or delete. + Issue type for a user story.", "iconUrl": "https://issues.stage.redhat.com/secure/viewavatar?size=xsmall&avatarId=13275&avatarType=issuetype", + "name": "Story", "subtask": false, "avatarId": 13275}, "customfield_12322244": + null, "customfield_12318341": null, "timespent": null, "customfield_12320940": + null, "project": {"self": "https://issues.stage.redhat.com/rest/api/2/project/12337520", + "id": "12337520", "key": "OSIM", "name": "Open Security Issue Manager", "projectTypeKey": + "software", "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/projectavatar?pid=12337520&avatarId=12560", + "24x24": "https://issues.stage.redhat.com/secure/projectavatar?size=small&pid=12337520&avatarId=12560", + "16x16": "https://issues.stage.redhat.com/secure/projectavatar?size=xsmall&pid=12337520&avatarId=12560", + "32x32": "https://issues.stage.redhat.com/secure/projectavatar?size=medium&pid=12337520&avatarId=12560"}}, + "fixVersions": [], "customfield_12320944": null, "aggregatetimespent": null, + "resolution": null, "customfield_12310220": null, "customfield_12314740": + "{summaryBean=com.atlassian.jira.plugin.devstatus.rest.SummaryBean@1a15f6c1[summary={pullrequest=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@61ea243a[overall=PullRequestOverallBean{stateCount=0, + state=''OPEN'', details=PullRequestOverallDetails{openCount=0, mergedCount=0, + declinedCount=0}},byInstanceType={}], build=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@6cfbeb84[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BuildOverallBean@5c00c9d5[failedBuildCount=0,successfulBuildCount=0,unknownBuildCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + review=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@469318ab[overall=com.atlassian.jira.plugin.devstatus.summary.beans.ReviewsOverallBean@72a68c72[stateCount=0,state=,dueDate=,overDue=false,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + deployment-environment=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@4132fe69[overall=com.atlassian.jira.plugin.devstatus.summary.beans.DeploymentOverallBean@1ba6c9fb[topEnvironments=[],showProjects=false,successfulCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + repository=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@45aedc64[overall=com.atlassian.jira.plugin.devstatus.summary.beans.CommitOverallBean@3ad0dbf[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + branch=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@553a6a15[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BranchOverallBean@78fe8858[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}]},errors=[],configErrors=[]], + devSummaryJson={\"cachedValue\":{\"errors\":[],\"configErrors\":[],\"summary\":{\"pullrequest\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":\"OPEN\",\"details\":{\"openCount\":0,\"mergedCount\":0,\"declinedCount\":0,\"total\":0},\"open\":true},\"byInstanceType\":{}},\"build\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"failedBuildCount\":0,\"successfulBuildCount\":0,\"unknownBuildCount\":0},\"byInstanceType\":{}},\"review\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":null,\"dueDate\":null,\"overDue\":false,\"completed\":false},\"byInstanceType\":{}},\"deployment-environment\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"topEnvironments\":[],\"showProjects\":false,\"successfulCount\":0},\"byInstanceType\":{}},\"repository\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}},\"branch\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}}}},\"isStale\":false}}", + "resolutiondate": null, "workratio": -1, "customfield_12316840": null, "customfield_12317379": + null, "customfield_12315950": null, "customfield_12316841": null, "customfield_12310940": + null, "customfield_12319040": null, "lastViewed": null, "watches": {"self": + "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-376/watchers", "watchCount": + 1, "isWatching": true}, "created": "2023-10-23T23:59:21.480+0000", "customfield_12321240": + null, "customfield_12313140": null, "priority": {"self": "https://issues.stage.redhat.com/rest/api/2/priority/10300", + "iconUrl": "https://issues.stage.redhat.com/images/icons/priorities/trivial.svg", + "name": "Undefined", "id": "10300"}, "labels": ["flawuuid:60ac2517-67ca-4f61-86a9-d6a8542ed04a", + "impact:LOW"], "customfield_12320947": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27714", + "value": "Unclassified", "id": "27714", "disabled": false}], "customfield_12320946": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27705", + "value": "False", "id": "27705", "disabled": false}, "aggregatetimeoriginalestimate": + null, "timeestimate": null, "versions": [], "issuelinks": [], "assignee": + null, "updated": "2023-10-23T23:59:21.480+0000", "customfield_12313942": null, + "customfield_12313941": null, "status": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10016", + "description": "Initial creation status. Implies nothing yet and should be + very short lived; also can be a Bugzilla status.", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "New", "id": "10016", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}, "components": + [], "timeoriginalestimate": null, "description": "Description for CVE-2020-0008", + "customfield_12314040": null, "customfield_12320844": null, "archiveddate": + null, "timetracking": {}, "customfield_12320842": null, "customfield_12310243": + null, "attachment": [], "aggregatetimeestimate": null, "customfield_12316542": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14655", + "value": "False", "id": "14655", "disabled": false}, "customfield_12316543": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14657", + "value": "False", "id": "14657", "disabled": false}, "customfield_12317313": + null, "customfield_12316544": "None", "customfield_12310840": "9223372036854775807", + "summary": "CVE-2020-0008 kernel: some description", "customfield_12323640": + null, "customfield_12323840": null, "customfield_12323642": null, "creator": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12323641": null, "subtasks": [], "customfield_12321140": null, + "customfield_12323647": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/34754", + "value": "en-US (English)", "id": "34754", "disabled": false}], "reporter": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12320850": null, "aggregateprogress": {"progress": 0, "total": + 0}, "customfield_12323644": null, "customfield_12323841": null, "customfield_12323643": + null, "customfield_12323646": null, "customfield_12323645": null, "environment": + null, "customfield_12315542": null, "customfield_12315740": null, "customfield_12313441": + "", "customfield_12313440": "0.0", "customfield_12313240": null, "duedate": + null, "customfield_12311140": null, "customfield_12319742": null, "progress": + {"progress": 0, "total": 0}, "comment": {"comments": [], "maxResults": 0, + "total": 0, "startAt": 0}, "votes": {"self": "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-376/votes", + "votes": 0, "hasVoted": false}, "worklog": {"startAt": 0, "maxResults": 20, + "total": 0, "worklogs": []}, "customfield_12319743": null, "customfield_12310213": + null, "archivedby": null, "customfield_12311940": "1|zcs0e4:"}}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:22 GMT + Expires: + - Mon, 23 Oct 2023 23:59:22 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '9020' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415597x1 + x-asessionid: + - uy5q1m + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105562.356be6a5 + x-rh-edge-request-id: + - 356be6a5 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: GET + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-376/transitions + response: + body: + string: '{"expand": "transitions", "transitions": [{"id": "51", "name": "New", + "opsbarSequence": 10, "to": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10016", + "description": "Initial creation status. Implies nothing yet and should be + very short lived; also can be a Bugzilla status.", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "New", "id": "10016", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}}, {"id": + "61", "name": "Refinement", "opsbarSequence": 20, "to": {"self": "https://issues.stage.redhat.com/rest/api/2/status/15021", + "description": "Work is being scoped and discussed (To Do status category; + see also Draft)", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "Refinement", "id": "15021", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}}, {"id": + "31", "name": "In Progress", "opsbarSequence": 30, "to": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10018", + "description": "Work has started", "iconUrl": "https://issues.stage.redhat.com/images/icons/status_generic.gif", + "name": "In Progress", "id": "10018", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/4", + "id": 4, "key": "indeterminate", "colorName": "inprogress", "name": "In Progress"}}}, + {"id": "41", "name": "Closed", "opsbarSequence": 40, "to": {"self": "https://issues.stage.redhat.com/rest/api/2/status/6", + "description": "The issue is closed. See the resolution for context regarding + why (for example Done, Abandoned, Duplicate, etc)", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/closed.png", + "name": "Closed", "id": "6", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/3", + "id": 3, "key": "done", "colorName": "success", "name": "Done"}}}]}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:22 GMT + Expires: + - Mon, 23 Oct 2023 23:59:22 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '1920' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415598x1 + x-asessionid: + - vqse9y + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105562.356bea39 + x-rh-edge-request-id: + - 356bea39 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 200 + message: OK +- request: + body: '{"transition": {"id": "61"}, "fields": {}}' + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Length: + - '42' + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: POST + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-376/transitions + response: + body: + string: '' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:23 GMT + Expires: + - Mon, 23 Oct 2023 23:59:23 GMT + Pragma: + - no-cache + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415599x1 + x-asessionid: + - dhffm1 + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105563.356bebd0 + x-rh-edge-request-id: + - 356bebd0 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 204 + message: No Content +- request: + body: null + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: GET + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-376 + response: + body: + string: '{"expand": "renderedFields,names,schema,operations,editmeta,changelog,versionedRepresentations", + "id": "15544455", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544455", + "key": "OSIM-376", "fields": {"issuetype": {"self": "https://issues.stage.redhat.com/rest/api/2/issuetype/17", + "id": "17", "description": "Created by Jira Software - do not edit or delete. + Issue type for a user story.", "iconUrl": "https://issues.stage.redhat.com/secure/viewavatar?size=xsmall&avatarId=13275&avatarType=issuetype", + "name": "Story", "subtask": false, "avatarId": 13275}, "customfield_12322244": + null, "customfield_12318341": null, "timespent": null, "customfield_12320940": + null, "project": {"self": "https://issues.stage.redhat.com/rest/api/2/project/12337520", + "id": "12337520", "key": "OSIM", "name": "Open Security Issue Manager", "projectTypeKey": + "software", "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/projectavatar?pid=12337520&avatarId=12560", + "24x24": "https://issues.stage.redhat.com/secure/projectavatar?size=small&pid=12337520&avatarId=12560", + "16x16": "https://issues.stage.redhat.com/secure/projectavatar?size=xsmall&pid=12337520&avatarId=12560", + "32x32": "https://issues.stage.redhat.com/secure/projectavatar?size=medium&pid=12337520&avatarId=12560"}}, + "fixVersions": [], "customfield_12320944": null, "aggregatetimespent": null, + "resolution": null, "customfield_12310220": null, "customfield_12314740": + "{summaryBean=com.atlassian.jira.plugin.devstatus.rest.SummaryBean@21751175[summary={pullrequest=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@575d2a1f[overall=PullRequestOverallBean{stateCount=0, + state=''OPEN'', details=PullRequestOverallDetails{openCount=0, mergedCount=0, + declinedCount=0}},byInstanceType={}], build=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@474cb06a[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BuildOverallBean@797f774e[failedBuildCount=0,successfulBuildCount=0,unknownBuildCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + review=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@5a4cce8f[overall=com.atlassian.jira.plugin.devstatus.summary.beans.ReviewsOverallBean@4b957bd1[stateCount=0,state=,dueDate=,overDue=false,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + deployment-environment=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@69f84d29[overall=com.atlassian.jira.plugin.devstatus.summary.beans.DeploymentOverallBean@6b3f825f[topEnvironments=[],showProjects=false,successfulCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + repository=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@57bb0101[overall=com.atlassian.jira.plugin.devstatus.summary.beans.CommitOverallBean@3790a3d4[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + branch=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@1caa210a[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BranchOverallBean@b1075ba[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}]},errors=[],configErrors=[]], + devSummaryJson={\"cachedValue\":{\"errors\":[],\"configErrors\":[],\"summary\":{\"pullrequest\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":\"OPEN\",\"details\":{\"openCount\":0,\"mergedCount\":0,\"declinedCount\":0,\"total\":0},\"open\":true},\"byInstanceType\":{}},\"build\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"failedBuildCount\":0,\"successfulBuildCount\":0,\"unknownBuildCount\":0},\"byInstanceType\":{}},\"review\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":null,\"dueDate\":null,\"overDue\":false,\"completed\":false},\"byInstanceType\":{}},\"deployment-environment\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"topEnvironments\":[],\"showProjects\":false,\"successfulCount\":0},\"byInstanceType\":{}},\"repository\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}},\"branch\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}}}},\"isStale\":false}}", + "resolutiondate": null, "workratio": -1, "customfield_12316840": null, "customfield_12317379": + null, "customfield_12315950": null, "customfield_12316841": null, "customfield_12310940": + null, "customfield_12319040": null, "lastViewed": null, "watches": {"self": + "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-376/watchers", "watchCount": + 1, "isWatching": true}, "created": "2023-10-23T23:59:21.480+0000", "customfield_12321240": + null, "customfield_12313140": null, "priority": {"self": "https://issues.stage.redhat.com/rest/api/2/priority/10300", + "iconUrl": "https://issues.stage.redhat.com/images/icons/priorities/trivial.svg", + "name": "Undefined", "id": "10300"}, "labels": ["flawuuid:60ac2517-67ca-4f61-86a9-d6a8542ed04a", + "impact:LOW"], "customfield_12320947": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27714", + "value": "Unclassified", "id": "27714", "disabled": false}], "customfield_12320946": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27705", + "value": "False", "id": "27705", "disabled": false}, "aggregatetimeoriginalestimate": + null, "timeestimate": null, "versions": [], "issuelinks": [], "assignee": + null, "updated": "2023-10-23T23:59:22.920+0000", "customfield_12313942": null, + "customfield_12313941": null, "status": {"self": "https://issues.stage.redhat.com/rest/api/2/status/15021", + "description": "Work is being scoped and discussed (To Do status category; + see also Draft)", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "Refinement", "id": "15021", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}, "components": + [], "timeoriginalestimate": null, "description": "Description for CVE-2020-0008", + "customfield_12314040": null, "customfield_12320844": null, "archiveddate": + null, "timetracking": {}, "customfield_12320842": null, "customfield_12310243": + null, "attachment": [], "aggregatetimeestimate": null, "customfield_12316542": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14655", + "value": "False", "id": "14655", "disabled": false}, "customfield_12316543": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14657", + "value": "False", "id": "14657", "disabled": false}, "customfield_12317313": + null, "customfield_12316544": "None", "customfield_12310840": "9223372036854775807", + "summary": "CVE-2020-0008 kernel: some description", "customfield_12323640": + null, "customfield_12323840": null, "customfield_12323642": null, "creator": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12323641": null, "subtasks": [], "customfield_12321140": null, + "customfield_12323647": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/34754", + "value": "en-US (English)", "id": "34754", "disabled": false}], "reporter": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12320850": null, "aggregateprogress": {"progress": 0, "total": + 0}, "customfield_12323644": null, "customfield_12323841": null, "customfield_12323643": + null, "customfield_12323646": null, "customfield_12323645": null, "environment": + null, "customfield_12315542": null, "customfield_12315740": null, "customfield_12313441": + "", "customfield_12313440": "0.0", "customfield_12313240": null, "duedate": + null, "customfield_12311140": null, "customfield_12319742": null, "progress": + {"progress": 0, "total": 0}, "comment": {"comments": [], "maxResults": 0, + "total": 0, "startAt": 0}, "votes": {"self": "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-376/votes", + "votes": 0, "hasVoted": false}, "worklog": {"startAt": 0, "maxResults": 20, + "total": 0, "worklogs": []}, "customfield_12319743": null, "customfield_12310213": + null, "archivedby": null, "customfield_12311940": "1|zcs0e4:"}}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:23 GMT + Expires: + - Mon, 23 Oct 2023 23:59:23 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '8994' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415601x1 + x-asessionid: + - o0sh34 + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105563.356bf4c1 + x-rh-edge-request-id: + - 356bf4c1 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 200 + message: OK +- request: + body: '{"fields": {"issuetype": {"name": "Story"}, "project": {"key": "OSIM"}, + "description": "Description for CVE-2020-0009", "labels": ["flawuuid:340cc961-c0b4-4c20-a2d3-8f5ce30f2aa8", + "impact:MODERATE", "major_incident", "flawuuid:340cc961-c0b4-4c20-a2d3-8f5ce30f2aa8", + "impact:MODERATE"], "summary": "CVE-2020-0009 kernel: some description"}}' + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Length: + - '339' + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: POST + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue + response: + body: + string: '{"id": "15544456", "key": "OSIM-377", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544456"}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - close + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:24 GMT + Expires: + - Mon, 23 Oct 2023 23:59:24 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '101' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415603x1 + x-asessionid: + - fij1zp + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105564.356bf878 + x-rh-edge-request-id: + - 356bf878 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 201 + message: Created +- request: + body: null + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: GET + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-377 + response: + body: + string: '{"expand": "renderedFields,names,schema,operations,editmeta,changelog,versionedRepresentations", + "id": "15544456", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544456", + "key": "OSIM-377", "fields": {"issuetype": {"self": "https://issues.stage.redhat.com/rest/api/2/issuetype/17", + "id": "17", "description": "Created by Jira Software - do not edit or delete. + Issue type for a user story.", "iconUrl": "https://issues.stage.redhat.com/secure/viewavatar?size=xsmall&avatarId=13275&avatarType=issuetype", + "name": "Story", "subtask": false, "avatarId": 13275}, "customfield_12322244": + null, "customfield_12318341": null, "timespent": null, "customfield_12320940": + null, "project": {"self": "https://issues.stage.redhat.com/rest/api/2/project/12337520", + "id": "12337520", "key": "OSIM", "name": "Open Security Issue Manager", "projectTypeKey": + "software", "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/projectavatar?pid=12337520&avatarId=12560", + "24x24": "https://issues.stage.redhat.com/secure/projectavatar?size=small&pid=12337520&avatarId=12560", + "16x16": "https://issues.stage.redhat.com/secure/projectavatar?size=xsmall&pid=12337520&avatarId=12560", + "32x32": "https://issues.stage.redhat.com/secure/projectavatar?size=medium&pid=12337520&avatarId=12560"}}, + "fixVersions": [], "customfield_12320944": null, "aggregatetimespent": null, + "resolution": null, "customfield_12310220": null, "customfield_12314740": + "{summaryBean=com.atlassian.jira.plugin.devstatus.rest.SummaryBean@54f61a04[summary={pullrequest=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@58a12196[overall=PullRequestOverallBean{stateCount=0, + state=''OPEN'', details=PullRequestOverallDetails{openCount=0, mergedCount=0, + declinedCount=0}},byInstanceType={}], build=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@6a290a51[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BuildOverallBean@3b552b13[failedBuildCount=0,successfulBuildCount=0,unknownBuildCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + review=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@50dce31c[overall=com.atlassian.jira.plugin.devstatus.summary.beans.ReviewsOverallBean@65ca8b2[stateCount=0,state=,dueDate=,overDue=false,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + deployment-environment=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@248541aa[overall=com.atlassian.jira.plugin.devstatus.summary.beans.DeploymentOverallBean@361afb9a[topEnvironments=[],showProjects=false,successfulCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + repository=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@1692a46[overall=com.atlassian.jira.plugin.devstatus.summary.beans.CommitOverallBean@62130be1[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + branch=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@6c959e18[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BranchOverallBean@d327e3b[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}]},errors=[],configErrors=[]], + devSummaryJson={\"cachedValue\":{\"errors\":[],\"configErrors\":[],\"summary\":{\"pullrequest\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":\"OPEN\",\"details\":{\"openCount\":0,\"mergedCount\":0,\"declinedCount\":0,\"total\":0},\"open\":true},\"byInstanceType\":{}},\"build\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"failedBuildCount\":0,\"successfulBuildCount\":0,\"unknownBuildCount\":0},\"byInstanceType\":{}},\"review\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":null,\"dueDate\":null,\"overDue\":false,\"completed\":false},\"byInstanceType\":{}},\"deployment-environment\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"topEnvironments\":[],\"showProjects\":false,\"successfulCount\":0},\"byInstanceType\":{}},\"repository\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}},\"branch\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}}}},\"isStale\":false}}", + "resolutiondate": null, "workratio": -1, "customfield_12316840": null, "customfield_12317379": + null, "customfield_12315950": null, "customfield_12316841": null, "customfield_12310940": + null, "customfield_12319040": null, "lastViewed": null, "watches": {"self": + "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-377/watchers", "watchCount": + 1, "isWatching": true}, "created": "2023-10-23T23:59:23.669+0000", "customfield_12321240": + null, "customfield_12313140": null, "priority": {"self": "https://issues.stage.redhat.com/rest/api/2/priority/10300", + "iconUrl": "https://issues.stage.redhat.com/images/icons/priorities/trivial.svg", + "name": "Undefined", "id": "10300"}, "labels": ["flawuuid:340cc961-c0b4-4c20-a2d3-8f5ce30f2aa8", + "impact:MODERATE", "major_incident"], "customfield_12320947": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27714", + "value": "Unclassified", "id": "27714", "disabled": false}], "customfield_12320946": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27705", + "value": "False", "id": "27705", "disabled": false}, "aggregatetimeoriginalestimate": + null, "timeestimate": null, "versions": [], "issuelinks": [], "assignee": + null, "updated": "2023-10-23T23:59:23.669+0000", "customfield_12313942": null, + "customfield_12313941": null, "status": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10016", + "description": "Initial creation status. Implies nothing yet and should be + very short lived; also can be a Bugzilla status.", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "New", "id": "10016", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}, "components": + [], "timeoriginalestimate": null, "description": "Description for CVE-2020-0009", + "customfield_12314040": null, "customfield_12320844": null, "archiveddate": + null, "timetracking": {}, "customfield_12320842": null, "customfield_12310243": + null, "attachment": [], "aggregatetimeestimate": null, "customfield_12316542": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14655", + "value": "False", "id": "14655", "disabled": false}, "customfield_12316543": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14657", + "value": "False", "id": "14657", "disabled": false}, "customfield_12317313": + null, "customfield_12316544": "None", "customfield_12310840": "9223372036854775807", + "summary": "CVE-2020-0009 kernel: some description", "customfield_12323640": + null, "customfield_12323840": null, "customfield_12323642": null, "creator": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12323641": null, "subtasks": [], "customfield_12321140": null, + "customfield_12323647": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/34754", + "value": "en-US (English)", "id": "34754", "disabled": false}], "reporter": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12320850": null, "aggregateprogress": {"progress": 0, "total": + 0}, "customfield_12323644": null, "customfield_12323841": null, "customfield_12323643": + null, "customfield_12323646": null, "customfield_12323645": null, "environment": + null, "customfield_12315542": null, "customfield_12315740": null, "customfield_12313441": + "", "customfield_12313440": "0.0", "customfield_12313240": null, "duedate": + null, "customfield_12311140": null, "customfield_12319742": null, "progress": + {"progress": 0, "total": 0}, "comment": {"comments": [], "maxResults": 0, + "total": 0, "startAt": 0}, "votes": {"self": "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-377/votes", + "votes": 0, "hasVoted": false}, "worklog": {"startAt": 0, "maxResults": 20, + "total": 0, "worklogs": []}, "customfield_12319743": null, "customfield_12310213": + null, "archivedby": null, "customfield_12311940": "1|zcs0ec:"}}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:40 GMT + Expires: + - Mon, 23 Oct 2023 23:59:40 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '9040' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415614x1 + x-asessionid: + - 19t56s0 + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105580.356d47c2 + x-rh-edge-request-id: + - 356d47c2 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 200 + message: OK +- request: + body: '{"fields": {"issuetype": {"name": "Story"}, "project": {"key": "OSIM"}, + "description": "Description for CVE-2020-0009", "labels": ["flawuuid:340cc961-c0b4-4c20-a2d3-8f5ce30f2aa8", + "impact:MODERATE", "major_incident", "flawuuid:340cc961-c0b4-4c20-a2d3-8f5ce30f2aa8", + "impact:MODERATE"], "summary": "CVE-2020-0009 kernel: some description", "customfield_12313240": + "4077"}}' + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Length: + - '371' + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: PUT + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-377 + response: + body: + string: '' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:40 GMT + Expires: + - Mon, 23 Oct 2023 23:59:40 GMT + Pragma: + - no-cache + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415615x1 + x-asessionid: + - vyvu54 + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105580.356d4b42 + x-rh-edge-request-id: + - 356d4b42 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 204 + message: No Content +- request: + body: null + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: GET + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-377 + response: + body: + string: '{"expand": "renderedFields,names,schema,operations,editmeta,changelog,versionedRepresentations", + "id": "15544456", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544456", + "key": "OSIM-377", "fields": {"issuetype": {"self": "https://issues.stage.redhat.com/rest/api/2/issuetype/17", + "id": "17", "description": "Created by Jira Software - do not edit or delete. + Issue type for a user story.", "iconUrl": "https://issues.stage.redhat.com/secure/viewavatar?size=xsmall&avatarId=13275&avatarType=issuetype", + "name": "Story", "subtask": false, "avatarId": 13275}, "customfield_12322244": + null, "customfield_12318341": null, "timespent": null, "customfield_12320940": + null, "project": {"self": "https://issues.stage.redhat.com/rest/api/2/project/12337520", + "id": "12337520", "key": "OSIM", "name": "Open Security Issue Manager", "projectTypeKey": + "software", "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/projectavatar?pid=12337520&avatarId=12560", + "24x24": "https://issues.stage.redhat.com/secure/projectavatar?size=small&pid=12337520&avatarId=12560", + "16x16": "https://issues.stage.redhat.com/secure/projectavatar?size=xsmall&pid=12337520&avatarId=12560", + "32x32": "https://issues.stage.redhat.com/secure/projectavatar?size=medium&pid=12337520&avatarId=12560"}}, + "fixVersions": [], "customfield_12320944": null, "aggregatetimespent": null, + "resolution": null, "customfield_12310220": null, "customfield_12314740": + "{summaryBean=com.atlassian.jira.plugin.devstatus.rest.SummaryBean@7158b4d4[summary={pullrequest=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@4efe691[overall=PullRequestOverallBean{stateCount=0, + state=''OPEN'', details=PullRequestOverallDetails{openCount=0, mergedCount=0, + declinedCount=0}},byInstanceType={}], build=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@46c82d3d[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BuildOverallBean@3de8901b[failedBuildCount=0,successfulBuildCount=0,unknownBuildCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + review=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@a3daaf5[overall=com.atlassian.jira.plugin.devstatus.summary.beans.ReviewsOverallBean@6e16c52e[stateCount=0,state=,dueDate=,overDue=false,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + deployment-environment=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@69b0ac14[overall=com.atlassian.jira.plugin.devstatus.summary.beans.DeploymentOverallBean@10218171[topEnvironments=[],showProjects=false,successfulCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + repository=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@77acfb82[overall=com.atlassian.jira.plugin.devstatus.summary.beans.CommitOverallBean@2f4b7fec[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + branch=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@4377b61d[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BranchOverallBean@5fc19d0b[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}]},errors=[],configErrors=[]], + devSummaryJson={\"cachedValue\":{\"errors\":[],\"configErrors\":[],\"summary\":{\"pullrequest\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":\"OPEN\",\"details\":{\"openCount\":0,\"mergedCount\":0,\"declinedCount\":0,\"total\":0},\"open\":true},\"byInstanceType\":{}},\"build\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"failedBuildCount\":0,\"successfulBuildCount\":0,\"unknownBuildCount\":0},\"byInstanceType\":{}},\"review\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":null,\"dueDate\":null,\"overDue\":false,\"completed\":false},\"byInstanceType\":{}},\"deployment-environment\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"topEnvironments\":[],\"showProjects\":false,\"successfulCount\":0},\"byInstanceType\":{}},\"repository\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}},\"branch\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}}}},\"isStale\":false}}", + "resolutiondate": null, "workratio": -1, "customfield_12316840": null, "customfield_12317379": + null, "customfield_12315950": null, "customfield_12316841": null, "customfield_12310940": + null, "customfield_12319040": null, "lastViewed": null, "watches": {"self": + "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-377/watchers", "watchCount": + 1, "isWatching": true}, "created": "2023-10-23T23:59:23.669+0000", "customfield_12321240": + null, "customfield_12313140": null, "priority": {"self": "https://issues.stage.redhat.com/rest/api/2/priority/10300", + "iconUrl": "https://issues.stage.redhat.com/images/icons/priorities/trivial.svg", + "name": "Undefined", "id": "10300"}, "labels": ["flawuuid:340cc961-c0b4-4c20-a2d3-8f5ce30f2aa8", + "impact:MODERATE", "major_incident"], "customfield_12320947": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27714", + "value": "Unclassified", "id": "27714", "disabled": false}], "customfield_12320946": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27705", + "value": "False", "id": "27705", "disabled": false}, "aggregatetimeoriginalestimate": + null, "timeestimate": null, "versions": [], "issuelinks": [], "assignee": + null, "updated": "2023-10-23T23:59:40.473+0000", "customfield_12313942": null, + "customfield_12313941": null, "status": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10016", + "description": "Initial creation status. Implies nothing yet and should be + very short lived; also can be a Bugzilla status.", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "New", "id": "10016", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}, "components": + [], "timeoriginalestimate": null, "description": "Description for CVE-2020-0009", + "customfield_12314040": null, "customfield_12320844": null, "archiveddate": + null, "timetracking": {}, "customfield_12320842": null, "customfield_12310243": + null, "attachment": [], "aggregatetimeestimate": null, "customfield_12316542": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14655", + "value": "False", "id": "14655", "disabled": false}, "customfield_12316543": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14657", + "value": "False", "id": "14657", "disabled": false}, "customfield_12317313": + null, "customfield_12316544": "None", "customfield_12310840": "9223372036854775807", + "summary": "CVE-2020-0009 kernel: some description", "customfield_12323640": + null, "customfield_12323840": null, "customfield_12323642": null, "creator": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12323641": null, "subtasks": [], "customfield_12321140": null, + "customfield_12323647": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/34754", + "value": "en-US (English)", "id": "34754", "disabled": false}], "reporter": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12320850": null, "aggregateprogress": {"progress": 0, "total": + 0}, "customfield_12323644": null, "customfield_12323841": null, "customfield_12323643": + null, "customfield_12323646": null, "customfield_12323645": null, "environment": + null, "customfield_12315542": null, "customfield_12315740": null, "customfield_12313441": + "", "customfield_12313440": "0.0", "customfield_12313240": {"id": 4077, "name": + "osidb_test_team"}, "duedate": null, "customfield_12311140": null, "customfield_12319742": + null, "progress": {"progress": 0, "total": 0}, "comment": {"comments": [], + "maxResults": 0, "total": 0, "startAt": 0}, "votes": {"self": "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-377/votes", + "votes": 0, "hasVoted": false}, "worklog": {"startAt": 0, "maxResults": 20, + "total": 0, "worklogs": []}, "customfield_12319743": null, "customfield_12310213": + null, "archivedby": null, "customfield_12311940": "1|zcs0ec:"}}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:41 GMT + Expires: + - Mon, 23 Oct 2023 23:59:41 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '9073' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415616x1 + x-asessionid: + - 9bfluu + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105581.356d5e13 + x-rh-edge-request-id: + - 356d5e13 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: GET + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-377/transitions + response: + body: + string: '{"expand": "transitions", "transitions": [{"id": "51", "name": "New", + "opsbarSequence": 10, "to": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10016", + "description": "Initial creation status. Implies nothing yet and should be + very short lived; also can be a Bugzilla status.", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "New", "id": "10016", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}}, {"id": + "61", "name": "Refinement", "opsbarSequence": 20, "to": {"self": "https://issues.stage.redhat.com/rest/api/2/status/15021", + "description": "Work is being scoped and discussed (To Do status category; + see also Draft)", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "Refinement", "id": "15021", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}}, {"id": + "31", "name": "In Progress", "opsbarSequence": 30, "to": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10018", + "description": "Work has started", "iconUrl": "https://issues.stage.redhat.com/images/icons/status_generic.gif", + "name": "In Progress", "id": "10018", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/4", + "id": 4, "key": "indeterminate", "colorName": "inprogress", "name": "In Progress"}}}, + {"id": "41", "name": "Closed", "opsbarSequence": 40, "to": {"self": "https://issues.stage.redhat.com/rest/api/2/status/6", + "description": "The issue is closed. See the resolution for context regarding + why (for example Done, Abandoned, Duplicate, etc)", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/closed.png", + "name": "Closed", "id": "6", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/3", + "id": 3, "key": "done", "colorName": "success", "name": "Done"}}}]}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:41 GMT + Expires: + - Mon, 23 Oct 2023 23:59:41 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '1920' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415617x1 + x-asessionid: + - 10fwajo + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105581.356d6238 + x-rh-edge-request-id: + - 356d6238 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 200 + message: OK +- request: + body: '{"transition": {"id": "61"}, "fields": {}}' + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Length: + - '42' + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: POST + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-377/transitions + response: + body: + string: '' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:41 GMT + Expires: + - Mon, 23 Oct 2023 23:59:41 GMT + Pragma: + - no-cache + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415618x1 + x-asessionid: + - pt8hbf + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105581.356d643a + x-rh-edge-request-id: + - 356d643a + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 204 + message: No Content +- request: + body: null + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: GET + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-377 + response: + body: + string: '{"expand": "renderedFields,names,schema,operations,editmeta,changelog,versionedRepresentations", + "id": "15544456", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544456", + "key": "OSIM-377", "fields": {"issuetype": {"self": "https://issues.stage.redhat.com/rest/api/2/issuetype/17", + "id": "17", "description": "Created by Jira Software - do not edit or delete. + Issue type for a user story.", "iconUrl": "https://issues.stage.redhat.com/secure/viewavatar?size=xsmall&avatarId=13275&avatarType=issuetype", + "name": "Story", "subtask": false, "avatarId": 13275}, "customfield_12322244": + null, "customfield_12318341": null, "timespent": null, "customfield_12320940": + null, "project": {"self": "https://issues.stage.redhat.com/rest/api/2/project/12337520", + "id": "12337520", "key": "OSIM", "name": "Open Security Issue Manager", "projectTypeKey": + "software", "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/projectavatar?pid=12337520&avatarId=12560", + "24x24": "https://issues.stage.redhat.com/secure/projectavatar?size=small&pid=12337520&avatarId=12560", + "16x16": "https://issues.stage.redhat.com/secure/projectavatar?size=xsmall&pid=12337520&avatarId=12560", + "32x32": "https://issues.stage.redhat.com/secure/projectavatar?size=medium&pid=12337520&avatarId=12560"}}, + "fixVersions": [], "customfield_12320944": null, "aggregatetimespent": null, + "resolution": null, "customfield_12310220": null, "customfield_12314740": + "{summaryBean=com.atlassian.jira.plugin.devstatus.rest.SummaryBean@47630129[summary={pullrequest=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@7f380d85[overall=PullRequestOverallBean{stateCount=0, + state=''OPEN'', details=PullRequestOverallDetails{openCount=0, mergedCount=0, + declinedCount=0}},byInstanceType={}], build=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@2795a320[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BuildOverallBean@18fec672[failedBuildCount=0,successfulBuildCount=0,unknownBuildCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + review=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@6a52b997[overall=com.atlassian.jira.plugin.devstatus.summary.beans.ReviewsOverallBean@16745136[stateCount=0,state=,dueDate=,overDue=false,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + deployment-environment=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@1cf26c7b[overall=com.atlassian.jira.plugin.devstatus.summary.beans.DeploymentOverallBean@7251e4c1[topEnvironments=[],showProjects=false,successfulCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + repository=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@db0651d[overall=com.atlassian.jira.plugin.devstatus.summary.beans.CommitOverallBean@3979687c[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + branch=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@36e75a9c[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BranchOverallBean@4bedd76d[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}]},errors=[],configErrors=[]], + devSummaryJson={\"cachedValue\":{\"errors\":[],\"configErrors\":[],\"summary\":{\"pullrequest\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":\"OPEN\",\"details\":{\"openCount\":0,\"mergedCount\":0,\"declinedCount\":0,\"total\":0},\"open\":true},\"byInstanceType\":{}},\"build\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"failedBuildCount\":0,\"successfulBuildCount\":0,\"unknownBuildCount\":0},\"byInstanceType\":{}},\"review\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":null,\"dueDate\":null,\"overDue\":false,\"completed\":false},\"byInstanceType\":{}},\"deployment-environment\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"topEnvironments\":[],\"showProjects\":false,\"successfulCount\":0},\"byInstanceType\":{}},\"repository\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}},\"branch\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}}}},\"isStale\":false}}", + "resolutiondate": null, "workratio": -1, "customfield_12316840": null, "customfield_12317379": + null, "customfield_12315950": null, "customfield_12316841": null, "customfield_12310940": + null, "customfield_12319040": null, "lastViewed": null, "watches": {"self": + "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-377/watchers", "watchCount": + 1, "isWatching": true}, "created": "2023-10-23T23:59:23.669+0000", "customfield_12321240": + null, "customfield_12313140": null, "priority": {"self": "https://issues.stage.redhat.com/rest/api/2/priority/10300", + "iconUrl": "https://issues.stage.redhat.com/images/icons/priorities/trivial.svg", + "name": "Undefined", "id": "10300"}, "labels": ["flawuuid:340cc961-c0b4-4c20-a2d3-8f5ce30f2aa8", + "impact:MODERATE", "major_incident"], "customfield_12320947": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27714", + "value": "Unclassified", "id": "27714", "disabled": false}], "customfield_12320946": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27705", + "value": "False", "id": "27705", "disabled": false}, "aggregatetimeoriginalestimate": + null, "timeestimate": null, "versions": [], "issuelinks": [], "assignee": + null, "updated": "2023-10-23T23:59:41.299+0000", "customfield_12313942": null, + "customfield_12313941": null, "status": {"self": "https://issues.stage.redhat.com/rest/api/2/status/15021", + "description": "Work is being scoped and discussed (To Do status category; + see also Draft)", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "Refinement", "id": "15021", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}, "components": + [], "timeoriginalestimate": null, "description": "Description for CVE-2020-0009", + "customfield_12314040": null, "customfield_12320844": null, "archiveddate": + null, "timetracking": {}, "customfield_12320842": null, "customfield_12310243": + null, "attachment": [], "aggregatetimeestimate": null, "customfield_12316542": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14655", + "value": "False", "id": "14655", "disabled": false}, "customfield_12316543": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14657", + "value": "False", "id": "14657", "disabled": false}, "customfield_12317313": + null, "customfield_12316544": "None", "customfield_12310840": "9223372036854775807", + "summary": "CVE-2020-0009 kernel: some description", "customfield_12323640": + null, "customfield_12323840": null, "customfield_12323642": null, "creator": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12323641": null, "subtasks": [], "customfield_12321140": null, + "customfield_12323647": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/34754", + "value": "en-US (English)", "id": "34754", "disabled": false}], "reporter": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12320850": null, "aggregateprogress": {"progress": 0, "total": + 0}, "customfield_12323644": null, "customfield_12323841": null, "customfield_12323643": + null, "customfield_12323646": null, "customfield_12323645": null, "environment": + null, "customfield_12315542": null, "customfield_12315740": null, "customfield_12313441": + "", "customfield_12313440": "0.0", "customfield_12313240": {"id": 4077, "name": + "osidb_test_team"}, "duedate": null, "customfield_12311140": null, "customfield_12319742": + null, "progress": {"progress": 0, "total": 0}, "comment": {"comments": [], + "maxResults": 0, "total": 0, "startAt": 0}, "votes": {"self": "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-377/votes", + "votes": 0, "hasVoted": false}, "worklog": {"startAt": 0, "maxResults": 20, + "total": 0, "worklogs": []}, "customfield_12319743": null, "customfield_12310213": + null, "archivedby": null, "customfield_12311940": "1|zcs0ec:"}}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:42 GMT + Expires: + - Mon, 23 Oct 2023 23:59:42 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '9048' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415620x1 + x-asessionid: + - 1eyrvcs + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105582.356d7016 + x-rh-edge-request-id: + - 356d7016 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 200 + message: OK +version: 1 diff --git a/apps/taskman/tests/cassettes/test_api/TestTaskmanAPI.test_task_get.yaml b/apps/taskman/tests/cassettes/test_api/TestTaskmanAPI.test_task_get.yaml new file mode 100644 index 000000000..69a3949a2 --- /dev/null +++ b/apps/taskman/tests/cassettes/test_api/TestTaskmanAPI.test_task_get.yaml @@ -0,0 +1,374 @@ +interactions: +- request: + body: '{"fields": {"issuetype": {"name": "Story"}, "project": {"key": "OSIM"}, + "description": "Description for CVE-2020-0000", "labels": ["flawuuid:cee8a256-c483-4c0a-8604-e82ee4ef90c6", + "impact:IMPORTANT", "flawuuid:cee8a256-c483-4c0a-8604-e82ee4ef90c6", "impact:IMPORTANT"], + "summary": "CVE-2020-0000 kernel: some description"}}' + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Length: + - '323' + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: POST + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue + response: + body: + string: '{"id": "15544447", "key": "OSIM-368", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544447"}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:58:39 GMT + Expires: + - Mon, 23 Oct 2023 23:58:39 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '101' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1438x415520x1 + x-asessionid: + - 1bw7gim + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105519.3568c6b3 + x-rh-edge-request-id: + - 3568c6b3 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 201 + message: Created +- request: + body: null + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: GET + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-368 + response: + body: + string: '{"expand": "renderedFields,names,schema,operations,editmeta,changelog,versionedRepresentations", + "id": "15544447", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544447", + "key": "OSIM-368", "fields": {"issuetype": {"self": "https://issues.stage.redhat.com/rest/api/2/issuetype/17", + "id": "17", "description": "Created by Jira Software - do not edit or delete. + Issue type for a user story.", "iconUrl": "https://issues.stage.redhat.com/secure/viewavatar?size=xsmall&avatarId=13275&avatarType=issuetype", + "name": "Story", "subtask": false, "avatarId": 13275}, "customfield_12322244": + null, "customfield_12318341": null, "timespent": null, "customfield_12320940": + null, "project": {"self": "https://issues.stage.redhat.com/rest/api/2/project/12337520", + "id": "12337520", "key": "OSIM", "name": "Open Security Issue Manager", "projectTypeKey": + "software", "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/projectavatar?pid=12337520&avatarId=12560", + "24x24": "https://issues.stage.redhat.com/secure/projectavatar?size=small&pid=12337520&avatarId=12560", + "16x16": "https://issues.stage.redhat.com/secure/projectavatar?size=xsmall&pid=12337520&avatarId=12560", + "32x32": "https://issues.stage.redhat.com/secure/projectavatar?size=medium&pid=12337520&avatarId=12560"}}, + "fixVersions": [], "customfield_12320944": null, "aggregatetimespent": null, + "resolution": null, "customfield_12310220": null, "customfield_12314740": + "{summaryBean=com.atlassian.jira.plugin.devstatus.rest.SummaryBean@42d0254a[summary={pullrequest=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@617381b9[overall=PullRequestOverallBean{stateCount=0, + state=''OPEN'', details=PullRequestOverallDetails{openCount=0, mergedCount=0, + declinedCount=0}},byInstanceType={}], build=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@55906a34[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BuildOverallBean@28135776[failedBuildCount=0,successfulBuildCount=0,unknownBuildCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + review=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@2546d080[overall=com.atlassian.jira.plugin.devstatus.summary.beans.ReviewsOverallBean@7c88c4f1[stateCount=0,state=,dueDate=,overDue=false,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + deployment-environment=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@2a9fd09e[overall=com.atlassian.jira.plugin.devstatus.summary.beans.DeploymentOverallBean@18059a5c[topEnvironments=[],showProjects=false,successfulCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + repository=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@bd48b0c[overall=com.atlassian.jira.plugin.devstatus.summary.beans.CommitOverallBean@31c169cb[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + branch=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@650e444d[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BranchOverallBean@51ede5ca[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}]},errors=[],configErrors=[]], + devSummaryJson={\"cachedValue\":{\"errors\":[],\"configErrors\":[],\"summary\":{\"pullrequest\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":\"OPEN\",\"details\":{\"openCount\":0,\"mergedCount\":0,\"declinedCount\":0,\"total\":0},\"open\":true},\"byInstanceType\":{}},\"build\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"failedBuildCount\":0,\"successfulBuildCount\":0,\"unknownBuildCount\":0},\"byInstanceType\":{}},\"review\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":null,\"dueDate\":null,\"overDue\":false,\"completed\":false},\"byInstanceType\":{}},\"deployment-environment\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"topEnvironments\":[],\"showProjects\":false,\"successfulCount\":0},\"byInstanceType\":{}},\"repository\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}},\"branch\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}}}},\"isStale\":false}}", + "resolutiondate": null, "workratio": -1, "customfield_12316840": null, "customfield_12317379": + null, "customfield_12315950": null, "customfield_12316841": null, "customfield_12310940": + null, "customfield_12319040": null, "lastViewed": null, "watches": {"self": + "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-368/watchers", "watchCount": + 1, "isWatching": true}, "created": "2023-10-23T23:58:38.886+0000", "customfield_12321240": + null, "customfield_12313140": null, "priority": {"self": "https://issues.stage.redhat.com/rest/api/2/priority/10300", + "iconUrl": "https://issues.stage.redhat.com/images/icons/priorities/trivial.svg", + "name": "Undefined", "id": "10300"}, "labels": ["flawuuid:cee8a256-c483-4c0a-8604-e82ee4ef90c6", + "impact:IMPORTANT"], "customfield_12320947": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27714", + "value": "Unclassified", "id": "27714", "disabled": false}], "customfield_12320946": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27705", + "value": "False", "id": "27705", "disabled": false}, "aggregatetimeoriginalestimate": + null, "timeestimate": null, "versions": [], "issuelinks": [], "assignee": + null, "updated": "2023-10-23T23:58:38.886+0000", "customfield_12313942": null, + "customfield_12313941": null, "status": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10016", + "description": "Initial creation status. Implies nothing yet and should be + very short lived; also can be a Bugzilla status.", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "New", "id": "10016", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}, "components": + [], "timeoriginalestimate": null, "description": "Description for CVE-2020-0000", + "customfield_12314040": null, "customfield_12320844": null, "archiveddate": + null, "timetracking": {}, "customfield_12320842": null, "customfield_12310243": + null, "attachment": [], "aggregatetimeestimate": null, "customfield_12316542": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14655", + "value": "False", "id": "14655", "disabled": false}, "customfield_12316543": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14657", + "value": "False", "id": "14657", "disabled": false}, "customfield_12317313": + null, "customfield_12316544": "None", "customfield_12310840": "9223372036854775807", + "summary": "CVE-2020-0000 kernel: some description", "customfield_12323640": + null, "customfield_12323840": null, "customfield_12323642": null, "creator": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12323641": null, "subtasks": [], "customfield_12321140": null, + "customfield_12323647": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/34754", + "value": "en-US (English)", "id": "34754", "disabled": false}], "reporter": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12320850": null, "aggregateprogress": {"progress": 0, "total": + 0}, "customfield_12323644": null, "customfield_12323841": null, "customfield_12323643": + null, "customfield_12323646": null, "customfield_12323645": null, "environment": + null, "customfield_12315542": null, "customfield_12315740": null, "customfield_12313441": + "", "customfield_12313440": "0.0", "customfield_12313240": null, "duedate": + null, "customfield_12311140": null, "customfield_12319742": null, "progress": + {"progress": 0, "total": 0}, "comment": {"comments": [], "maxResults": 0, + "total": 0, "startAt": 0}, "votes": {"self": "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-368/votes", + "votes": 0, "hasVoted": false}, "worklog": {"startAt": 0, "maxResults": 20, + "total": 0, "worklogs": []}, "customfield_12319743": null, "customfield_12310213": + null, "archivedby": null, "customfield_12311940": "1|zcs0cc:"}}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:58:39 GMT + Expires: + - Mon, 23 Oct 2023 23:58:39 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '9026' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1438x415521x1 + x-asessionid: + - sq4deo + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105519.3568d859 + x-rh-edge-request-id: + - 3568d859 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: GET + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-368 + response: + body: + string: '{"expand": "renderedFields,names,schema,operations,editmeta,changelog,versionedRepresentations", + "id": "15544447", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544447", + "key": "OSIM-368", "fields": {"issuetype": {"self": "https://issues.stage.redhat.com/rest/api/2/issuetype/17", + "id": "17", "description": "Created by Jira Software - do not edit or delete. + Issue type for a user story.", "iconUrl": "https://issues.stage.redhat.com/secure/viewavatar?size=xsmall&avatarId=13275&avatarType=issuetype", + "name": "Story", "subtask": false, "avatarId": 13275}, "customfield_12322244": + null, "customfield_12318341": null, "timespent": null, "customfield_12320940": + null, "project": {"self": "https://issues.stage.redhat.com/rest/api/2/project/12337520", + "id": "12337520", "key": "OSIM", "name": "Open Security Issue Manager", "projectTypeKey": + "software", "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/projectavatar?pid=12337520&avatarId=12560", + "24x24": "https://issues.stage.redhat.com/secure/projectavatar?size=small&pid=12337520&avatarId=12560", + "16x16": "https://issues.stage.redhat.com/secure/projectavatar?size=xsmall&pid=12337520&avatarId=12560", + "32x32": "https://issues.stage.redhat.com/secure/projectavatar?size=medium&pid=12337520&avatarId=12560"}}, + "fixVersions": [], "customfield_12320944": null, "aggregatetimespent": null, + "resolution": null, "customfield_12310220": null, "customfield_12314740": + "{summaryBean=com.atlassian.jira.plugin.devstatus.rest.SummaryBean@5044afc9[summary={pullrequest=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@7fc372b7[overall=PullRequestOverallBean{stateCount=0, + state=''OPEN'', details=PullRequestOverallDetails{openCount=0, mergedCount=0, + declinedCount=0}},byInstanceType={}], build=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@2cb5ac85[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BuildOverallBean@4807256e[failedBuildCount=0,successfulBuildCount=0,unknownBuildCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + review=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@2940d829[overall=com.atlassian.jira.plugin.devstatus.summary.beans.ReviewsOverallBean@23e4a95f[stateCount=0,state=,dueDate=,overDue=false,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + deployment-environment=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@2234e822[overall=com.atlassian.jira.plugin.devstatus.summary.beans.DeploymentOverallBean@5369855f[topEnvironments=[],showProjects=false,successfulCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + repository=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@7c478e8b[overall=com.atlassian.jira.plugin.devstatus.summary.beans.CommitOverallBean@7a6f7e0d[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + branch=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@7f1fec9a[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BranchOverallBean@60c3cd5b[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}]},errors=[],configErrors=[]], + devSummaryJson={\"cachedValue\":{\"errors\":[],\"configErrors\":[],\"summary\":{\"pullrequest\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":\"OPEN\",\"details\":{\"openCount\":0,\"mergedCount\":0,\"declinedCount\":0,\"total\":0},\"open\":true},\"byInstanceType\":{}},\"build\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"failedBuildCount\":0,\"successfulBuildCount\":0,\"unknownBuildCount\":0},\"byInstanceType\":{}},\"review\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":null,\"dueDate\":null,\"overDue\":false,\"completed\":false},\"byInstanceType\":{}},\"deployment-environment\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"topEnvironments\":[],\"showProjects\":false,\"successfulCount\":0},\"byInstanceType\":{}},\"repository\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}},\"branch\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}}}},\"isStale\":false}}", + "resolutiondate": null, "workratio": -1, "customfield_12316840": null, "customfield_12317379": + null, "customfield_12315950": null, "customfield_12316841": null, "customfield_12310940": + null, "customfield_12319040": null, "lastViewed": null, "watches": {"self": + "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-368/watchers", "watchCount": + 1, "isWatching": true}, "created": "2023-10-23T23:58:38.886+0000", "customfield_12321240": + null, "customfield_12313140": null, "priority": {"self": "https://issues.stage.redhat.com/rest/api/2/priority/10300", + "iconUrl": "https://issues.stage.redhat.com/images/icons/priorities/trivial.svg", + "name": "Undefined", "id": "10300"}, "labels": ["flawuuid:cee8a256-c483-4c0a-8604-e82ee4ef90c6", + "impact:IMPORTANT"], "customfield_12320947": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27714", + "value": "Unclassified", "id": "27714", "disabled": false}], "customfield_12320946": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27705", + "value": "False", "id": "27705", "disabled": false}, "aggregatetimeoriginalestimate": + null, "timeestimate": null, "versions": [], "issuelinks": [], "assignee": + null, "updated": "2023-10-23T23:58:38.886+0000", "customfield_12313942": null, + "customfield_12313941": null, "status": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10016", + "description": "Initial creation status. Implies nothing yet and should be + very short lived; also can be a Bugzilla status.", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "New", "id": "10016", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}, "components": + [], "timeoriginalestimate": null, "description": "Description for CVE-2020-0000", + "customfield_12314040": null, "customfield_12320844": null, "archiveddate": + null, "timetracking": {}, "customfield_12320842": null, "customfield_12310243": + null, "attachment": [], "aggregatetimeestimate": null, "customfield_12316542": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14655", + "value": "False", "id": "14655", "disabled": false}, "customfield_12316543": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14657", + "value": "False", "id": "14657", "disabled": false}, "customfield_12317313": + null, "customfield_12316544": "None", "customfield_12310840": "9223372036854775807", + "summary": "CVE-2020-0000 kernel: some description", "customfield_12323640": + null, "customfield_12323840": null, "customfield_12323642": null, "creator": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12323641": null, "subtasks": [], "customfield_12321140": null, + "customfield_12323647": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/34754", + "value": "en-US (English)", "id": "34754", "disabled": false}], "reporter": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12320850": null, "aggregateprogress": {"progress": 0, "total": + 0}, "customfield_12323644": null, "customfield_12323841": null, "customfield_12323643": + null, "customfield_12323646": null, "customfield_12323645": null, "environment": + null, "customfield_12315542": null, "customfield_12315740": null, "customfield_12313441": + "", "customfield_12313440": "0.0", "customfield_12313240": null, "duedate": + null, "customfield_12311140": null, "customfield_12319742": null, "progress": + {"progress": 0, "total": 0}, "comment": {"comments": [], "maxResults": 0, + "total": 0, "startAt": 0}, "votes": {"self": "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-368/votes", + "votes": 0, "hasVoted": false}, "worklog": {"startAt": 0, "maxResults": 20, + "total": 0, "worklogs": []}, "customfield_12319743": null, "customfield_12310213": + null, "archivedby": null, "customfield_12311940": "1|zcs0cc:"}}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:58:40 GMT + Expires: + - Mon, 23 Oct 2023 23:58:40 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '9027' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1438x415522x1 + x-asessionid: + - sbb5ei + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105520.3568dd3e + x-rh-edge-request-id: + - 3568dd3e + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 200 + message: OK +version: 1 diff --git a/apps/taskman/tests/cassettes/test_api/TestTaskmanAPI.test_task_list.yaml b/apps/taskman/tests/cassettes/test_api/TestTaskmanAPI.test_task_list.yaml new file mode 100644 index 000000000..a3aaab4d2 --- /dev/null +++ b/apps/taskman/tests/cassettes/test_api/TestTaskmanAPI.test_task_list.yaml @@ -0,0 +1,5647 @@ +interactions: +- request: + body: '{"fields": {"issuetype": {"name": "Story"}, "project": {"key": "OSIM"}, + "description": "Description for CVE-2020-0001", "labels": ["flawuuid:7d9bc18e-7315-40e3-9db4-1fb5e9cad452", + "impact:IMPORTANT", "major_incident", "flawuuid:7d9bc18e-7315-40e3-9db4-1fb5e9cad452", + "impact:IMPORTANT"], "summary": "CVE-2020-0001 kernel: some description"}}' + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Length: + - '341' + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: POST + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue + response: + body: + string: '{"id": "15544448", "key": "OSIM-369", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544448"}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + - Transfer-Encoding + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:58:41 GMT + Expires: + - Mon, 23 Oct 2023 23:58:41 GMT + Pragma: + - no-cache + Transfer-Encoding: + - chunked + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '101' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1438x415523x1 + x-asessionid: + - m4mnox + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105521.3568e942 + x-rh-edge-request-id: + - 3568e942 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 201 + message: Created +- request: + body: null + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: GET + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-369 + response: + body: + string: '{"expand": "renderedFields,names,schema,operations,editmeta,changelog,versionedRepresentations", + "id": "15544448", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544448", + "key": "OSIM-369", "fields": {"issuetype": {"self": "https://issues.stage.redhat.com/rest/api/2/issuetype/17", + "id": "17", "description": "Created by Jira Software - do not edit or delete. + Issue type for a user story.", "iconUrl": "https://issues.stage.redhat.com/secure/viewavatar?size=xsmall&avatarId=13275&avatarType=issuetype", + "name": "Story", "subtask": false, "avatarId": 13275}, "customfield_12322244": + null, "customfield_12318341": null, "timespent": null, "customfield_12320940": + null, "project": {"self": "https://issues.stage.redhat.com/rest/api/2/project/12337520", + "id": "12337520", "key": "OSIM", "name": "Open Security Issue Manager", "projectTypeKey": + "software", "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/projectavatar?pid=12337520&avatarId=12560", + "24x24": "https://issues.stage.redhat.com/secure/projectavatar?size=small&pid=12337520&avatarId=12560", + "16x16": "https://issues.stage.redhat.com/secure/projectavatar?size=xsmall&pid=12337520&avatarId=12560", + "32x32": "https://issues.stage.redhat.com/secure/projectavatar?size=medium&pid=12337520&avatarId=12560"}}, + "fixVersions": [], "customfield_12320944": null, "aggregatetimespent": null, + "resolution": null, "customfield_12310220": null, "customfield_12314740": + "{summaryBean=com.atlassian.jira.plugin.devstatus.rest.SummaryBean@61213d3[summary={pullrequest=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@131c4dae[overall=PullRequestOverallBean{stateCount=0, + state=''OPEN'', details=PullRequestOverallDetails{openCount=0, mergedCount=0, + declinedCount=0}},byInstanceType={}], build=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@5201ddcb[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BuildOverallBean@23818b18[failedBuildCount=0,successfulBuildCount=0,unknownBuildCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + review=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@58ab027d[overall=com.atlassian.jira.plugin.devstatus.summary.beans.ReviewsOverallBean@42bad02a[stateCount=0,state=,dueDate=,overDue=false,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + deployment-environment=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@1e89a233[overall=com.atlassian.jira.plugin.devstatus.summary.beans.DeploymentOverallBean@317f33b1[topEnvironments=[],showProjects=false,successfulCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + repository=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@31c76709[overall=com.atlassian.jira.plugin.devstatus.summary.beans.CommitOverallBean@25e8da9b[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + branch=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@76237c2f[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BranchOverallBean@3e092be1[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}]},errors=[],configErrors=[]], + devSummaryJson={\"cachedValue\":{\"errors\":[],\"configErrors\":[],\"summary\":{\"pullrequest\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":\"OPEN\",\"details\":{\"openCount\":0,\"mergedCount\":0,\"declinedCount\":0,\"total\":0},\"open\":true},\"byInstanceType\":{}},\"build\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"failedBuildCount\":0,\"successfulBuildCount\":0,\"unknownBuildCount\":0},\"byInstanceType\":{}},\"review\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":null,\"dueDate\":null,\"overDue\":false,\"completed\":false},\"byInstanceType\":{}},\"deployment-environment\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"topEnvironments\":[],\"showProjects\":false,\"successfulCount\":0},\"byInstanceType\":{}},\"repository\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}},\"branch\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}}}},\"isStale\":false}}", + "resolutiondate": null, "workratio": -1, "customfield_12316840": null, "customfield_12317379": + null, "customfield_12315950": null, "customfield_12316841": null, "customfield_12310940": + null, "customfield_12319040": null, "lastViewed": null, "watches": {"self": + "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-369/watchers", "watchCount": + 1, "isWatching": true}, "created": "2023-10-23T23:58:40.537+0000", "customfield_12321240": + null, "customfield_12313140": null, "priority": {"self": "https://issues.stage.redhat.com/rest/api/2/priority/10300", + "iconUrl": "https://issues.stage.redhat.com/images/icons/priorities/trivial.svg", + "name": "Undefined", "id": "10300"}, "labels": ["flawuuid:7d9bc18e-7315-40e3-9db4-1fb5e9cad452", + "impact:IMPORTANT", "major_incident"], "customfield_12320947": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27714", + "value": "Unclassified", "id": "27714", "disabled": false}], "customfield_12320946": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27705", + "value": "False", "id": "27705", "disabled": false}, "aggregatetimeoriginalestimate": + null, "timeestimate": null, "versions": [], "issuelinks": [], "assignee": + null, "updated": "2023-10-23T23:58:40.537+0000", "customfield_12313942": null, + "customfield_12313941": null, "status": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10016", + "description": "Initial creation status. Implies nothing yet and should be + very short lived; also can be a Bugzilla status.", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "New", "id": "10016", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}, "components": + [], "timeoriginalestimate": null, "description": "Description for CVE-2020-0001", + "customfield_12314040": null, "customfield_12320844": null, "archiveddate": + null, "timetracking": {}, "customfield_12320842": null, "customfield_12310243": + null, "attachment": [], "aggregatetimeestimate": null, "customfield_12316542": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14655", + "value": "False", "id": "14655", "disabled": false}, "customfield_12316543": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14657", + "value": "False", "id": "14657", "disabled": false}, "customfield_12317313": + null, "customfield_12316544": "None", "customfield_12310840": "9223372036854775807", + "summary": "CVE-2020-0001 kernel: some description", "customfield_12323640": + null, "customfield_12323840": null, "customfield_12323642": null, "creator": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12323641": null, "subtasks": [], "customfield_12321140": null, + "customfield_12323647": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/34754", + "value": "en-US (English)", "id": "34754", "disabled": false}], "reporter": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12320850": null, "aggregateprogress": {"progress": 0, "total": + 0}, "customfield_12323644": null, "customfield_12323841": null, "customfield_12323643": + null, "customfield_12323646": null, "customfield_12323645": null, "environment": + null, "customfield_12315542": null, "customfield_12315740": null, "customfield_12313441": + "", "customfield_12313440": "0.0", "customfield_12313240": null, "duedate": + null, "customfield_12311140": null, "customfield_12319742": null, "progress": + {"progress": 0, "total": 0}, "comment": {"comments": [], "maxResults": 0, + "total": 0, "startAt": 0}, "votes": {"self": "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-369/votes", + "votes": 0, "hasVoted": false}, "worklog": {"startAt": 0, "maxResults": 20, + "total": 0, "worklogs": []}, "customfield_12319743": null, "customfield_12310213": + null, "archivedby": null, "customfield_12311940": "1|zcs0ck:"}}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:58:41 GMT + Expires: + - Mon, 23 Oct 2023 23:58:41 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '9043' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1438x415524x1 + x-asessionid: + - 17a601q + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105521.3568f71d + x-rh-edge-request-id: + - 3568f71d + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 200 + message: OK +- request: + body: '{"fields": {"issuetype": {"name": "Story"}, "project": {"key": "OSIM"}, + "description": "Description for CVE-2020-0001", "labels": ["flawuuid:7d9bc18e-7315-40e3-9db4-1fb5e9cad452", + "impact:IMPORTANT", "major_incident", "flawuuid:7d9bc18e-7315-40e3-9db4-1fb5e9cad452", + "impact:IMPORTANT"], "summary": "CVE-2020-0001 kernel: some description", "customfield_12313240": + "4077"}}' + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Length: + - '373' + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: PUT + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-369 + response: + body: + string: '' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:58:42 GMT + Expires: + - Mon, 23 Oct 2023 23:58:42 GMT + Pragma: + - no-cache + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1438x415525x1 + x-asessionid: + - m766zp + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105522.3568fad9 + x-rh-edge-request-id: + - 3568fad9 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 204 + message: No Content +- request: + body: null + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: GET + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-369 + response: + body: + string: '{"expand": "renderedFields,names,schema,operations,editmeta,changelog,versionedRepresentations", + "id": "15544448", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544448", + "key": "OSIM-369", "fields": {"issuetype": {"self": "https://issues.stage.redhat.com/rest/api/2/issuetype/17", + "id": "17", "description": "Created by Jira Software - do not edit or delete. + Issue type for a user story.", "iconUrl": "https://issues.stage.redhat.com/secure/viewavatar?size=xsmall&avatarId=13275&avatarType=issuetype", + "name": "Story", "subtask": false, "avatarId": 13275}, "customfield_12322244": + null, "customfield_12318341": null, "timespent": null, "customfield_12320940": + null, "project": {"self": "https://issues.stage.redhat.com/rest/api/2/project/12337520", + "id": "12337520", "key": "OSIM", "name": "Open Security Issue Manager", "projectTypeKey": + "software", "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/projectavatar?pid=12337520&avatarId=12560", + "24x24": "https://issues.stage.redhat.com/secure/projectavatar?size=small&pid=12337520&avatarId=12560", + "16x16": "https://issues.stage.redhat.com/secure/projectavatar?size=xsmall&pid=12337520&avatarId=12560", + "32x32": "https://issues.stage.redhat.com/secure/projectavatar?size=medium&pid=12337520&avatarId=12560"}}, + "fixVersions": [], "customfield_12320944": null, "aggregatetimespent": null, + "resolution": null, "customfield_12310220": null, "customfield_12314740": + "{summaryBean=com.atlassian.jira.plugin.devstatus.rest.SummaryBean@111ae3dc[summary={pullrequest=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@52bbb42c[overall=PullRequestOverallBean{stateCount=0, + state=''OPEN'', details=PullRequestOverallDetails{openCount=0, mergedCount=0, + declinedCount=0}},byInstanceType={}], build=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@15bd3f1b[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BuildOverallBean@1a28f354[failedBuildCount=0,successfulBuildCount=0,unknownBuildCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + review=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@7a323141[overall=com.atlassian.jira.plugin.devstatus.summary.beans.ReviewsOverallBean@50f2ae56[stateCount=0,state=,dueDate=,overDue=false,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + deployment-environment=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@2c4b06b4[overall=com.atlassian.jira.plugin.devstatus.summary.beans.DeploymentOverallBean@7124f23a[topEnvironments=[],showProjects=false,successfulCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + repository=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@1af77d66[overall=com.atlassian.jira.plugin.devstatus.summary.beans.CommitOverallBean@5fb2e070[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + branch=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@2b382394[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BranchOverallBean@7ddbb1eb[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}]},errors=[],configErrors=[]], + devSummaryJson={\"cachedValue\":{\"errors\":[],\"configErrors\":[],\"summary\":{\"pullrequest\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":\"OPEN\",\"details\":{\"openCount\":0,\"mergedCount\":0,\"declinedCount\":0,\"total\":0},\"open\":true},\"byInstanceType\":{}},\"build\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"failedBuildCount\":0,\"successfulBuildCount\":0,\"unknownBuildCount\":0},\"byInstanceType\":{}},\"review\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":null,\"dueDate\":null,\"overDue\":false,\"completed\":false},\"byInstanceType\":{}},\"deployment-environment\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"topEnvironments\":[],\"showProjects\":false,\"successfulCount\":0},\"byInstanceType\":{}},\"repository\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}},\"branch\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}}}},\"isStale\":false}}", + "resolutiondate": null, "workratio": -1, "customfield_12316840": null, "customfield_12317379": + null, "customfield_12315950": null, "customfield_12316841": null, "customfield_12310940": + null, "customfield_12319040": null, "lastViewed": null, "watches": {"self": + "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-369/watchers", "watchCount": + 1, "isWatching": true}, "created": "2023-10-23T23:58:40.537+0000", "customfield_12321240": + null, "customfield_12313140": null, "priority": {"self": "https://issues.stage.redhat.com/rest/api/2/priority/10300", + "iconUrl": "https://issues.stage.redhat.com/images/icons/priorities/trivial.svg", + "name": "Undefined", "id": "10300"}, "labels": ["flawuuid:7d9bc18e-7315-40e3-9db4-1fb5e9cad452", + "impact:IMPORTANT", "major_incident"], "customfield_12320947": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27714", + "value": "Unclassified", "id": "27714", "disabled": false}], "customfield_12320946": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27705", + "value": "False", "id": "27705", "disabled": false}, "aggregatetimeoriginalestimate": + null, "timeestimate": null, "versions": [], "issuelinks": [], "assignee": + null, "updated": "2023-10-23T23:58:41.740+0000", "customfield_12313942": null, + "customfield_12313941": null, "status": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10016", + "description": "Initial creation status. Implies nothing yet and should be + very short lived; also can be a Bugzilla status.", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "New", "id": "10016", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}, "components": + [], "timeoriginalestimate": null, "description": "Description for CVE-2020-0001", + "customfield_12314040": null, "customfield_12320844": null, "archiveddate": + null, "timetracking": {}, "customfield_12320842": null, "customfield_12310243": + null, "attachment": [], "aggregatetimeestimate": null, "customfield_12316542": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14655", + "value": "False", "id": "14655", "disabled": false}, "customfield_12316543": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14657", + "value": "False", "id": "14657", "disabled": false}, "customfield_12317313": + null, "customfield_12316544": "None", "customfield_12310840": "9223372036854775807", + "summary": "CVE-2020-0001 kernel: some description", "customfield_12323640": + null, "customfield_12323840": null, "customfield_12323642": null, "creator": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12323641": null, "subtasks": [], "customfield_12321140": null, + "customfield_12323647": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/34754", + "value": "en-US (English)", "id": "34754", "disabled": false}], "reporter": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12320850": null, "aggregateprogress": {"progress": 0, "total": + 0}, "customfield_12323644": null, "customfield_12323841": null, "customfield_12323643": + null, "customfield_12323646": null, "customfield_12323645": null, "environment": + null, "customfield_12315542": null, "customfield_12315740": null, "customfield_12313441": + "", "customfield_12313440": "0.0", "customfield_12313240": {"id": 4077, "name": + "osidb_test_team"}, "duedate": null, "customfield_12311140": null, "customfield_12319742": + null, "progress": {"progress": 0, "total": 0}, "comment": {"comments": [], + "maxResults": 0, "total": 0, "startAt": 0}, "votes": {"self": "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-369/votes", + "votes": 0, "hasVoted": false}, "worklog": {"startAt": 0, "maxResults": 20, + "total": 0, "worklogs": []}, "customfield_12319743": null, "customfield_12310213": + null, "archivedby": null, "customfield_12311940": "1|zcs0ck:"}}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:58:42 GMT + Expires: + - Mon, 23 Oct 2023 23:58:42 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '9076' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1438x415526x1 + x-asessionid: + - 19i42ti + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105522.35690cd4 + x-rh-edge-request-id: + - 35690cd4 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 200 + message: OK +- request: + body: '{"fields": {"issuetype": {"name": "Story"}, "project": {"key": "OSIM"}, + "description": "Description for CVE-2020-0002", "labels": ["flawuuid:2cb38331-b6e4-424f-9466-fb86c719c44e", + "impact:LOW", "major_incident", "flawuuid:2cb38331-b6e4-424f-9466-fb86c719c44e", + "impact:LOW"], "summary": "CVE-2020-0002 kernel: some description"}}' + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Length: + - '329' + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: POST + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue + response: + body: + string: '{"id": "15544449", "key": "OSIM-370", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544449"}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + - Transfer-Encoding + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:58:43 GMT + Expires: + - Mon, 23 Oct 2023 23:58:43 GMT + Pragma: + - no-cache + Transfer-Encoding: + - chunked + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '101' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1438x415527x1 + x-asessionid: + - lrmuaa + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105523.3569105d + x-rh-edge-request-id: + - 3569105d + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 201 + message: Created +- request: + body: null + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: GET + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-370 + response: + body: + string: '{"expand": "renderedFields,names,schema,operations,editmeta,changelog,versionedRepresentations", + "id": "15544449", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544449", + "key": "OSIM-370", "fields": {"issuetype": {"self": "https://issues.stage.redhat.com/rest/api/2/issuetype/17", + "id": "17", "description": "Created by Jira Software - do not edit or delete. + Issue type for a user story.", "iconUrl": "https://issues.stage.redhat.com/secure/viewavatar?size=xsmall&avatarId=13275&avatarType=issuetype", + "name": "Story", "subtask": false, "avatarId": 13275}, "customfield_12322244": + null, "customfield_12318341": null, "timespent": null, "customfield_12320940": + null, "project": {"self": "https://issues.stage.redhat.com/rest/api/2/project/12337520", + "id": "12337520", "key": "OSIM", "name": "Open Security Issue Manager", "projectTypeKey": + "software", "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/projectavatar?pid=12337520&avatarId=12560", + "24x24": "https://issues.stage.redhat.com/secure/projectavatar?size=small&pid=12337520&avatarId=12560", + "16x16": "https://issues.stage.redhat.com/secure/projectavatar?size=xsmall&pid=12337520&avatarId=12560", + "32x32": "https://issues.stage.redhat.com/secure/projectavatar?size=medium&pid=12337520&avatarId=12560"}}, + "fixVersions": [], "customfield_12320944": null, "aggregatetimespent": null, + "resolution": null, "customfield_12310220": null, "customfield_12314740": + "{summaryBean=com.atlassian.jira.plugin.devstatus.rest.SummaryBean@44c1893f[summary={pullrequest=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@3dc537d2[overall=PullRequestOverallBean{stateCount=0, + state=''OPEN'', details=PullRequestOverallDetails{openCount=0, mergedCount=0, + declinedCount=0}},byInstanceType={}], build=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@2d8ab02b[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BuildOverallBean@396569ef[failedBuildCount=0,successfulBuildCount=0,unknownBuildCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + review=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@59f1dc13[overall=com.atlassian.jira.plugin.devstatus.summary.beans.ReviewsOverallBean@6e220644[stateCount=0,state=,dueDate=,overDue=false,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + deployment-environment=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@1651f843[overall=com.atlassian.jira.plugin.devstatus.summary.beans.DeploymentOverallBean@4e9d177[topEnvironments=[],showProjects=false,successfulCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + repository=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@532f84bd[overall=com.atlassian.jira.plugin.devstatus.summary.beans.CommitOverallBean@2dc1a8ba[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + branch=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@344bdea1[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BranchOverallBean@7e63d336[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}]},errors=[],configErrors=[]], + devSummaryJson={\"cachedValue\":{\"errors\":[],\"configErrors\":[],\"summary\":{\"pullrequest\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":\"OPEN\",\"details\":{\"openCount\":0,\"mergedCount\":0,\"declinedCount\":0,\"total\":0},\"open\":true},\"byInstanceType\":{}},\"build\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"failedBuildCount\":0,\"successfulBuildCount\":0,\"unknownBuildCount\":0},\"byInstanceType\":{}},\"review\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":null,\"dueDate\":null,\"overDue\":false,\"completed\":false},\"byInstanceType\":{}},\"deployment-environment\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"topEnvironments\":[],\"showProjects\":false,\"successfulCount\":0},\"byInstanceType\":{}},\"repository\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}},\"branch\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}}}},\"isStale\":false}}", + "resolutiondate": null, "workratio": -1, "customfield_12316840": null, "customfield_12317379": + null, "customfield_12315950": null, "customfield_12316841": null, "customfield_12310940": + null, "customfield_12319040": null, "lastViewed": null, "watches": {"self": + "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-370/watchers", "watchCount": + 1, "isWatching": true}, "created": "2023-10-23T23:58:42.739+0000", "customfield_12321240": + null, "customfield_12313140": null, "priority": {"self": "https://issues.stage.redhat.com/rest/api/2/priority/10300", + "iconUrl": "https://issues.stage.redhat.com/images/icons/priorities/trivial.svg", + "name": "Undefined", "id": "10300"}, "labels": ["flawuuid:2cb38331-b6e4-424f-9466-fb86c719c44e", + "impact:LOW", "major_incident"], "customfield_12320947": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27714", + "value": "Unclassified", "id": "27714", "disabled": false}], "customfield_12320946": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27705", + "value": "False", "id": "27705", "disabled": false}, "aggregatetimeoriginalestimate": + null, "timeestimate": null, "versions": [], "issuelinks": [], "assignee": + null, "updated": "2023-10-23T23:58:42.739+0000", "customfield_12313942": null, + "customfield_12313941": null, "status": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10016", + "description": "Initial creation status. Implies nothing yet and should be + very short lived; also can be a Bugzilla status.", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "New", "id": "10016", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}, "components": + [], "timeoriginalestimate": null, "description": "Description for CVE-2020-0002", + "customfield_12314040": null, "customfield_12320844": null, "archiveddate": + null, "timetracking": {}, "customfield_12320842": null, "customfield_12310243": + null, "attachment": [], "aggregatetimeestimate": null, "customfield_12316542": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14655", + "value": "False", "id": "14655", "disabled": false}, "customfield_12316543": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14657", + "value": "False", "id": "14657", "disabled": false}, "customfield_12317313": + null, "customfield_12316544": "None", "customfield_12310840": "9223372036854775807", + "summary": "CVE-2020-0002 kernel: some description", "customfield_12323640": + null, "customfield_12323840": null, "customfield_12323642": null, "creator": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12323641": null, "subtasks": [], "customfield_12321140": null, + "customfield_12323647": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/34754", + "value": "en-US (English)", "id": "34754", "disabled": false}], "reporter": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12320850": null, "aggregateprogress": {"progress": 0, "total": + 0}, "customfield_12323644": null, "customfield_12323841": null, "customfield_12323643": + null, "customfield_12323646": null, "customfield_12323645": null, "environment": + null, "customfield_12315542": null, "customfield_12315740": null, "customfield_12313441": + "", "customfield_12313440": "0.0", "customfield_12313240": null, "duedate": + null, "customfield_12311140": null, "customfield_12319742": null, "progress": + {"progress": 0, "total": 0}, "comment": {"comments": [], "maxResults": 0, + "total": 0, "startAt": 0}, "votes": {"self": "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-370/votes", + "votes": 0, "hasVoted": false}, "worklog": {"startAt": 0, "maxResults": 20, + "total": 0, "worklogs": []}, "customfield_12319743": null, "customfield_12310213": + null, "archivedby": null, "customfield_12311940": "1|zcs0cs:"}}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:58:43 GMT + Expires: + - Mon, 23 Oct 2023 23:58:43 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '9037' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1438x415530x1 + x-asessionid: + - 1j4ob6a + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105523.356920a8 + x-rh-edge-request-id: + - 356920a8 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 200 + message: OK +- request: + body: '{"fields": {"issuetype": {"name": "Story"}, "project": {"key": "OSIM"}, + "description": "Description for CVE-2020-0003", "labels": ["flawuuid:b1856cd8-47cf-4512-a256-67fee6aedd65", + "impact:LOW", "major_incident", "flawuuid:b1856cd8-47cf-4512-a256-67fee6aedd65", + "impact:LOW"], "summary": "CVE-2020-0003 kernel: some description"}}' + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Length: + - '329' + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: POST + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue + response: + body: + string: '{"id": "15544450", "key": "OSIM-371", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544450"}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - close + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:58:44 GMT + Expires: + - Mon, 23 Oct 2023 23:58:44 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '101' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1438x415531x1 + x-asessionid: + - 1l1tfj6 + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105524.356928d1 + x-rh-edge-request-id: + - 356928d1 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 201 + message: Created +- request: + body: null + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: GET + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-371 + response: + body: + string: '{"expand": "renderedFields,names,schema,operations,editmeta,changelog,versionedRepresentations", + "id": "15544450", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544450", + "key": "OSIM-371", "fields": {"issuetype": {"self": "https://issues.stage.redhat.com/rest/api/2/issuetype/17", + "id": "17", "description": "Created by Jira Software - do not edit or delete. + Issue type for a user story.", "iconUrl": "https://issues.stage.redhat.com/secure/viewavatar?size=xsmall&avatarId=13275&avatarType=issuetype", + "name": "Story", "subtask": false, "avatarId": 13275}, "customfield_12322244": + null, "customfield_12318341": null, "timespent": null, "customfield_12320940": + null, "project": {"self": "https://issues.stage.redhat.com/rest/api/2/project/12337520", + "id": "12337520", "key": "OSIM", "name": "Open Security Issue Manager", "projectTypeKey": + "software", "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/projectavatar?pid=12337520&avatarId=12560", + "24x24": "https://issues.stage.redhat.com/secure/projectavatar?size=small&pid=12337520&avatarId=12560", + "16x16": "https://issues.stage.redhat.com/secure/projectavatar?size=xsmall&pid=12337520&avatarId=12560", + "32x32": "https://issues.stage.redhat.com/secure/projectavatar?size=medium&pid=12337520&avatarId=12560"}}, + "fixVersions": [], "customfield_12320944": null, "aggregatetimespent": null, + "resolution": null, "customfield_12310220": null, "customfield_12314740": + "{summaryBean=com.atlassian.jira.plugin.devstatus.rest.SummaryBean@129d8187[summary={pullrequest=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@611e87fb[overall=PullRequestOverallBean{stateCount=0, + state=''OPEN'', details=PullRequestOverallDetails{openCount=0, mergedCount=0, + declinedCount=0}},byInstanceType={}], build=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@78216f75[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BuildOverallBean@6d150ed5[failedBuildCount=0,successfulBuildCount=0,unknownBuildCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + review=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@283af23f[overall=com.atlassian.jira.plugin.devstatus.summary.beans.ReviewsOverallBean@5cbc426d[stateCount=0,state=,dueDate=,overDue=false,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + deployment-environment=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@2f15c448[overall=com.atlassian.jira.plugin.devstatus.summary.beans.DeploymentOverallBean@6a3304d9[topEnvironments=[],showProjects=false,successfulCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + repository=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@1567a8aa[overall=com.atlassian.jira.plugin.devstatus.summary.beans.CommitOverallBean@2bf63f41[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + branch=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@2a4099f3[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BranchOverallBean@58a745ae[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}]},errors=[],configErrors=[]], + devSummaryJson={\"cachedValue\":{\"errors\":[],\"configErrors\":[],\"summary\":{\"pullrequest\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":\"OPEN\",\"details\":{\"openCount\":0,\"mergedCount\":0,\"declinedCount\":0,\"total\":0},\"open\":true},\"byInstanceType\":{}},\"build\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"failedBuildCount\":0,\"successfulBuildCount\":0,\"unknownBuildCount\":0},\"byInstanceType\":{}},\"review\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":null,\"dueDate\":null,\"overDue\":false,\"completed\":false},\"byInstanceType\":{}},\"deployment-environment\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"topEnvironments\":[],\"showProjects\":false,\"successfulCount\":0},\"byInstanceType\":{}},\"repository\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}},\"branch\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}}}},\"isStale\":false}}", + "resolutiondate": null, "workratio": -1, "customfield_12316840": null, "customfield_12317379": + null, "customfield_12315950": null, "customfield_12316841": null, "customfield_12310940": + null, "customfield_12319040": null, "lastViewed": null, "watches": {"self": + "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-371/watchers", "watchCount": + 1, "isWatching": true}, "created": "2023-10-23T23:58:44.050+0000", "customfield_12321240": + null, "customfield_12313140": null, "priority": {"self": "https://issues.stage.redhat.com/rest/api/2/priority/10300", + "iconUrl": "https://issues.stage.redhat.com/images/icons/priorities/trivial.svg", + "name": "Undefined", "id": "10300"}, "labels": ["flawuuid:b1856cd8-47cf-4512-a256-67fee6aedd65", + "impact:LOW", "major_incident"], "customfield_12320947": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27714", + "value": "Unclassified", "id": "27714", "disabled": false}], "customfield_12320946": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27705", + "value": "False", "id": "27705", "disabled": false}, "aggregatetimeoriginalestimate": + null, "timeestimate": null, "versions": [], "issuelinks": [], "assignee": + null, "updated": "2023-10-23T23:58:44.050+0000", "customfield_12313942": null, + "customfield_12313941": null, "status": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10016", + "description": "Initial creation status. Implies nothing yet and should be + very short lived; also can be a Bugzilla status.", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "New", "id": "10016", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}, "components": + [], "timeoriginalestimate": null, "description": "Description for CVE-2020-0003", + "customfield_12314040": null, "customfield_12320844": null, "archiveddate": + null, "timetracking": {}, "customfield_12320842": null, "customfield_12310243": + null, "attachment": [], "aggregatetimeestimate": null, "customfield_12316542": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14655", + "value": "False", "id": "14655", "disabled": false}, "customfield_12316543": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14657", + "value": "False", "id": "14657", "disabled": false}, "customfield_12317313": + null, "customfield_12316544": "None", "customfield_12310840": "9223372036854775807", + "summary": "CVE-2020-0003 kernel: some description", "customfield_12323640": + null, "customfield_12323840": null, "customfield_12323642": null, "creator": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12323641": null, "subtasks": [], "customfield_12321140": null, + "customfield_12323647": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/34754", + "value": "en-US (English)", "id": "34754", "disabled": false}], "reporter": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12320850": null, "aggregateprogress": {"progress": 0, "total": + 0}, "customfield_12323644": null, "customfield_12323841": null, "customfield_12323643": + null, "customfield_12323646": null, "customfield_12323645": null, "environment": + null, "customfield_12315542": null, "customfield_12315740": null, "customfield_12313441": + "", "customfield_12313440": "0.0", "customfield_12313240": null, "duedate": + null, "customfield_12311140": null, "customfield_12319742": null, "progress": + {"progress": 0, "total": 0}, "comment": {"comments": [], "maxResults": 0, + "total": 0, "startAt": 0}, "votes": {"self": "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-371/votes", + "votes": 0, "hasVoted": false}, "worklog": {"startAt": 0, "maxResults": 20, + "total": 0, "worklogs": []}, "customfield_12319743": null, "customfield_12310213": + null, "archivedby": null, "customfield_12311940": "1|zcs0d0:"}}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:58:59 GMT + Expires: + - Mon, 23 Oct 2023 23:58:59 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '9038' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1438x415543x1 + x-asessionid: + - 1hl9230 + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105539.356a3c06 + x-rh-edge-request-id: + - 356a3c06 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: GET + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-371/transitions + response: + body: + string: '{"expand": "transitions", "transitions": [{"id": "51", "name": "New", + "opsbarSequence": 10, "to": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10016", + "description": "Initial creation status. Implies nothing yet and should be + very short lived; also can be a Bugzilla status.", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "New", "id": "10016", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}}, {"id": + "61", "name": "Refinement", "opsbarSequence": 20, "to": {"self": "https://issues.stage.redhat.com/rest/api/2/status/15021", + "description": "Work is being scoped and discussed (To Do status category; + see also Draft)", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "Refinement", "id": "15021", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}}, {"id": + "31", "name": "In Progress", "opsbarSequence": 30, "to": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10018", + "description": "Work has started", "iconUrl": "https://issues.stage.redhat.com/images/icons/status_generic.gif", + "name": "In Progress", "id": "10018", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/4", + "id": 4, "key": "indeterminate", "colorName": "inprogress", "name": "In Progress"}}}, + {"id": "41", "name": "Closed", "opsbarSequence": 40, "to": {"self": "https://issues.stage.redhat.com/rest/api/2/status/6", + "description": "The issue is closed. See the resolution for context regarding + why (for example Done, Abandoned, Duplicate, etc)", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/closed.png", + "name": "Closed", "id": "6", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/3", + "id": 3, "key": "done", "colorName": "success", "name": "Done"}}}]}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:58:59 GMT + Expires: + - Mon, 23 Oct 2023 23:58:59 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '1920' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1438x415544x1 + x-asessionid: + - 1qt53zd + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105539.356a3ff3 + x-rh-edge-request-id: + - 356a3ff3 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 200 + message: OK +- request: + body: '{"transition": {"id": "61"}, "fields": {}}' + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Length: + - '42' + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: POST + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-371/transitions + response: + body: + string: '' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:00 GMT + Expires: + - Mon, 23 Oct 2023 23:59:00 GMT + Pragma: + - no-cache + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1438x415545x1 + x-asessionid: + - 9bw7cw + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105540.356a41ce + x-rh-edge-request-id: + - 356a41ce + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 204 + message: No Content +- request: + body: null + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: GET + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-371 + response: + body: + string: '{"expand": "renderedFields,names,schema,operations,editmeta,changelog,versionedRepresentations", + "id": "15544450", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544450", + "key": "OSIM-371", "fields": {"issuetype": {"self": "https://issues.stage.redhat.com/rest/api/2/issuetype/17", + "id": "17", "description": "Created by Jira Software - do not edit or delete. + Issue type for a user story.", "iconUrl": "https://issues.stage.redhat.com/secure/viewavatar?size=xsmall&avatarId=13275&avatarType=issuetype", + "name": "Story", "subtask": false, "avatarId": 13275}, "customfield_12322244": + null, "customfield_12318341": null, "timespent": null, "customfield_12320940": + null, "project": {"self": "https://issues.stage.redhat.com/rest/api/2/project/12337520", + "id": "12337520", "key": "OSIM", "name": "Open Security Issue Manager", "projectTypeKey": + "software", "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/projectavatar?pid=12337520&avatarId=12560", + "24x24": "https://issues.stage.redhat.com/secure/projectavatar?size=small&pid=12337520&avatarId=12560", + "16x16": "https://issues.stage.redhat.com/secure/projectavatar?size=xsmall&pid=12337520&avatarId=12560", + "32x32": "https://issues.stage.redhat.com/secure/projectavatar?size=medium&pid=12337520&avatarId=12560"}}, + "fixVersions": [], "customfield_12320944": null, "aggregatetimespent": null, + "resolution": null, "customfield_12310220": null, "customfield_12314740": + "{summaryBean=com.atlassian.jira.plugin.devstatus.rest.SummaryBean@56ad4741[summary={pullrequest=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@6ff587b6[overall=PullRequestOverallBean{stateCount=0, + state=''OPEN'', details=PullRequestOverallDetails{openCount=0, mergedCount=0, + declinedCount=0}},byInstanceType={}], build=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@5b840ff0[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BuildOverallBean@188feb01[failedBuildCount=0,successfulBuildCount=0,unknownBuildCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + review=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@76a8c67b[overall=com.atlassian.jira.plugin.devstatus.summary.beans.ReviewsOverallBean@6f46bca6[stateCount=0,state=,dueDate=,overDue=false,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + deployment-environment=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@1446c531[overall=com.atlassian.jira.plugin.devstatus.summary.beans.DeploymentOverallBean@73f6e35b[topEnvironments=[],showProjects=false,successfulCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + repository=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@43dd7840[overall=com.atlassian.jira.plugin.devstatus.summary.beans.CommitOverallBean@19245f11[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + branch=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@3be97e49[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BranchOverallBean@7f41be54[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}]},errors=[],configErrors=[]], + devSummaryJson={\"cachedValue\":{\"errors\":[],\"configErrors\":[],\"summary\":{\"pullrequest\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":\"OPEN\",\"details\":{\"openCount\":0,\"mergedCount\":0,\"declinedCount\":0,\"total\":0},\"open\":true},\"byInstanceType\":{}},\"build\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"failedBuildCount\":0,\"successfulBuildCount\":0,\"unknownBuildCount\":0},\"byInstanceType\":{}},\"review\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":null,\"dueDate\":null,\"overDue\":false,\"completed\":false},\"byInstanceType\":{}},\"deployment-environment\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"topEnvironments\":[],\"showProjects\":false,\"successfulCount\":0},\"byInstanceType\":{}},\"repository\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}},\"branch\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}}}},\"isStale\":false}}", + "resolutiondate": null, "workratio": -1, "customfield_12316840": null, "customfield_12317379": + null, "customfield_12315950": null, "customfield_12316841": null, "customfield_12310940": + null, "customfield_12319040": null, "lastViewed": null, "watches": {"self": + "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-371/watchers", "watchCount": + 1, "isWatching": true}, "created": "2023-10-23T23:58:44.050+0000", "customfield_12321240": + null, "customfield_12313140": null, "priority": {"self": "https://issues.stage.redhat.com/rest/api/2/priority/10300", + "iconUrl": "https://issues.stage.redhat.com/images/icons/priorities/trivial.svg", + "name": "Undefined", "id": "10300"}, "labels": ["flawuuid:b1856cd8-47cf-4512-a256-67fee6aedd65", + "impact:LOW", "major_incident"], "customfield_12320947": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27714", + "value": "Unclassified", "id": "27714", "disabled": false}], "customfield_12320946": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27705", + "value": "False", "id": "27705", "disabled": false}, "aggregatetimeoriginalestimate": + null, "timeestimate": null, "versions": [], "issuelinks": [], "assignee": + null, "updated": "2023-10-23T23:58:59.340+0000", "customfield_12313942": null, + "customfield_12313941": null, "status": {"self": "https://issues.stage.redhat.com/rest/api/2/status/15021", + "description": "Work is being scoped and discussed (To Do status category; + see also Draft)", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "Refinement", "id": "15021", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}, "components": + [], "timeoriginalestimate": null, "description": "Description for CVE-2020-0003", + "customfield_12314040": null, "customfield_12320844": null, "archiveddate": + null, "timetracking": {}, "customfield_12320842": null, "customfield_12310243": + null, "attachment": [], "aggregatetimeestimate": null, "customfield_12316542": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14655", + "value": "False", "id": "14655", "disabled": false}, "customfield_12316543": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14657", + "value": "False", "id": "14657", "disabled": false}, "customfield_12317313": + null, "customfield_12316544": "None", "customfield_12310840": "9223372036854775807", + "summary": "CVE-2020-0003 kernel: some description", "customfield_12323640": + null, "customfield_12323840": null, "customfield_12323642": null, "creator": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12323641": null, "subtasks": [], "customfield_12321140": null, + "customfield_12323647": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/34754", + "value": "en-US (English)", "id": "34754", "disabled": false}], "reporter": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12320850": null, "aggregateprogress": {"progress": 0, "total": + 0}, "customfield_12323644": null, "customfield_12323841": null, "customfield_12323643": + null, "customfield_12323646": null, "customfield_12323645": null, "environment": + null, "customfield_12315542": null, "customfield_12315740": null, "customfield_12313441": + "", "customfield_12313440": "0.0", "customfield_12313240": null, "duedate": + null, "customfield_12311140": null, "customfield_12319742": null, "progress": + {"progress": 0, "total": 0}, "comment": {"comments": [], "maxResults": 0, + "total": 0, "startAt": 0}, "votes": {"self": "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-371/votes", + "votes": 0, "hasVoted": false}, "worklog": {"startAt": 0, "maxResults": 20, + "total": 0, "worklogs": []}, "customfield_12319743": null, "customfield_12310213": + null, "archivedby": null, "customfield_12311940": "1|zcs0d0:"}}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:00 GMT + Expires: + - Mon, 23 Oct 2023 23:59:00 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '9012' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415548x2 + x-asessionid: + - 1kxs7rk + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105540.356a571e + x-rh-edge-request-id: + - 356a571e + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 200 + message: OK +- request: + body: '{"fields": {"issuetype": {"name": "Story"}, "project": {"key": "OSIM"}, + "description": "Description for CVE-2020-0004", "labels": ["flawuuid:389158fd-c67a-47b7-a8e5-bbc19c5dd3fd", + "impact:MODERATE", "major_incident", "flawuuid:389158fd-c67a-47b7-a8e5-bbc19c5dd3fd", + "impact:MODERATE"], "summary": "CVE-2020-0004 kernel: some description"}}' + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Length: + - '339' + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: POST + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue + response: + body: + string: '{"id": "15544451", "key": "OSIM-372", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544451"}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - close + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:06 GMT + Expires: + - Mon, 23 Oct 2023 23:59:06 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '101' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415549x2 + x-asessionid: + - wrxsb6 + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105546.356a5a8e + x-rh-edge-request-id: + - 356a5a8e + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 201 + message: Created +- request: + body: null + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: GET + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-372 + response: + body: + string: '{"expand": "renderedFields,names,schema,operations,editmeta,changelog,versionedRepresentations", + "id": "15544451", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544451", + "key": "OSIM-372", "fields": {"issuetype": {"self": "https://issues.stage.redhat.com/rest/api/2/issuetype/17", + "id": "17", "description": "Created by Jira Software - do not edit or delete. + Issue type for a user story.", "iconUrl": "https://issues.stage.redhat.com/secure/viewavatar?size=xsmall&avatarId=13275&avatarType=issuetype", + "name": "Story", "subtask": false, "avatarId": 13275}, "customfield_12322244": + null, "customfield_12318341": null, "timespent": null, "customfield_12320940": + null, "project": {"self": "https://issues.stage.redhat.com/rest/api/2/project/12337520", + "id": "12337520", "key": "OSIM", "name": "Open Security Issue Manager", "projectTypeKey": + "software", "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/projectavatar?pid=12337520&avatarId=12560", + "24x24": "https://issues.stage.redhat.com/secure/projectavatar?size=small&pid=12337520&avatarId=12560", + "16x16": "https://issues.stage.redhat.com/secure/projectavatar?size=xsmall&pid=12337520&avatarId=12560", + "32x32": "https://issues.stage.redhat.com/secure/projectavatar?size=medium&pid=12337520&avatarId=12560"}}, + "fixVersions": [], "customfield_12320944": null, "aggregatetimespent": null, + "resolution": null, "customfield_12310220": null, "customfield_12314740": + "{summaryBean=com.atlassian.jira.plugin.devstatus.rest.SummaryBean@2d1a4afc[summary={pullrequest=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@678f31d7[overall=PullRequestOverallBean{stateCount=0, + state=''OPEN'', details=PullRequestOverallDetails{openCount=0, mergedCount=0, + declinedCount=0}},byInstanceType={}], build=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@248788d2[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BuildOverallBean@3a98041c[failedBuildCount=0,successfulBuildCount=0,unknownBuildCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + review=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@4bb3a4b2[overall=com.atlassian.jira.plugin.devstatus.summary.beans.ReviewsOverallBean@3bd1dbc2[stateCount=0,state=,dueDate=,overDue=false,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + deployment-environment=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@23080572[overall=com.atlassian.jira.plugin.devstatus.summary.beans.DeploymentOverallBean@594a5deb[topEnvironments=[],showProjects=false,successfulCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + repository=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@f8ae444[overall=com.atlassian.jira.plugin.devstatus.summary.beans.CommitOverallBean@3a3031bc[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + branch=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@5970801d[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BranchOverallBean@525e2bdd[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}]},errors=[],configErrors=[]], + devSummaryJson={\"cachedValue\":{\"errors\":[],\"configErrors\":[],\"summary\":{\"pullrequest\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":\"OPEN\",\"details\":{\"openCount\":0,\"mergedCount\":0,\"declinedCount\":0,\"total\":0},\"open\":true},\"byInstanceType\":{}},\"build\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"failedBuildCount\":0,\"successfulBuildCount\":0,\"unknownBuildCount\":0},\"byInstanceType\":{}},\"review\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":null,\"dueDate\":null,\"overDue\":false,\"completed\":false},\"byInstanceType\":{}},\"deployment-environment\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"topEnvironments\":[],\"showProjects\":false,\"successfulCount\":0},\"byInstanceType\":{}},\"repository\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}},\"branch\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}}}},\"isStale\":false}}", + "resolutiondate": null, "workratio": -1, "customfield_12316840": null, "customfield_12317379": + null, "customfield_12315950": null, "customfield_12316841": null, "customfield_12310940": + null, "customfield_12319040": null, "lastViewed": null, "watches": {"self": + "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-372/watchers", "watchCount": + 1, "isWatching": true}, "created": "2023-10-23T23:59:00.811+0000", "customfield_12321240": + null, "customfield_12313140": null, "priority": {"self": "https://issues.stage.redhat.com/rest/api/2/priority/10300", + "iconUrl": "https://issues.stage.redhat.com/images/icons/priorities/trivial.svg", + "name": "Undefined", "id": "10300"}, "labels": ["flawuuid:389158fd-c67a-47b7-a8e5-bbc19c5dd3fd", + "impact:MODERATE", "major_incident"], "customfield_12320947": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27714", + "value": "Unclassified", "id": "27714", "disabled": false}], "customfield_12320946": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27705", + "value": "False", "id": "27705", "disabled": false}, "aggregatetimeoriginalestimate": + null, "timeestimate": null, "versions": [], "issuelinks": [], "assignee": + null, "updated": "2023-10-23T23:59:00.811+0000", "customfield_12313942": null, + "customfield_12313941": null, "status": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10016", + "description": "Initial creation status. Implies nothing yet and should be + very short lived; also can be a Bugzilla status.", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "New", "id": "10016", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}, "components": + [], "timeoriginalestimate": null, "description": "Description for CVE-2020-0004", + "customfield_12314040": null, "customfield_12320844": null, "archiveddate": + null, "timetracking": {}, "customfield_12320842": null, "customfield_12310243": + null, "attachment": [], "aggregatetimeestimate": null, "customfield_12316542": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14655", + "value": "False", "id": "14655", "disabled": false}, "customfield_12316543": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14657", + "value": "False", "id": "14657", "disabled": false}, "customfield_12317313": + null, "customfield_12316544": "None", "customfield_12310840": "9223372036854775807", + "summary": "CVE-2020-0004 kernel: some description", "customfield_12323640": + null, "customfield_12323840": null, "customfield_12323642": null, "creator": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12323641": null, "subtasks": [], "customfield_12321140": null, + "customfield_12323647": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/34754", + "value": "en-US (English)", "id": "34754", "disabled": false}], "reporter": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12320850": null, "aggregateprogress": {"progress": 0, "total": + 0}, "customfield_12323644": null, "customfield_12323841": null, "customfield_12323643": + null, "customfield_12323646": null, "customfield_12323645": null, "environment": + null, "customfield_12315542": null, "customfield_12315740": null, "customfield_12313441": + "", "customfield_12313440": "0.0", "customfield_12313240": null, "duedate": + null, "customfield_12311140": null, "customfield_12319742": null, "progress": + {"progress": 0, "total": 0}, "comment": {"comments": [], "maxResults": 0, + "total": 0, "startAt": 0}, "votes": {"self": "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-372/votes", + "votes": 0, "hasVoted": false}, "worklog": {"startAt": 0, "maxResults": 20, + "total": 0, "worklogs": []}, "customfield_12319743": null, "customfield_12310213": + null, "archivedby": null, "customfield_12311940": "1|zcs0d8:"}}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:08 GMT + Expires: + - Mon, 23 Oct 2023 23:59:08 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '9042' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415555x1 + x-asessionid: + - 1flb26g + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105548.356ae975 + x-rh-edge-request-id: + - 356ae975 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 200 + message: OK +- request: + body: '{"fields": {"issuetype": {"name": "Story"}, "project": {"key": "OSIM"}, + "description": "Description for CVE-2020-0004", "labels": ["flawuuid:389158fd-c67a-47b7-a8e5-bbc19c5dd3fd", + "impact:MODERATE", "major_incident", "flawuuid:389158fd-c67a-47b7-a8e5-bbc19c5dd3fd", + "impact:MODERATE"], "summary": "CVE-2020-0004 kernel: some description", "customfield_12313240": + "4077"}}' + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Length: + - '371' + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: PUT + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-372 + response: + body: + string: '' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:09 GMT + Expires: + - Mon, 23 Oct 2023 23:59:09 GMT + Pragma: + - no-cache + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415556x1 + x-asessionid: + - kx0o1h + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105549.356aebd0 + x-rh-edge-request-id: + - 356aebd0 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 204 + message: No Content +- request: + body: null + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: GET + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-372 + response: + body: + string: '{"expand": "renderedFields,names,schema,operations,editmeta,changelog,versionedRepresentations", + "id": "15544451", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544451", + "key": "OSIM-372", "fields": {"issuetype": {"self": "https://issues.stage.redhat.com/rest/api/2/issuetype/17", + "id": "17", "description": "Created by Jira Software - do not edit or delete. + Issue type for a user story.", "iconUrl": "https://issues.stage.redhat.com/secure/viewavatar?size=xsmall&avatarId=13275&avatarType=issuetype", + "name": "Story", "subtask": false, "avatarId": 13275}, "customfield_12322244": + null, "customfield_12318341": null, "timespent": null, "customfield_12320940": + null, "project": {"self": "https://issues.stage.redhat.com/rest/api/2/project/12337520", + "id": "12337520", "key": "OSIM", "name": "Open Security Issue Manager", "projectTypeKey": + "software", "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/projectavatar?pid=12337520&avatarId=12560", + "24x24": "https://issues.stage.redhat.com/secure/projectavatar?size=small&pid=12337520&avatarId=12560", + "16x16": "https://issues.stage.redhat.com/secure/projectavatar?size=xsmall&pid=12337520&avatarId=12560", + "32x32": "https://issues.stage.redhat.com/secure/projectavatar?size=medium&pid=12337520&avatarId=12560"}}, + "fixVersions": [], "customfield_12320944": null, "aggregatetimespent": null, + "resolution": null, "customfield_12310220": null, "customfield_12314740": + "{summaryBean=com.atlassian.jira.plugin.devstatus.rest.SummaryBean@47dbd259[summary={pullrequest=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@fb81184[overall=PullRequestOverallBean{stateCount=0, + state=''OPEN'', details=PullRequestOverallDetails{openCount=0, mergedCount=0, + declinedCount=0}},byInstanceType={}], build=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@7e93168b[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BuildOverallBean@31e81cec[failedBuildCount=0,successfulBuildCount=0,unknownBuildCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + review=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@1d683394[overall=com.atlassian.jira.plugin.devstatus.summary.beans.ReviewsOverallBean@609f73c0[stateCount=0,state=,dueDate=,overDue=false,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + deployment-environment=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@65e1616[overall=com.atlassian.jira.plugin.devstatus.summary.beans.DeploymentOverallBean@7720754d[topEnvironments=[],showProjects=false,successfulCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + repository=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@2b880cae[overall=com.atlassian.jira.plugin.devstatus.summary.beans.CommitOverallBean@30126b6c[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + branch=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@468a25de[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BranchOverallBean@32f4ba5f[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}]},errors=[],configErrors=[]], + devSummaryJson={\"cachedValue\":{\"errors\":[],\"configErrors\":[],\"summary\":{\"pullrequest\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":\"OPEN\",\"details\":{\"openCount\":0,\"mergedCount\":0,\"declinedCount\":0,\"total\":0},\"open\":true},\"byInstanceType\":{}},\"build\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"failedBuildCount\":0,\"successfulBuildCount\":0,\"unknownBuildCount\":0},\"byInstanceType\":{}},\"review\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":null,\"dueDate\":null,\"overDue\":false,\"completed\":false},\"byInstanceType\":{}},\"deployment-environment\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"topEnvironments\":[],\"showProjects\":false,\"successfulCount\":0},\"byInstanceType\":{}},\"repository\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}},\"branch\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}}}},\"isStale\":false}}", + "resolutiondate": null, "workratio": -1, "customfield_12316840": null, "customfield_12317379": + null, "customfield_12315950": null, "customfield_12316841": null, "customfield_12310940": + null, "customfield_12319040": null, "lastViewed": null, "watches": {"self": + "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-372/watchers", "watchCount": + 1, "isWatching": true}, "created": "2023-10-23T23:59:00.811+0000", "customfield_12321240": + null, "customfield_12313140": null, "priority": {"self": "https://issues.stage.redhat.com/rest/api/2/priority/10300", + "iconUrl": "https://issues.stage.redhat.com/images/icons/priorities/trivial.svg", + "name": "Undefined", "id": "10300"}, "labels": ["flawuuid:389158fd-c67a-47b7-a8e5-bbc19c5dd3fd", + "impact:MODERATE", "major_incident"], "customfield_12320947": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27714", + "value": "Unclassified", "id": "27714", "disabled": false}], "customfield_12320946": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27705", + "value": "False", "id": "27705", "disabled": false}, "aggregatetimeoriginalestimate": + null, "timeestimate": null, "versions": [], "issuelinks": [], "assignee": + null, "updated": "2023-10-23T23:59:09.114+0000", "customfield_12313942": null, + "customfield_12313941": null, "status": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10016", + "description": "Initial creation status. Implies nothing yet and should be + very short lived; also can be a Bugzilla status.", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "New", "id": "10016", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}, "components": + [], "timeoriginalestimate": null, "description": "Description for CVE-2020-0004", + "customfield_12314040": null, "customfield_12320844": null, "archiveddate": + null, "timetracking": {}, "customfield_12320842": null, "customfield_12310243": + null, "attachment": [], "aggregatetimeestimate": null, "customfield_12316542": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14655", + "value": "False", "id": "14655", "disabled": false}, "customfield_12316543": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14657", + "value": "False", "id": "14657", "disabled": false}, "customfield_12317313": + null, "customfield_12316544": "None", "customfield_12310840": "9223372036854775807", + "summary": "CVE-2020-0004 kernel: some description", "customfield_12323640": + null, "customfield_12323840": null, "customfield_12323642": null, "creator": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12323641": null, "subtasks": [], "customfield_12321140": null, + "customfield_12323647": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/34754", + "value": "en-US (English)", "id": "34754", "disabled": false}], "reporter": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12320850": null, "aggregateprogress": {"progress": 0, "total": + 0}, "customfield_12323644": null, "customfield_12323841": null, "customfield_12323643": + null, "customfield_12323646": null, "customfield_12323645": null, "environment": + null, "customfield_12315542": null, "customfield_12315740": null, "customfield_12313441": + "", "customfield_12313440": "0.0", "customfield_12313240": {"id": 4077, "name": + "osidb_test_team"}, "duedate": null, "customfield_12311140": null, "customfield_12319742": + null, "progress": {"progress": 0, "total": 0}, "comment": {"comments": [], + "maxResults": 0, "total": 0, "startAt": 0}, "votes": {"self": "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-372/votes", + "votes": 0, "hasVoted": false}, "worklog": {"startAt": 0, "maxResults": 20, + "total": 0, "worklogs": []}, "customfield_12319743": null, "customfield_12310213": + null, "archivedby": null, "customfield_12311940": "1|zcs0d8:"}}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:09 GMT + Expires: + - Mon, 23 Oct 2023 23:59:09 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '9073' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415557x1 + x-asessionid: + - xw2fyn + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105549.356afae2 + x-rh-edge-request-id: + - 356afae2 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: GET + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-372/transitions + response: + body: + string: '{"expand": "transitions", "transitions": [{"id": "51", "name": "New", + "opsbarSequence": 10, "to": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10016", + "description": "Initial creation status. Implies nothing yet and should be + very short lived; also can be a Bugzilla status.", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "New", "id": "10016", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}}, {"id": + "61", "name": "Refinement", "opsbarSequence": 20, "to": {"self": "https://issues.stage.redhat.com/rest/api/2/status/15021", + "description": "Work is being scoped and discussed (To Do status category; + see also Draft)", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "Refinement", "id": "15021", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}}, {"id": + "31", "name": "In Progress", "opsbarSequence": 30, "to": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10018", + "description": "Work has started", "iconUrl": "https://issues.stage.redhat.com/images/icons/status_generic.gif", + "name": "In Progress", "id": "10018", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/4", + "id": 4, "key": "indeterminate", "colorName": "inprogress", "name": "In Progress"}}}, + {"id": "41", "name": "Closed", "opsbarSequence": 40, "to": {"self": "https://issues.stage.redhat.com/rest/api/2/status/6", + "description": "The issue is closed. See the resolution for context regarding + why (for example Done, Abandoned, Duplicate, etc)", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/closed.png", + "name": "Closed", "id": "6", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/3", + "id": 3, "key": "done", "colorName": "success", "name": "Done"}}}]}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:09 GMT + Expires: + - Mon, 23 Oct 2023 23:59:09 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '1920' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415558x1 + x-asessionid: + - 1cjto2y + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105549.356afdbf + x-rh-edge-request-id: + - 356afdbf + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 200 + message: OK +- request: + body: '{"transition": {"id": "61"}, "fields": {}}' + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Length: + - '42' + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: POST + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-372/transitions + response: + body: + string: '' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:10 GMT + Expires: + - Mon, 23 Oct 2023 23:59:10 GMT + Pragma: + - no-cache + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415559x1 + x-asessionid: + - nmii0f + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105550.356aff1d + x-rh-edge-request-id: + - 356aff1d + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 204 + message: No Content +- request: + body: null + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: GET + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-372 + response: + body: + string: '{"expand": "renderedFields,names,schema,operations,editmeta,changelog,versionedRepresentations", + "id": "15544451", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544451", + "key": "OSIM-372", "fields": {"issuetype": {"self": "https://issues.stage.redhat.com/rest/api/2/issuetype/17", + "id": "17", "description": "Created by Jira Software - do not edit or delete. + Issue type for a user story.", "iconUrl": "https://issues.stage.redhat.com/secure/viewavatar?size=xsmall&avatarId=13275&avatarType=issuetype", + "name": "Story", "subtask": false, "avatarId": 13275}, "customfield_12322244": + null, "customfield_12318341": null, "timespent": null, "customfield_12320940": + null, "project": {"self": "https://issues.stage.redhat.com/rest/api/2/project/12337520", + "id": "12337520", "key": "OSIM", "name": "Open Security Issue Manager", "projectTypeKey": + "software", "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/projectavatar?pid=12337520&avatarId=12560", + "24x24": "https://issues.stage.redhat.com/secure/projectavatar?size=small&pid=12337520&avatarId=12560", + "16x16": "https://issues.stage.redhat.com/secure/projectavatar?size=xsmall&pid=12337520&avatarId=12560", + "32x32": "https://issues.stage.redhat.com/secure/projectavatar?size=medium&pid=12337520&avatarId=12560"}}, + "fixVersions": [], "customfield_12320944": null, "aggregatetimespent": null, + "resolution": null, "customfield_12310220": null, "customfield_12314740": + "{summaryBean=com.atlassian.jira.plugin.devstatus.rest.SummaryBean@342c6169[summary={pullrequest=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@31ebb8d8[overall=PullRequestOverallBean{stateCount=0, + state=''OPEN'', details=PullRequestOverallDetails{openCount=0, mergedCount=0, + declinedCount=0}},byInstanceType={}], build=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@1e97c33f[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BuildOverallBean@7256854d[failedBuildCount=0,successfulBuildCount=0,unknownBuildCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + review=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@c9b7414[overall=com.atlassian.jira.plugin.devstatus.summary.beans.ReviewsOverallBean@7ba97c88[stateCount=0,state=,dueDate=,overDue=false,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + deployment-environment=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@5b07d6f9[overall=com.atlassian.jira.plugin.devstatus.summary.beans.DeploymentOverallBean@1dbd5c39[topEnvironments=[],showProjects=false,successfulCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + repository=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@4ad1b04e[overall=com.atlassian.jira.plugin.devstatus.summary.beans.CommitOverallBean@7a2cc8a0[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + branch=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@1f797902[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BranchOverallBean@68d2b240[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}]},errors=[],configErrors=[]], + devSummaryJson={\"cachedValue\":{\"errors\":[],\"configErrors\":[],\"summary\":{\"pullrequest\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":\"OPEN\",\"details\":{\"openCount\":0,\"mergedCount\":0,\"declinedCount\":0,\"total\":0},\"open\":true},\"byInstanceType\":{}},\"build\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"failedBuildCount\":0,\"successfulBuildCount\":0,\"unknownBuildCount\":0},\"byInstanceType\":{}},\"review\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":null,\"dueDate\":null,\"overDue\":false,\"completed\":false},\"byInstanceType\":{}},\"deployment-environment\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"topEnvironments\":[],\"showProjects\":false,\"successfulCount\":0},\"byInstanceType\":{}},\"repository\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}},\"branch\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}}}},\"isStale\":false}}", + "resolutiondate": null, "workratio": -1, "customfield_12316840": null, "customfield_12317379": + null, "customfield_12315950": null, "customfield_12316841": null, "customfield_12310940": + null, "customfield_12319040": null, "lastViewed": null, "watches": {"self": + "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-372/watchers", "watchCount": + 1, "isWatching": true}, "created": "2023-10-23T23:59:00.811+0000", "customfield_12321240": + null, "customfield_12313140": null, "priority": {"self": "https://issues.stage.redhat.com/rest/api/2/priority/10300", + "iconUrl": "https://issues.stage.redhat.com/images/icons/priorities/trivial.svg", + "name": "Undefined", "id": "10300"}, "labels": ["flawuuid:389158fd-c67a-47b7-a8e5-bbc19c5dd3fd", + "impact:MODERATE", "major_incident"], "customfield_12320947": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27714", + "value": "Unclassified", "id": "27714", "disabled": false}], "customfield_12320946": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27705", + "value": "False", "id": "27705", "disabled": false}, "aggregatetimeoriginalestimate": + null, "timeestimate": null, "versions": [], "issuelinks": [], "assignee": + null, "updated": "2023-10-23T23:59:09.926+0000", "customfield_12313942": null, + "customfield_12313941": null, "status": {"self": "https://issues.stage.redhat.com/rest/api/2/status/15021", + "description": "Work is being scoped and discussed (To Do status category; + see also Draft)", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "Refinement", "id": "15021", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}, "components": + [], "timeoriginalestimate": null, "description": "Description for CVE-2020-0004", + "customfield_12314040": null, "customfield_12320844": null, "archiveddate": + null, "timetracking": {}, "customfield_12320842": null, "customfield_12310243": + null, "attachment": [], "aggregatetimeestimate": null, "customfield_12316542": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14655", + "value": "False", "id": "14655", "disabled": false}, "customfield_12316543": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14657", + "value": "False", "id": "14657", "disabled": false}, "customfield_12317313": + null, "customfield_12316544": "None", "customfield_12310840": "9223372036854775807", + "summary": "CVE-2020-0004 kernel: some description", "customfield_12323640": + null, "customfield_12323840": null, "customfield_12323642": null, "creator": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12323641": null, "subtasks": [], "customfield_12321140": null, + "customfield_12323647": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/34754", + "value": "en-US (English)", "id": "34754", "disabled": false}], "reporter": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12320850": null, "aggregateprogress": {"progress": 0, "total": + 0}, "customfield_12323644": null, "customfield_12323841": null, "customfield_12323643": + null, "customfield_12323646": null, "customfield_12323645": null, "environment": + null, "customfield_12315542": null, "customfield_12315740": null, "customfield_12313441": + "", "customfield_12313440": "0.0", "customfield_12313240": {"id": 4077, "name": + "osidb_test_team"}, "duedate": null, "customfield_12311140": null, "customfield_12319742": + null, "progress": {"progress": 0, "total": 0}, "comment": {"comments": [], + "maxResults": 0, "total": 0, "startAt": 0}, "votes": {"self": "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-372/votes", + "votes": 0, "hasVoted": false}, "worklog": {"startAt": 0, "maxResults": 20, + "total": 0, "worklogs": []}, "customfield_12319743": null, "customfield_12310213": + null, "archivedby": null, "customfield_12311940": "1|zcs0d8:"}}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:10 GMT + Expires: + - Mon, 23 Oct 2023 23:59:10 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '9048' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415560x1 + x-asessionid: + - 14ofzp3 + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105550.356b074e + x-rh-edge-request-id: + - 356b074e + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 200 + message: OK +- request: + body: '{"fields": {"issuetype": {"name": "Story"}, "project": {"key": "OSIM"}, + "description": "Description for CVE-2020-0005", "labels": ["flawuuid:ef501fc3-2629-42a1-95d5-01fb3d3e614e", + "impact:CRITICAL", "flawuuid:ef501fc3-2629-42a1-95d5-01fb3d3e614e", "impact:CRITICAL"], + "summary": "CVE-2020-0005 kernel: some description"}}' + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Length: + - '321' + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: POST + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue + response: + body: + string: '{"id": "15544452", "key": "OSIM-373", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544452"}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:11 GMT + Expires: + - Mon, 23 Oct 2023 23:59:11 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '101' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415561x1 + x-asessionid: + - pacydy + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105551.356b09dd + x-rh-edge-request-id: + - 356b09dd + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 201 + message: Created +- request: + body: null + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: GET + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-373 + response: + body: + string: '{"expand": "renderedFields,names,schema,operations,editmeta,changelog,versionedRepresentations", + "id": "15544452", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544452", + "key": "OSIM-373", "fields": {"issuetype": {"self": "https://issues.stage.redhat.com/rest/api/2/issuetype/17", + "id": "17", "description": "Created by Jira Software - do not edit or delete. + Issue type for a user story.", "iconUrl": "https://issues.stage.redhat.com/secure/viewavatar?size=xsmall&avatarId=13275&avatarType=issuetype", + "name": "Story", "subtask": false, "avatarId": 13275}, "customfield_12322244": + null, "customfield_12318341": null, "timespent": null, "customfield_12320940": + null, "project": {"self": "https://issues.stage.redhat.com/rest/api/2/project/12337520", + "id": "12337520", "key": "OSIM", "name": "Open Security Issue Manager", "projectTypeKey": + "software", "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/projectavatar?pid=12337520&avatarId=12560", + "24x24": "https://issues.stage.redhat.com/secure/projectavatar?size=small&pid=12337520&avatarId=12560", + "16x16": "https://issues.stage.redhat.com/secure/projectavatar?size=xsmall&pid=12337520&avatarId=12560", + "32x32": "https://issues.stage.redhat.com/secure/projectavatar?size=medium&pid=12337520&avatarId=12560"}}, + "fixVersions": [], "customfield_12320944": null, "aggregatetimespent": null, + "resolution": null, "customfield_12310220": null, "customfield_12314740": + "{summaryBean=com.atlassian.jira.plugin.devstatus.rest.SummaryBean@73451974[summary={pullrequest=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@19434aa4[overall=PullRequestOverallBean{stateCount=0, + state=''OPEN'', details=PullRequestOverallDetails{openCount=0, mergedCount=0, + declinedCount=0}},byInstanceType={}], build=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@42c58c59[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BuildOverallBean@4150e8cf[failedBuildCount=0,successfulBuildCount=0,unknownBuildCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + review=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@79fbaee3[overall=com.atlassian.jira.plugin.devstatus.summary.beans.ReviewsOverallBean@65b2ec72[stateCount=0,state=,dueDate=,overDue=false,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + deployment-environment=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@bfb03d9[overall=com.atlassian.jira.plugin.devstatus.summary.beans.DeploymentOverallBean@4d2b94f9[topEnvironments=[],showProjects=false,successfulCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + repository=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@6903a709[overall=com.atlassian.jira.plugin.devstatus.summary.beans.CommitOverallBean@1b201727[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + branch=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@48963a51[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BranchOverallBean@590be3e6[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}]},errors=[],configErrors=[]], + devSummaryJson={\"cachedValue\":{\"errors\":[],\"configErrors\":[],\"summary\":{\"pullrequest\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":\"OPEN\",\"details\":{\"openCount\":0,\"mergedCount\":0,\"declinedCount\":0,\"total\":0},\"open\":true},\"byInstanceType\":{}},\"build\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"failedBuildCount\":0,\"successfulBuildCount\":0,\"unknownBuildCount\":0},\"byInstanceType\":{}},\"review\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":null,\"dueDate\":null,\"overDue\":false,\"completed\":false},\"byInstanceType\":{}},\"deployment-environment\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"topEnvironments\":[],\"showProjects\":false,\"successfulCount\":0},\"byInstanceType\":{}},\"repository\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}},\"branch\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}}}},\"isStale\":false}}", + "resolutiondate": null, "workratio": -1, "customfield_12316840": null, "customfield_12317379": + null, "customfield_12315950": null, "customfield_12316841": null, "customfield_12310940": + null, "customfield_12319040": null, "lastViewed": null, "watches": {"self": + "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-373/watchers", "watchCount": + 1, "isWatching": true}, "created": "2023-10-23T23:59:10.603+0000", "customfield_12321240": + null, "customfield_12313140": null, "priority": {"self": "https://issues.stage.redhat.com/rest/api/2/priority/10300", + "iconUrl": "https://issues.stage.redhat.com/images/icons/priorities/trivial.svg", + "name": "Undefined", "id": "10300"}, "labels": ["flawuuid:ef501fc3-2629-42a1-95d5-01fb3d3e614e", + "impact:CRITICAL"], "customfield_12320947": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27714", + "value": "Unclassified", "id": "27714", "disabled": false}], "customfield_12320946": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27705", + "value": "False", "id": "27705", "disabled": false}, "aggregatetimeoriginalestimate": + null, "timeestimate": null, "versions": [], "issuelinks": [], "assignee": + null, "updated": "2023-10-23T23:59:10.603+0000", "customfield_12313942": null, + "customfield_12313941": null, "status": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10016", + "description": "Initial creation status. Implies nothing yet and should be + very short lived; also can be a Bugzilla status.", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "New", "id": "10016", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}, "components": + [], "timeoriginalestimate": null, "description": "Description for CVE-2020-0005", + "customfield_12314040": null, "customfield_12320844": null, "archiveddate": + null, "timetracking": {}, "customfield_12320842": null, "customfield_12310243": + null, "attachment": [], "aggregatetimeestimate": null, "customfield_12316542": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14655", + "value": "False", "id": "14655", "disabled": false}, "customfield_12316543": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14657", + "value": "False", "id": "14657", "disabled": false}, "customfield_12317313": + null, "customfield_12316544": "None", "customfield_12310840": "9223372036854775807", + "summary": "CVE-2020-0005 kernel: some description", "customfield_12323640": + null, "customfield_12323840": null, "customfield_12323642": null, "creator": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12323641": null, "subtasks": [], "customfield_12321140": null, + "customfield_12323647": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/34754", + "value": "en-US (English)", "id": "34754", "disabled": false}], "reporter": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12320850": null, "aggregateprogress": {"progress": 0, "total": + 0}, "customfield_12323644": null, "customfield_12323841": null, "customfield_12323643": + null, "customfield_12323646": null, "customfield_12323645": null, "environment": + null, "customfield_12315542": null, "customfield_12315740": null, "customfield_12313441": + "", "customfield_12313440": "0.0", "customfield_12313240": null, "duedate": + null, "customfield_12311140": null, "customfield_12319742": null, "progress": + {"progress": 0, "total": 0}, "comment": {"comments": [], "maxResults": 0, + "total": 0, "startAt": 0}, "votes": {"self": "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-373/votes", + "votes": 0, "hasVoted": false}, "worklog": {"startAt": 0, "maxResults": 20, + "total": 0, "worklogs": []}, "customfield_12319743": null, "customfield_12310213": + null, "archivedby": null, "customfield_12311940": "1|zcs0dg:"}}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:11 GMT + Expires: + - Mon, 23 Oct 2023 23:59:11 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '9025' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415562x1 + x-asessionid: + - 1d79k9g + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105551.356b190d + x-rh-edge-request-id: + - 356b190d + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: GET + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-373/transitions + response: + body: + string: '{"expand": "transitions", "transitions": [{"id": "51", "name": "New", + "opsbarSequence": 10, "to": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10016", + "description": "Initial creation status. Implies nothing yet and should be + very short lived; also can be a Bugzilla status.", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "New", "id": "10016", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}}, {"id": + "61", "name": "Refinement", "opsbarSequence": 20, "to": {"self": "https://issues.stage.redhat.com/rest/api/2/status/15021", + "description": "Work is being scoped and discussed (To Do status category; + see also Draft)", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "Refinement", "id": "15021", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}}, {"id": + "31", "name": "In Progress", "opsbarSequence": 30, "to": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10018", + "description": "Work has started", "iconUrl": "https://issues.stage.redhat.com/images/icons/status_generic.gif", + "name": "In Progress", "id": "10018", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/4", + "id": 4, "key": "indeterminate", "colorName": "inprogress", "name": "In Progress"}}}, + {"id": "41", "name": "Closed", "opsbarSequence": 40, "to": {"self": "https://issues.stage.redhat.com/rest/api/2/status/6", + "description": "The issue is closed. See the resolution for context regarding + why (for example Done, Abandoned, Duplicate, etc)", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/closed.png", + "name": "Closed", "id": "6", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/3", + "id": 3, "key": "done", "colorName": "success", "name": "Done"}}}]}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:11 GMT + Expires: + - Mon, 23 Oct 2023 23:59:11 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '1920' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415564x1 + x-asessionid: + - z2ddv3 + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105551.356b1f84 + x-rh-edge-request-id: + - 356b1f84 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 200 + message: OK +- request: + body: '{"transition": {"id": "31"}, "fields": {}}' + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Length: + - '42' + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: POST + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-373/transitions + response: + body: + string: '' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:12 GMT + Expires: + - Mon, 23 Oct 2023 23:59:12 GMT + Pragma: + - no-cache + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415565x1 + x-asessionid: + - 1isos6m + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105552.356b217f + x-rh-edge-request-id: + - 356b217f + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 204 + message: No Content +- request: + body: null + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: GET + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-373 + response: + body: + string: '{"expand": "renderedFields,names,schema,operations,editmeta,changelog,versionedRepresentations", + "id": "15544452", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544452", + "key": "OSIM-373", "fields": {"issuetype": {"self": "https://issues.stage.redhat.com/rest/api/2/issuetype/17", + "id": "17", "description": "Created by Jira Software - do not edit or delete. + Issue type for a user story.", "iconUrl": "https://issues.stage.redhat.com/secure/viewavatar?size=xsmall&avatarId=13275&avatarType=issuetype", + "name": "Story", "subtask": false, "avatarId": 13275}, "customfield_12322244": + null, "customfield_12318341": null, "timespent": null, "customfield_12320940": + null, "project": {"self": "https://issues.stage.redhat.com/rest/api/2/project/12337520", + "id": "12337520", "key": "OSIM", "name": "Open Security Issue Manager", "projectTypeKey": + "software", "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/projectavatar?pid=12337520&avatarId=12560", + "24x24": "https://issues.stage.redhat.com/secure/projectavatar?size=small&pid=12337520&avatarId=12560", + "16x16": "https://issues.stage.redhat.com/secure/projectavatar?size=xsmall&pid=12337520&avatarId=12560", + "32x32": "https://issues.stage.redhat.com/secure/projectavatar?size=medium&pid=12337520&avatarId=12560"}}, + "fixVersions": [], "customfield_12320944": null, "aggregatetimespent": null, + "resolution": null, "customfield_12310220": null, "customfield_12314740": + "{summaryBean=com.atlassian.jira.plugin.devstatus.rest.SummaryBean@3a9374f7[summary={pullrequest=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@6502de67[overall=PullRequestOverallBean{stateCount=0, + state=''OPEN'', details=PullRequestOverallDetails{openCount=0, mergedCount=0, + declinedCount=0}},byInstanceType={}], build=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@7865cfcf[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BuildOverallBean@be7d742[failedBuildCount=0,successfulBuildCount=0,unknownBuildCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + review=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@73484d48[overall=com.atlassian.jira.plugin.devstatus.summary.beans.ReviewsOverallBean@2b86a997[stateCount=0,state=,dueDate=,overDue=false,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + deployment-environment=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@7dcb009f[overall=com.atlassian.jira.plugin.devstatus.summary.beans.DeploymentOverallBean@48a395a3[topEnvironments=[],showProjects=false,successfulCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + repository=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@79b0b3f2[overall=com.atlassian.jira.plugin.devstatus.summary.beans.CommitOverallBean@67646742[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + branch=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@428e5cc9[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BranchOverallBean@16d4d7b6[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}]},errors=[],configErrors=[]], + devSummaryJson={\"cachedValue\":{\"errors\":[],\"configErrors\":[],\"summary\":{\"pullrequest\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":\"OPEN\",\"details\":{\"openCount\":0,\"mergedCount\":0,\"declinedCount\":0,\"total\":0},\"open\":true},\"byInstanceType\":{}},\"build\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"failedBuildCount\":0,\"successfulBuildCount\":0,\"unknownBuildCount\":0},\"byInstanceType\":{}},\"review\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":null,\"dueDate\":null,\"overDue\":false,\"completed\":false},\"byInstanceType\":{}},\"deployment-environment\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"topEnvironments\":[],\"showProjects\":false,\"successfulCount\":0},\"byInstanceType\":{}},\"repository\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}},\"branch\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}}}},\"isStale\":false}}", + "resolutiondate": null, "workratio": -1, "customfield_12316840": null, "customfield_12317379": + null, "customfield_12315950": null, "customfield_12316841": null, "customfield_12310940": + null, "customfield_12319040": null, "lastViewed": null, "watches": {"self": + "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-373/watchers", "watchCount": + 1, "isWatching": true}, "created": "2023-10-23T23:59:10.603+0000", "customfield_12321240": + null, "customfield_12313140": null, "priority": {"self": "https://issues.stage.redhat.com/rest/api/2/priority/10300", + "iconUrl": "https://issues.stage.redhat.com/images/icons/priorities/trivial.svg", + "name": "Undefined", "id": "10300"}, "labels": ["flawuuid:ef501fc3-2629-42a1-95d5-01fb3d3e614e", + "impact:CRITICAL"], "customfield_12320947": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27714", + "value": "Unclassified", "id": "27714", "disabled": false}], "customfield_12320946": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27705", + "value": "False", "id": "27705", "disabled": false}, "aggregatetimeoriginalestimate": + null, "timeestimate": null, "versions": [], "issuelinks": [], "assignee": + null, "updated": "2023-10-23T23:59:11.909+0000", "customfield_12313942": null, + "customfield_12313941": null, "status": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10018", + "description": "Work has started", "iconUrl": "https://issues.stage.redhat.com/images/icons/status_generic.gif", + "name": "In Progress", "id": "10018", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/4", + "id": 4, "key": "indeterminate", "colorName": "inprogress", "name": "In Progress"}}, + "components": [], "timeoriginalestimate": null, "description": "Description + for CVE-2020-0005", "customfield_12314040": null, "customfield_12320844": + null, "archiveddate": null, "timetracking": {}, "customfield_12320842": null, + "customfield_12310243": null, "attachment": [], "aggregatetimeestimate": null, + "customfield_12316542": {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14655", + "value": "False", "id": "14655", "disabled": false}, "customfield_12316543": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14657", + "value": "False", "id": "14657", "disabled": false}, "customfield_12317313": + null, "customfield_12316544": "None", "customfield_12310840": "9223372036854775807", + "summary": "CVE-2020-0005 kernel: some description", "customfield_12323640": + null, "customfield_12323840": null, "customfield_12323642": null, "creator": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12323641": null, "subtasks": [], "customfield_12321140": null, + "customfield_12323647": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/34754", + "value": "en-US (English)", "id": "34754", "disabled": false}], "reporter": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12320850": null, "aggregateprogress": {"progress": 0, "total": + 0}, "customfield_12323644": null, "customfield_12323841": null, "customfield_12323643": + null, "customfield_12323646": null, "customfield_12323645": null, "environment": + null, "customfield_12315542": null, "customfield_12315740": null, "customfield_12313441": + "", "customfield_12313440": "0.0", "customfield_12313240": null, "duedate": + null, "customfield_12311140": null, "customfield_12319742": null, "progress": + {"progress": 0, "total": 0}, "comment": {"comments": [], "maxResults": 0, + "total": 0, "startAt": 0}, "votes": {"self": "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-373/votes", + "votes": 0, "hasVoted": false}, "worklog": {"startAt": 0, "maxResults": 20, + "total": 0, "worklogs": []}, "customfield_12319743": null, "customfield_12310213": + null, "archivedby": null, "customfield_12311940": "1|zcs0dg:"}}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:12 GMT + Expires: + - Mon, 23 Oct 2023 23:59:12 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '8959' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415566x1 + x-asessionid: + - 1s9codp + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105552.356b29d4 + x-rh-edge-request-id: + - 356b29d4 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 200 + message: OK +- request: + body: '{"fields": {"issuetype": {"name": "Story"}, "project": {"key": "OSIM"}, + "description": "Description for CVE-2020-0006", "labels": ["flawuuid:b15b51cc-ee0d-43cb-84ca-9c5dae4ab703", + "impact:MODERATE", "major_incident", "flawuuid:b15b51cc-ee0d-43cb-84ca-9c5dae4ab703", + "impact:MODERATE"], "summary": "CVE-2020-0006 kernel: some description"}}' + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Length: + - '339' + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: POST + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue + response: + body: + string: '{"id": "15544453", "key": "OSIM-374", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544453"}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - close + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:13 GMT + Expires: + - Mon, 23 Oct 2023 23:59:13 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '101' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415567x1 + x-asessionid: + - blb55t + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105553.356b2d7a + x-rh-edge-request-id: + - 356b2d7a + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 201 + message: Created +- request: + body: null + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: GET + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-374 + response: + body: + string: '{"expand": "renderedFields,names,schema,operations,editmeta,changelog,versionedRepresentations", + "id": "15544453", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544453", + "key": "OSIM-374", "fields": {"issuetype": {"self": "https://issues.stage.redhat.com/rest/api/2/issuetype/17", + "id": "17", "description": "Created by Jira Software - do not edit or delete. + Issue type for a user story.", "iconUrl": "https://issues.stage.redhat.com/secure/viewavatar?size=xsmall&avatarId=13275&avatarType=issuetype", + "name": "Story", "subtask": false, "avatarId": 13275}, "customfield_12322244": + null, "customfield_12318341": null, "timespent": null, "customfield_12320940": + null, "project": {"self": "https://issues.stage.redhat.com/rest/api/2/project/12337520", + "id": "12337520", "key": "OSIM", "name": "Open Security Issue Manager", "projectTypeKey": + "software", "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/projectavatar?pid=12337520&avatarId=12560", + "24x24": "https://issues.stage.redhat.com/secure/projectavatar?size=small&pid=12337520&avatarId=12560", + "16x16": "https://issues.stage.redhat.com/secure/projectavatar?size=xsmall&pid=12337520&avatarId=12560", + "32x32": "https://issues.stage.redhat.com/secure/projectavatar?size=medium&pid=12337520&avatarId=12560"}}, + "fixVersions": [], "customfield_12320944": null, "aggregatetimespent": null, + "resolution": null, "customfield_12310220": null, "customfield_12314740": + "{summaryBean=com.atlassian.jira.plugin.devstatus.rest.SummaryBean@711cd324[summary={pullrequest=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@680f5f68[overall=PullRequestOverallBean{stateCount=0, + state=''OPEN'', details=PullRequestOverallDetails{openCount=0, mergedCount=0, + declinedCount=0}},byInstanceType={}], build=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@1931538[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BuildOverallBean@13f5fe7d[failedBuildCount=0,successfulBuildCount=0,unknownBuildCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + review=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@7e717288[overall=com.atlassian.jira.plugin.devstatus.summary.beans.ReviewsOverallBean@63e4ecf0[stateCount=0,state=,dueDate=,overDue=false,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + deployment-environment=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@7a470f61[overall=com.atlassian.jira.plugin.devstatus.summary.beans.DeploymentOverallBean@467d0042[topEnvironments=[],showProjects=false,successfulCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + repository=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@33edcf37[overall=com.atlassian.jira.plugin.devstatus.summary.beans.CommitOverallBean@772a36d6[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + branch=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@35d41355[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BranchOverallBean@1b857abd[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}]},errors=[],configErrors=[]], + devSummaryJson={\"cachedValue\":{\"errors\":[],\"configErrors\":[],\"summary\":{\"pullrequest\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":\"OPEN\",\"details\":{\"openCount\":0,\"mergedCount\":0,\"declinedCount\":0,\"total\":0},\"open\":true},\"byInstanceType\":{}},\"build\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"failedBuildCount\":0,\"successfulBuildCount\":0,\"unknownBuildCount\":0},\"byInstanceType\":{}},\"review\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":null,\"dueDate\":null,\"overDue\":false,\"completed\":false},\"byInstanceType\":{}},\"deployment-environment\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"topEnvironments\":[],\"showProjects\":false,\"successfulCount\":0},\"byInstanceType\":{}},\"repository\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}},\"branch\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}}}},\"isStale\":false}}", + "resolutiondate": null, "workratio": -1, "customfield_12316840": null, "customfield_12317379": + null, "customfield_12315950": null, "customfield_12316841": null, "customfield_12310940": + null, "customfield_12319040": null, "lastViewed": null, "watches": {"self": + "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-374/watchers", "watchCount": + 1, "isWatching": true}, "created": "2023-10-23T23:59:12.657+0000", "customfield_12321240": + null, "customfield_12313140": null, "priority": {"self": "https://issues.stage.redhat.com/rest/api/2/priority/10300", + "iconUrl": "https://issues.stage.redhat.com/images/icons/priorities/trivial.svg", + "name": "Undefined", "id": "10300"}, "labels": ["flawuuid:b15b51cc-ee0d-43cb-84ca-9c5dae4ab703", + "impact:MODERATE", "major_incident"], "customfield_12320947": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27714", + "value": "Unclassified", "id": "27714", "disabled": false}], "customfield_12320946": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27705", + "value": "False", "id": "27705", "disabled": false}, "aggregatetimeoriginalestimate": + null, "timeestimate": null, "versions": [], "issuelinks": [], "assignee": + null, "updated": "2023-10-23T23:59:12.657+0000", "customfield_12313942": null, + "customfield_12313941": null, "status": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10016", + "description": "Initial creation status. Implies nothing yet and should be + very short lived; also can be a Bugzilla status.", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "New", "id": "10016", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}, "components": + [], "timeoriginalestimate": null, "description": "Description for CVE-2020-0006", + "customfield_12314040": null, "customfield_12320844": null, "archiveddate": + null, "timetracking": {}, "customfield_12320842": null, "customfield_12310243": + null, "attachment": [], "aggregatetimeestimate": null, "customfield_12316542": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14655", + "value": "False", "id": "14655", "disabled": false}, "customfield_12316543": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14657", + "value": "False", "id": "14657", "disabled": false}, "customfield_12317313": + null, "customfield_12316544": "None", "customfield_12310840": "9223372036854775807", + "summary": "CVE-2020-0006 kernel: some description", "customfield_12323640": + null, "customfield_12323840": null, "customfield_12323642": null, "creator": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12323641": null, "subtasks": [], "customfield_12321140": null, + "customfield_12323647": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/34754", + "value": "en-US (English)", "id": "34754", "disabled": false}], "reporter": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12320850": null, "aggregateprogress": {"progress": 0, "total": + 0}, "customfield_12323644": null, "customfield_12323841": null, "customfield_12323643": + null, "customfield_12323646": null, "customfield_12323645": null, "environment": + null, "customfield_12315542": null, "customfield_12315740": null, "customfield_12313441": + "", "customfield_12313440": "0.0", "customfield_12313240": null, "duedate": + null, "customfield_12311140": null, "customfield_12319742": null, "progress": + {"progress": 0, "total": 0}, "comment": {"comments": [], "maxResults": 0, + "total": 0, "startAt": 0}, "votes": {"self": "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-374/votes", + "votes": 0, "hasVoted": false}, "worklog": {"startAt": 0, "maxResults": 20, + "total": 0, "worklogs": []}, "customfield_12319743": null, "customfield_12310213": + null, "archivedby": null, "customfield_12311940": "1|zcs0do:"}}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:15 GMT + Expires: + - Mon, 23 Oct 2023 23:59:15 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '9042' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415573x1 + x-asessionid: + - 1xwi8kr + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105555.356b5cb5 + x-rh-edge-request-id: + - 356b5cb5 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 200 + message: OK +- request: + body: '{"fields": {"issuetype": {"name": "Story"}, "project": {"key": "OSIM"}, + "description": "Description for CVE-2020-0006", "labels": ["flawuuid:b15b51cc-ee0d-43cb-84ca-9c5dae4ab703", + "impact:MODERATE", "major_incident", "flawuuid:b15b51cc-ee0d-43cb-84ca-9c5dae4ab703", + "impact:MODERATE"], "summary": "CVE-2020-0006 kernel: some description", "customfield_12313240": + "4077"}}' + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Length: + - '371' + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: PUT + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-374 + response: + body: + string: '' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:16 GMT + Expires: + - Mon, 23 Oct 2023 23:59:16 GMT + Pragma: + - no-cache + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415574x1 + x-asessionid: + - 84zbko + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105556.356b6004 + x-rh-edge-request-id: + - 356b6004 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 204 + message: No Content +- request: + body: null + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: GET + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-374 + response: + body: + string: '{"expand": "renderedFields,names,schema,operations,editmeta,changelog,versionedRepresentations", + "id": "15544453", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544453", + "key": "OSIM-374", "fields": {"issuetype": {"self": "https://issues.stage.redhat.com/rest/api/2/issuetype/17", + "id": "17", "description": "Created by Jira Software - do not edit or delete. + Issue type for a user story.", "iconUrl": "https://issues.stage.redhat.com/secure/viewavatar?size=xsmall&avatarId=13275&avatarType=issuetype", + "name": "Story", "subtask": false, "avatarId": 13275}, "customfield_12322244": + null, "customfield_12318341": null, "timespent": null, "customfield_12320940": + null, "project": {"self": "https://issues.stage.redhat.com/rest/api/2/project/12337520", + "id": "12337520", "key": "OSIM", "name": "Open Security Issue Manager", "projectTypeKey": + "software", "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/projectavatar?pid=12337520&avatarId=12560", + "24x24": "https://issues.stage.redhat.com/secure/projectavatar?size=small&pid=12337520&avatarId=12560", + "16x16": "https://issues.stage.redhat.com/secure/projectavatar?size=xsmall&pid=12337520&avatarId=12560", + "32x32": "https://issues.stage.redhat.com/secure/projectavatar?size=medium&pid=12337520&avatarId=12560"}}, + "fixVersions": [], "customfield_12320944": null, "aggregatetimespent": null, + "resolution": null, "customfield_12310220": null, "customfield_12314740": + "{summaryBean=com.atlassian.jira.plugin.devstatus.rest.SummaryBean@3a697c7e[summary={pullrequest=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@2c15ab6b[overall=PullRequestOverallBean{stateCount=0, + state=''OPEN'', details=PullRequestOverallDetails{openCount=0, mergedCount=0, + declinedCount=0}},byInstanceType={}], build=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@13acacdd[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BuildOverallBean@12e31330[failedBuildCount=0,successfulBuildCount=0,unknownBuildCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + review=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@6fb49df[overall=com.atlassian.jira.plugin.devstatus.summary.beans.ReviewsOverallBean@59c0236b[stateCount=0,state=,dueDate=,overDue=false,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + deployment-environment=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@2f7cb6ca[overall=com.atlassian.jira.plugin.devstatus.summary.beans.DeploymentOverallBean@250c4a86[topEnvironments=[],showProjects=false,successfulCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + repository=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@79e55a49[overall=com.atlassian.jira.plugin.devstatus.summary.beans.CommitOverallBean@21e6e565[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + branch=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@6b66cd75[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BranchOverallBean@2cf9e2e5[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}]},errors=[],configErrors=[]], + devSummaryJson={\"cachedValue\":{\"errors\":[],\"configErrors\":[],\"summary\":{\"pullrequest\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":\"OPEN\",\"details\":{\"openCount\":0,\"mergedCount\":0,\"declinedCount\":0,\"total\":0},\"open\":true},\"byInstanceType\":{}},\"build\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"failedBuildCount\":0,\"successfulBuildCount\":0,\"unknownBuildCount\":0},\"byInstanceType\":{}},\"review\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":null,\"dueDate\":null,\"overDue\":false,\"completed\":false},\"byInstanceType\":{}},\"deployment-environment\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"topEnvironments\":[],\"showProjects\":false,\"successfulCount\":0},\"byInstanceType\":{}},\"repository\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}},\"branch\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}}}},\"isStale\":false}}", + "resolutiondate": null, "workratio": -1, "customfield_12316840": null, "customfield_12317379": + null, "customfield_12315950": null, "customfield_12316841": null, "customfield_12310940": + null, "customfield_12319040": null, "lastViewed": null, "watches": {"self": + "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-374/watchers", "watchCount": + 1, "isWatching": true}, "created": "2023-10-23T23:59:12.657+0000", "customfield_12321240": + null, "customfield_12313140": null, "priority": {"self": "https://issues.stage.redhat.com/rest/api/2/priority/10300", + "iconUrl": "https://issues.stage.redhat.com/images/icons/priorities/trivial.svg", + "name": "Undefined", "id": "10300"}, "labels": ["flawuuid:b15b51cc-ee0d-43cb-84ca-9c5dae4ab703", + "impact:MODERATE", "major_incident"], "customfield_12320947": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27714", + "value": "Unclassified", "id": "27714", "disabled": false}], "customfield_12320946": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27705", + "value": "False", "id": "27705", "disabled": false}, "aggregatetimeoriginalestimate": + null, "timeestimate": null, "versions": [], "issuelinks": [], "assignee": + null, "updated": "2023-10-23T23:59:15.541+0000", "customfield_12313942": null, + "customfield_12313941": null, "status": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10016", + "description": "Initial creation status. Implies nothing yet and should be + very short lived; also can be a Bugzilla status.", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "New", "id": "10016", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}, "components": + [], "timeoriginalestimate": null, "description": "Description for CVE-2020-0006", + "customfield_12314040": null, "customfield_12320844": null, "archiveddate": + null, "timetracking": {}, "customfield_12320842": null, "customfield_12310243": + null, "attachment": [], "aggregatetimeestimate": null, "customfield_12316542": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14655", + "value": "False", "id": "14655", "disabled": false}, "customfield_12316543": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14657", + "value": "False", "id": "14657", "disabled": false}, "customfield_12317313": + null, "customfield_12316544": "None", "customfield_12310840": "9223372036854775807", + "summary": "CVE-2020-0006 kernel: some description", "customfield_12323640": + null, "customfield_12323840": null, "customfield_12323642": null, "creator": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12323641": null, "subtasks": [], "customfield_12321140": null, + "customfield_12323647": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/34754", + "value": "en-US (English)", "id": "34754", "disabled": false}], "reporter": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12320850": null, "aggregateprogress": {"progress": 0, "total": + 0}, "customfield_12323644": null, "customfield_12323841": null, "customfield_12323643": + null, "customfield_12323646": null, "customfield_12323645": null, "environment": + null, "customfield_12315542": null, "customfield_12315740": null, "customfield_12313441": + "", "customfield_12313440": "0.0", "customfield_12313240": {"id": 4077, "name": + "osidb_test_team"}, "duedate": null, "customfield_12311140": null, "customfield_12319742": + null, "progress": {"progress": 0, "total": 0}, "comment": {"comments": [], + "maxResults": 0, "total": 0, "startAt": 0}, "votes": {"self": "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-374/votes", + "votes": 0, "hasVoted": false}, "worklog": {"startAt": 0, "maxResults": 20, + "total": 0, "worklogs": []}, "customfield_12319743": null, "customfield_12310213": + null, "archivedby": null, "customfield_12311940": "1|zcs0do:"}}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:16 GMT + Expires: + - Mon, 23 Oct 2023 23:59:16 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '9074' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415577x1 + x-asessionid: + - lhzot5 + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105556.356b6e88 + x-rh-edge-request-id: + - 356b6e88 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: GET + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-374/transitions + response: + body: + string: '{"expand": "transitions", "transitions": [{"id": "51", "name": "New", + "opsbarSequence": 10, "to": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10016", + "description": "Initial creation status. Implies nothing yet and should be + very short lived; also can be a Bugzilla status.", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "New", "id": "10016", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}}, {"id": + "61", "name": "Refinement", "opsbarSequence": 20, "to": {"self": "https://issues.stage.redhat.com/rest/api/2/status/15021", + "description": "Work is being scoped and discussed (To Do status category; + see also Draft)", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "Refinement", "id": "15021", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}}, {"id": + "31", "name": "In Progress", "opsbarSequence": 30, "to": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10018", + "description": "Work has started", "iconUrl": "https://issues.stage.redhat.com/images/icons/status_generic.gif", + "name": "In Progress", "id": "10018", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/4", + "id": 4, "key": "indeterminate", "colorName": "inprogress", "name": "In Progress"}}}, + {"id": "41", "name": "Closed", "opsbarSequence": 40, "to": {"self": "https://issues.stage.redhat.com/rest/api/2/status/6", + "description": "The issue is closed. See the resolution for context regarding + why (for example Done, Abandoned, Duplicate, etc)", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/closed.png", + "name": "Closed", "id": "6", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/3", + "id": 3, "key": "done", "colorName": "success", "name": "Done"}}}]}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:16 GMT + Expires: + - Mon, 23 Oct 2023 23:59:16 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '1920' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415578x1 + x-asessionid: + - 1euvcyc + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105556.356b7219 + x-rh-edge-request-id: + - 356b7219 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 200 + message: OK +- request: + body: '{"transition": {"id": "31"}, "fields": {}}' + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Length: + - '42' + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: POST + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-374/transitions + response: + body: + string: '' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:16 GMT + Expires: + - Mon, 23 Oct 2023 23:59:16 GMT + Pragma: + - no-cache + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415579x1 + x-asessionid: + - dx52f + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105556.356b7498 + x-rh-edge-request-id: + - 356b7498 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 204 + message: No Content +- request: + body: null + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: GET + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-374 + response: + body: + string: '{"expand": "renderedFields,names,schema,operations,editmeta,changelog,versionedRepresentations", + "id": "15544453", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544453", + "key": "OSIM-374", "fields": {"issuetype": {"self": "https://issues.stage.redhat.com/rest/api/2/issuetype/17", + "id": "17", "description": "Created by Jira Software - do not edit or delete. + Issue type for a user story.", "iconUrl": "https://issues.stage.redhat.com/secure/viewavatar?size=xsmall&avatarId=13275&avatarType=issuetype", + "name": "Story", "subtask": false, "avatarId": 13275}, "customfield_12322244": + null, "customfield_12318341": null, "timespent": null, "customfield_12320940": + null, "project": {"self": "https://issues.stage.redhat.com/rest/api/2/project/12337520", + "id": "12337520", "key": "OSIM", "name": "Open Security Issue Manager", "projectTypeKey": + "software", "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/projectavatar?pid=12337520&avatarId=12560", + "24x24": "https://issues.stage.redhat.com/secure/projectavatar?size=small&pid=12337520&avatarId=12560", + "16x16": "https://issues.stage.redhat.com/secure/projectavatar?size=xsmall&pid=12337520&avatarId=12560", + "32x32": "https://issues.stage.redhat.com/secure/projectavatar?size=medium&pid=12337520&avatarId=12560"}}, + "fixVersions": [], "customfield_12320944": null, "aggregatetimespent": null, + "resolution": null, "customfield_12310220": null, "customfield_12314740": + "{summaryBean=com.atlassian.jira.plugin.devstatus.rest.SummaryBean@6d97cbb3[summary={pullrequest=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@6dd6045c[overall=PullRequestOverallBean{stateCount=0, + state=''OPEN'', details=PullRequestOverallDetails{openCount=0, mergedCount=0, + declinedCount=0}},byInstanceType={}], build=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@35d61512[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BuildOverallBean@687f0310[failedBuildCount=0,successfulBuildCount=0,unknownBuildCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + review=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@f1ca537[overall=com.atlassian.jira.plugin.devstatus.summary.beans.ReviewsOverallBean@15c82237[stateCount=0,state=,dueDate=,overDue=false,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + deployment-environment=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@1033cb19[overall=com.atlassian.jira.plugin.devstatus.summary.beans.DeploymentOverallBean@c42d8c[topEnvironments=[],showProjects=false,successfulCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + repository=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@6a1b15be[overall=com.atlassian.jira.plugin.devstatus.summary.beans.CommitOverallBean@3e165b50[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + branch=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@30f32488[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BranchOverallBean@11fac757[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}]},errors=[],configErrors=[]], + devSummaryJson={\"cachedValue\":{\"errors\":[],\"configErrors\":[],\"summary\":{\"pullrequest\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":\"OPEN\",\"details\":{\"openCount\":0,\"mergedCount\":0,\"declinedCount\":0,\"total\":0},\"open\":true},\"byInstanceType\":{}},\"build\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"failedBuildCount\":0,\"successfulBuildCount\":0,\"unknownBuildCount\":0},\"byInstanceType\":{}},\"review\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":null,\"dueDate\":null,\"overDue\":false,\"completed\":false},\"byInstanceType\":{}},\"deployment-environment\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"topEnvironments\":[],\"showProjects\":false,\"successfulCount\":0},\"byInstanceType\":{}},\"repository\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}},\"branch\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}}}},\"isStale\":false}}", + "resolutiondate": null, "workratio": -1, "customfield_12316840": null, "customfield_12317379": + null, "customfield_12315950": null, "customfield_12316841": null, "customfield_12310940": + null, "customfield_12319040": null, "lastViewed": null, "watches": {"self": + "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-374/watchers", "watchCount": + 1, "isWatching": true}, "created": "2023-10-23T23:59:12.657+0000", "customfield_12321240": + null, "customfield_12313140": null, "priority": {"self": "https://issues.stage.redhat.com/rest/api/2/priority/10300", + "iconUrl": "https://issues.stage.redhat.com/images/icons/priorities/trivial.svg", + "name": "Undefined", "id": "10300"}, "labels": ["flawuuid:b15b51cc-ee0d-43cb-84ca-9c5dae4ab703", + "impact:MODERATE", "major_incident"], "customfield_12320947": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27714", + "value": "Unclassified", "id": "27714", "disabled": false}], "customfield_12320946": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27705", + "value": "False", "id": "27705", "disabled": false}, "aggregatetimeoriginalestimate": + null, "timeestimate": null, "versions": [], "issuelinks": [], "assignee": + null, "updated": "2023-10-23T23:59:16.424+0000", "customfield_12313942": null, + "customfield_12313941": null, "status": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10018", + "description": "Work has started", "iconUrl": "https://issues.stage.redhat.com/images/icons/status_generic.gif", + "name": "In Progress", "id": "10018", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/4", + "id": 4, "key": "indeterminate", "colorName": "inprogress", "name": "In Progress"}}, + "components": [], "timeoriginalestimate": null, "description": "Description + for CVE-2020-0006", "customfield_12314040": null, "customfield_12320844": + null, "archiveddate": null, "timetracking": {}, "customfield_12320842": null, + "customfield_12310243": null, "attachment": [], "aggregatetimeestimate": null, + "customfield_12316542": {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14655", + "value": "False", "id": "14655", "disabled": false}, "customfield_12316543": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14657", + "value": "False", "id": "14657", "disabled": false}, "customfield_12317313": + null, "customfield_12316544": "None", "customfield_12310840": "9223372036854775807", + "summary": "CVE-2020-0006 kernel: some description", "customfield_12323640": + null, "customfield_12323840": null, "customfield_12323642": null, "creator": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12323641": null, "subtasks": [], "customfield_12321140": null, + "customfield_12323647": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/34754", + "value": "en-US (English)", "id": "34754", "disabled": false}], "reporter": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12320850": null, "aggregateprogress": {"progress": 0, "total": + 0}, "customfield_12323644": null, "customfield_12323841": null, "customfield_12323643": + null, "customfield_12323646": null, "customfield_12323645": null, "environment": + null, "customfield_12315542": null, "customfield_12315740": null, "customfield_12313441": + "", "customfield_12313440": "0.0", "customfield_12313240": {"id": 4077, "name": + "osidb_test_team"}, "duedate": null, "customfield_12311140": null, "customfield_12319742": + null, "progress": {"progress": 0, "total": 0}, "comment": {"comments": [], + "maxResults": 0, "total": 0, "startAt": 0}, "votes": {"self": "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-374/votes", + "votes": 0, "hasVoted": false}, "worklog": {"startAt": 0, "maxResults": 20, + "total": 0, "worklogs": []}, "customfield_12319743": null, "customfield_12310213": + null, "archivedby": null, "customfield_12311940": "1|zcs0do:"}}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:17 GMT + Expires: + - Mon, 23 Oct 2023 23:59:17 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '9006' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415580x1 + x-asessionid: + - 634z9s + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105557.356b7dff + x-rh-edge-request-id: + - 356b7dff + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: GET + uri: https://squid.corp.redhat.com:3128/rest/api/2/field + response: + body: + string: "[{\"id\":\"customfield_12322243\",\"name\":\"Release Date\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12322243]\",\"Release + Date\"],\"schema\":{\"type\":\"date\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:datepicker\",\"customId\":12322243}},{\"id\":\"customfield_12322244\",\"name\":\"PX + Impact Score\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12322244]\",\"PX + Impact Score\"],\"schema\":{\"type\":\"number\",\"custom\":\"org.jboss.labs.jira.plugin.jboss-custom-field-types-plugin:jbonlynumber\",\"customId\":12322244}},{\"id\":\"customfield_12322240\",\"name\":\"Staffing\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12322240]\",\"Staffing\"],\"schema\":{\"type\":\"number\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:float\",\"customId\":12322240}},{\"id\":\"customfield_12322241\",\"name\":\"Gating + Tests\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12322241]\",\"Gating + Tests\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multiselect\",\"customId\":12322241}},{\"id\":\"resolution\",\"name\":\"Resolution\",\"custom\":false,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"resolution\"],\"schema\":{\"type\":\"resolution\",\"system\":\"resolution\"}},{\"id\":\"customfield_12310022\",\"name\":\"SVN + / CVS Isolated Branch\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12310022]\",\"SVN + / CVS Isolated Branch\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12310022}},{\"id\":\"customfield_12314742\",\"name\":\"Percent + confident\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12314742]\",\"Percent + confident\"],\"schema\":{\"type\":\"number\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:float\",\"customId\":12314742}},{\"id\":\"customfield_12310021\",\"name\":\"Support + Case Reference\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12310021]\",\"Support + Case Reference\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:url\",\"customId\":12310021}},{\"id\":\"customfield_12312441\",\"name\":\"Affects + Build\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"Affects + Build\",\"cf[12312441]\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12312441}},{\"id\":\"customfield_12314741\",\"name\":\"Percent + complete\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12314741]\",\"Percent + complete\"],\"schema\":{\"type\":\"number\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:float\",\"customId\":12314741}},{\"id\":\"customfield_12314740\",\"name\":\"Development\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12314740]\",\"Development\"],\"schema\":{\"type\":\"any\",\"custom\":\"com.atlassian.jira.plugins.jira-development-integration-plugin:devsummary\",\"customId\":12314740}},{\"id\":\"customfield_12312442\",\"name\":\"Fix + Build\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12312442]\",\"Fix + Build\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12312442}},{\"id\":\"customfield_12312440\",\"name\":\"Deployment + Notes\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12312440]\",\"Deployment + Notes\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textarea\",\"customId\":12312440}},{\"id\":\"customfield_12315950\",\"name\":\"Contributors\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12315950]\",\"Contributors\"],\"schema\":{\"type\":\"array\",\"items\":\"user\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multiuserpicker\",\"customId\":12315950}},{\"id\":\"lastViewed\",\"name\":\"Last + Viewed\",\"custom\":false,\"orderable\":false,\"navigable\":true,\"searchable\":false,\"clauseNames\":[\"lastViewed\"],\"schema\":{\"type\":\"datetime\",\"system\":\"lastViewed\"}},{\"id\":\"customfield_12321040\",\"name\":\"Internal + Target Milestone\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12321040]\",\"Internal + Target Milestone\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12321040}},{\"id\":\"customfield_12323341\",\"name\":\"Keywords\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12323341]\",\"Keywords\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multiselect\",\"customId\":12323341}},{\"id\":\"customfield_12323340\",\"name\":\"Commit + Hashes\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12323340]\",\"Commit + Hashes\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12323340}},{\"id\":\"customfield_12311244\",\"name\":\"CDW + qa_ack\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"CDW + qa_ack\",\"cf[12311244]\"],\"schema\":{\"type\":\"string\",\"custom\":\"org.jboss.labs.jira.plugin.cdw-plugin:cdwflagqa\",\"customId\":12311244}},{\"id\":\"customfield_12311245\",\"name\":\"CDW + blocker\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"CDW + blocker\",\"cf[12311245]\"],\"schema\":{\"type\":\"string\",\"custom\":\"org.jboss.labs.jira.plugin.cdw-plugin:cdwflagprogman\",\"customId\":12311245}},{\"id\":\"customfield_12311242\",\"name\":\"CDW + pm_ack\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"CDW + pm_ack\",\"cf[12311242]\"],\"schema\":{\"type\":\"string\",\"custom\":\"org.jboss.labs.jira.plugin.cdw-plugin:cdwflagpm\",\"customId\":12311242}},{\"id\":\"customfield_12315841\",\"name\":\"PX + Scheduling Request - OLD\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12315841]\",\"PX + Scheduling Request - OLD\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12315841}},{\"id\":\"customfield_12311243\",\"name\":\"CDW + devel_ack\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"CDW + devel_ack\",\"cf[12311243]\"],\"schema\":{\"type\":\"string\",\"custom\":\"org.jboss.labs.jira.plugin.cdw-plugin:cdwflagdevel\",\"customId\":12311243}},{\"id\":\"customfield_12313541\",\"name\":\"Epic + Type\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12313541]\",\"Epic + Type\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12313541}},{\"id\":\"aggregatetimeoriginalestimate\",\"name\":\"\u03A3 + Original Estimate\",\"custom\":false,\"orderable\":false,\"navigable\":true,\"searchable\":false,\"clauseNames\":[],\"schema\":{\"type\":\"number\",\"system\":\"aggregatetimeoriginalestimate\"}},{\"id\":\"customfield_12311240\",\"name\":\"Target + Release\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12311240]\",\"Target + Release\"],\"schema\":{\"type\":\"version\",\"custom\":\"org.jboss.labs.jira.plugin.cdw-plugin:cdwtargetreleasebyversion\",\"customId\":12311240}},{\"id\":\"customfield_12311241\",\"name\":\"CDW + release\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"CDW + release\",\"cf[12311241]\"],\"schema\":{\"type\":\"string\",\"custom\":\"org.jboss.labs.jira.plugin.cdw-plugin:cdwflagrelease\",\"customId\":12311241}},{\"id\":\"customfield_12310031\",\"name\":\"Affects\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"Affects\",\"cf[12310031]\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multicheckboxes\",\"customId\":12310031}},{\"id\":\"issuelinks\",\"name\":\"Linked + Issues\",\"custom\":false,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[],\"schema\":{\"type\":\"array\",\"items\":\"issuelinks\",\"system\":\"issuelinks\"}},{\"id\":\"assignee\",\"name\":\"Assignee\",\"custom\":false,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"assignee\"],\"schema\":{\"type\":\"user\",\"system\":\"assignee\"}},{\"id\":\"customfield_12311246\",\"name\":\"CDW + exception\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"CDW + exception\",\"cf[12311246]\"],\"schema\":{\"type\":\"string\",\"custom\":\"org.jboss.labs.jira.plugin.cdw-plugin:cdwflagprogman\",\"customId\":12311246}},{\"id\":\"customfield_12320041\",\"name\":\"Escape + Reason\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12320041]\",\"Escape + Reason\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12320041}},{\"id\":\"customfield_12319294\",\"name\":\"QE + Priority\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319294]\",\"QE + Priority\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12319294}},{\"id\":\"customfield_12319293\",\"name\":\"Affected + Groups\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"Affected + Groups\",\"cf[12319293]\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textarea\",\"customId\":12319293}},{\"id\":\"customfield_12320040\",\"name\":\"Work + Type\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12320040]\",\"Work + Type\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12320040}},{\"id\":\"customfield_12322343\",\"name\":\"ProdDocsReview-CCS\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12322343]\",\"ProdDocsReview-CCS\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12322343}},{\"id\":\"customfield_12322344\",\"name\":\"ProdDocsReview-QE\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12322344]\",\"ProdDocsReview-QE\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12322344}},{\"id\":\"customfield_12319295\",\"name\":\"Strategic + Relationship\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319295]\",\"Strategic + Relationship\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textarea\",\"customId\":12319295}},{\"id\":\"customfield_12320043\",\"name\":\"Corrective + Measures-OLD\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12320043]\",\"Corrective + Measures-OLD\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12320043}},{\"id\":\"customfield_12320042\",\"name\":\"Escape + Impact\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12320042]\",\"Escape + Impact\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12320042}},{\"id\":\"customfield_12322340\",\"name\":\"ProdDocsReview-Dev\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12322340]\",\"ProdDocsReview-Dev\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12322340}},{\"id\":\"customfield_12319299\",\"name\":\"SME\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319299]\",\"SME\"],\"schema\":{\"type\":\"user\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:userpicker\",\"customId\":12319299}},{\"id\":\"customfield_12319290\",\"name\":\"Training + Opportunity\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319290]\",\"Training + Opportunity\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12319290}},{\"id\":\"customfield_12319292\",\"name\":\"Testing + Instructions\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319292]\",\"Testing + Instructions\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textarea\",\"customId\":12319292}},{\"id\":\"customfield_12319291\",\"name\":\"Training + Opportunity Notes\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319291]\",\"Training + Opportunity Notes\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12319291}},{\"id\":\"customfield_12310120\",\"name\":\"Help + Desk Ticket Reference\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12310120]\",\"Help + Desk Ticket Reference\"],\"schema\":{\"type\":\"any\",\"custom\":\"org.jboss.labs.jira.plugin.jboss-custom-field-types-plugin:jbonlymultiurl\",\"customId\":12310120}},{\"id\":\"customfield_12314840\",\"name\":\"Doc + Version/s\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12314840]\",\"Doc + Version/s\"],\"schema\":{\"type\":\"array\",\"items\":\"version\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multiversion\",\"customId\":12314840}},{\"id\":\"customfield_12310243\",\"name\":\"Story + Points\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12310243]\",\"Story + Points\"],\"schema\":{\"type\":\"number\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:float\",\"customId\":12310243}},{\"id\":\"subtasks\",\"name\":\"Sub-Tasks\",\"custom\":false,\"orderable\":false,\"navigable\":true,\"searchable\":false,\"clauseNames\":[\"subtasks\"],\"schema\":{\"type\":\"array\",\"items\":\"issuelinks\",\"system\":\"subtasks\"}},{\"id\":\"customfield_12321140\",\"name\":\"GtmhubObjectID\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12321140]\",\"GtmhubObjectID\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12321140}},{\"id\":\"customfield_12323440\",\"name\":\"Onsite + Date\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12323440]\",\"Onsite + Date\"],\"schema\":{\"type\":\"date\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:datepicker\",\"customId\":12323440}},{\"id\":\"customfield_12315943\",\"name\":\"Ready-Ready\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12315943]\",\"Ready-Ready\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multicheckboxes\",\"customId\":12315943}},{\"id\":\"customfield_12310010\",\"name\":\"Forum + Reference\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12310010]\",\"Forum + Reference\"],\"schema\":{\"type\":\"any\",\"custom\":\"org.jboss.labs.jira.plugin.jboss-custom-field-types-plugin:multiurl\",\"customId\":12310010}},{\"id\":\"customfield_12315944\",\"name\":\"Planned + End\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12315944]\",\"Planned + End\"],\"schema\":{\"type\":\"date\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:datepicker\",\"customId\":12315944}},{\"id\":\"customfield_12315948\",\"name\":\"QA + Contact\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12315948]\",\"QA + Contact\"],\"schema\":{\"type\":\"user\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:userpicker\",\"customId\":12315948}},{\"id\":\"customfield_12315949\",\"name\":\"Product\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12315949]\",\"Product\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12315949}},{\"id\":\"votes\",\"name\":\"Votes\",\"custom\":false,\"orderable\":false,\"navigable\":true,\"searchable\":false,\"clauseNames\":[\"votes\"],\"schema\":{\"type\":\"votes\",\"system\":\"votes\"}},{\"id\":\"worklog\",\"name\":\"Log + Work\",\"custom\":false,\"orderable\":true,\"navigable\":false,\"searchable\":true,\"clauseNames\":[],\"schema\":{\"type\":\"array\",\"items\":\"worklog\",\"system\":\"worklog\"}},{\"id\":\"customfield_12315940\",\"name\":\"Acceptance + Criteria\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"Acceptance + Criteria\",\"cf[12315940]\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textarea\",\"customId\":12315940}},{\"id\":\"customfield_12315941\",\"name\":\"Backlogs\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"Backlogs\",\"cf[12315941]\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multiselect\",\"customId\":12315941}},{\"id\":\"issuetype\",\"name\":\"Issue + Type\",\"custom\":false,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"issuetype\",\"type\"],\"schema\":{\"type\":\"issuetype\",\"system\":\"issuetype\"}},{\"id\":\"customfield_12322040\",\"name\":\"Internal + Whiteboard\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12322040]\",\"Internal + Whiteboard\"],\"schema\":{\"type\":\"string\",\"custom\":\"org.jboss.labs.jira.plugin.jboss-custom-field-types-plugin:jbonlytext\",\"customId\":12322040}},{\"id\":\"customfield_12310181\",\"name\":\"Engineering + Response\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12310181]\",\"Engineering + Response\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textarea\",\"customId\":12310181}},{\"id\":\"customfield_12310060\",\"name\":\"Patch + Visibility\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12310060]\",\"Patch + Visibility\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multicheckboxes\",\"customId\":12310060}},{\"id\":\"customfield_12310180\",\"name\":\"Background + and Context\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"Background + and Context\",\"cf[12310180]\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textarea\",\"customId\":12310180}},{\"id\":\"customfield_12316845\",\"name\":\"5-Acks + Check\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"5-Acks + Check\",\"cf[12316845]\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multicheckboxes\",\"customId\":12316845}},{\"id\":\"customfield_12316846\",\"name\":\"GitHub + Issue\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12316846]\",\"GitHub + Issue\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:url\",\"customId\":12316846}},{\"id\":\"customfield_12316847\",\"name\":\"Developer + Comment\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12316847]\",\"Developer + Comment\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textarea\",\"customId\":12316847}},{\"id\":\"customfield_12316848\",\"name\":\"ODC + Planning\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12316848]\",\"ODC + Planning\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multicheckboxes\",\"customId\":12316848}},{\"id\":\"customfield_12316849\",\"name\":\"ODC + Planning Ack\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12316849]\",\"ODC + Planning Ack\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multicheckboxes\",\"customId\":12316849}},{\"id\":\"customfield_12310183\",\"name\":\"Steps + to Reproduce\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12310183]\",\"Steps + to Reproduce\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textarea\",\"customId\":12310183}},{\"id\":\"customfield_12310182\",\"name\":\"Product + Management Response\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12310182]\",\"Product + Management Response\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textarea\",\"customId\":12310182}},{\"id\":\"customfield_12312240\",\"name\":\"QE + Status\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12312240]\",\"QE + Status\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12312240}},{\"id\":\"customfield_12316840\",\"name\":\"Bugzilla + Bug\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"Bugzilla + Bug\",\"cf[12316840]\"],\"schema\":{\"type\":\"any\",\"custom\":\"com.redhat.engineering.step.step-bugzilla-plugin:cfRhbzBug\",\"customId\":12316840}},{\"id\":\"customfield_12316841\",\"name\":\"Sync + Failure Flag\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12316841]\",\"Sync + Failure Flag\"],\"schema\":{\"type\":\"array\",\"items\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:labels\",\"customId\":12316841}},{\"id\":\"customfield_12316842\",\"name\":\"Sync + Failure Message\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12316842]\",\"Sync + Failure Message\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textarea\",\"customId\":12316842}},{\"id\":\"customfield_12316843\",\"name\":\"Whiteboard\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12316843]\",\"Whiteboard\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12316843}},{\"id\":\"customfield_12316844\",\"name\":\"Subcomponent\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12316844]\",\"Subcomponent\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12316844}},{\"id\":\"customfield_12323140\",\"name\":\"Target + Version\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12323140]\",\"Target + Version\"],\"schema\":{\"type\":\"array\",\"items\":\"version\",\"custom\":\"org.jboss.labs.jira.plugin.jboss-custom-field-types-plugin:redhatversionpicker\",\"customId\":12323140}},{\"id\":\"customfield_12310071\",\"name\":\"Patch + Repository Link\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12310071]\",\"Patch + Repository Link\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:url\",\"customId\":12310071}},{\"id\":\"customfield_12310070\",\"name\":\"Patch + Instructions\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12310070]\",\"Patch + Instructions\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textarea\",\"customId\":12310070}},{\"id\":\"customfield_12315640\",\"name\":\"Doc + Required\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12315640]\",\"Doc + Required\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12315640}},{\"id\":\"customfield_12313340\",\"name\":\"Stackoverflow + ID\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12313340]\",\"Stackoverflow + ID\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12313340}},{\"id\":\"customfield_12316850\",\"name\":\"Service + Delivery Planning ACK\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12316850]\",\"Service + Delivery Planning ACK\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multicheckboxes\",\"customId\":12316850}},{\"id\":\"customfield_12317940\",\"name\":\"Funding + State\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317940]\",\"Funding + State\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317940}},{\"id\":\"customfield_12317941\",\"name\":\"Funding + Strategy\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317941]\",\"Funding + Strategy\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317941}},{\"id\":\"customfield_12322143\",\"name\":\"PX + Impact Range\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12322143]\",\"PX + Impact Range\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"org.jboss.labs.jira.plugin.jboss-custom-field-types-plugin:jbonlymultiselect\",\"customId\":12322143}},{\"id\":\"customfield_12322144\",\"name\":\"Risk + Identified Date\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12322144]\",\"Risk + Identified Date\"],\"schema\":{\"type\":\"date\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:datepicker\",\"customId\":12322144}},{\"id\":\"customfield_12322145\",\"name\":\"Additional + Approvers\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"Additional + Approvers\",\"cf[12322145]\"],\"schema\":{\"type\":\"array\",\"items\":\"user\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multiuserpicker\",\"customId\":12322145}},{\"id\":\"customfield_12322146\",\"name\":\"Security + Approvals\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12322146]\",\"Security + Approvals\"],\"schema\":{\"type\":\"array\",\"items\":\"user\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multiuserpicker\",\"customId\":12322146}},{\"id\":\"customfield_12322140\",\"name\":\"PX + Review Complete\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12322140]\",\"PX + Review Complete\"],\"schema\":{\"type\":\"option\",\"custom\":\"org.jboss.labs.jira.plugin.jboss-custom-field-types-plugin:jbonlyselect\",\"customId\":12322140}},{\"id\":\"customfield_12322141\",\"name\":\"PX + Technical Impact\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12322141]\",\"PX + Technical Impact\"],\"schema\":{\"type\":\"option\",\"custom\":\"org.jboss.labs.jira.plugin.jboss-custom-field-types-plugin:jbonlyselect\",\"customId\":12322141}},{\"id\":\"customfield_12322142\",\"name\":\"PX + Priority Data\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12322142]\",\"PX + Priority Data\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"org.jboss.labs.jira.plugin.jboss-custom-field-types-plugin:jbonlymultiselect\",\"customId\":12322142}},{\"id\":\"customfield_12322148\",\"name\":\"Dev + Target end\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12322148]\",\"Dev + Target end\"],\"schema\":{\"type\":\"date\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:datepicker\",\"customId\":12322148}},{\"id\":\"timetracking\",\"name\":\"Time + Tracking\",\"custom\":false,\"orderable\":true,\"navigable\":false,\"searchable\":true,\"clauseNames\":[],\"schema\":{\"type\":\"timetracking\",\"system\":\"timetracking\"}},{\"id\":\"customfield_12312340\",\"name\":\"GSS + Priority\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12312340]\",\"GSS + Priority\"],\"schema\":{\"type\":\"option\",\"custom\":\"org.jboss.labs.jira.plugin.jboss-custom-field-types-plugin:jbonlyselect\",\"customId\":12312340}},{\"id\":\"customfield_12314640\",\"name\":\"Upstream + Jira\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12314640]\",\"Upstream + Jira\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12314640}},{\"id\":\"customfield_12310160\",\"name\":\"Customer + Name\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12310160]\",\"Customer + Name\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12310160}},{\"id\":\"customfield_12316940\",\"name\":\"Team + Confidence\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12316940]\",\"Team + Confidence\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12316940}},{\"id\":\"customfield_12316941\",\"name\":\"QE + Confidence\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12316941]\",\"QE + Confidence\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12316941}},{\"id\":\"customfield_12316942\",\"name\":\"Doc + Confidence\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12316942]\",\"Doc + Confidence\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12316942}},{\"id\":\"customfield_12316943\",\"name\":\"Business + Value\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"Business + Value\",\"cf[12316943]\"],\"schema\":{\"type\":\"number\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:float\",\"customId\":12316943}},{\"id\":\"customfield_12323243\",\"name\":\"Contributing + Groups Limited Access\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12323243]\",\"Contributing + Groups Limited Access\"],\"schema\":{\"type\":\"array\",\"items\":\"group\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multigrouppicker\",\"customId\":12323243}},{\"id\":\"customfield_12323240\",\"name\":\"Anomaly\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"Anomaly\",\"cf[12323240]\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12323240}},{\"id\":\"customfield_12322150\",\"name\":\"Exception + Count\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12322150]\",\"Exception + Count\"],\"schema\":{\"type\":\"number\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:float\",\"customId\":12322150}},{\"id\":\"customfield_12322151\",\"name\":\"Security + Controls\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12322151]\",\"Security + Controls\"],\"schema\":{\"type\":\"option-with-child\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:cascadingselect\",\"customId\":12322151}},{\"id\":\"customfield_12322152\",\"name\":\"Blocked + by Bugzilla Bug\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"Blocked + by Bugzilla Bug\",\"cf[12322152]\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:url\",\"customId\":12322152}},{\"id\":\"customfield_12323242\",\"name\":\"Request + Clones\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12323242]\",\"Request + Clones\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12323242}},{\"id\":\"customfield_12323241\",\"name\":\"Anomaly + Criticality\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"Anomaly + Criticality\",\"cf[12323241]\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12323241}},{\"id\":\"customfield_12310170\",\"name\":\"Affects + Testing\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"Affects + Testing\",\"cf[12310170]\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multicheckboxes\",\"customId\":12310170}},{\"id\":\"environment\",\"name\":\"Environment\",\"custom\":false,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"environment\"],\"schema\":{\"type\":\"string\",\"system\":\"environment\"}},{\"id\":\"customfield_12313443\",\"name\":\"Affected + Jars\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"Affected + Jars\",\"cf[12313443]\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textarea\",\"customId\":12313443}},{\"id\":\"customfield_12311143\",\"name\":\"Epic + Colour\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12311143]\",\"Epic + Colour\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.pyxis.greenhopper.jira:gh-epic-color\",\"customId\":12311143}},{\"id\":\"customfield_12313442\",\"name\":\"PDD + Priority\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12313442]\",\"PDD + Priority\"],\"schema\":{\"type\":\"number\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:float\",\"customId\":12313442}},{\"id\":\"customfield_12311141\",\"name\":\"Epic + Name\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12311141]\",\"Epic + Name\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.pyxis.greenhopper.jira:gh-epic-label\",\"customId\":12311141}},{\"id\":\"customfield_12313441\",\"name\":\"SFDC + Cases Links\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12313441]\",\"SFDC + Cases Links\"],\"schema\":{\"type\":\"number\",\"custom\":\"com.redhat.engineering.step.step-sfdc-plugin:sfdc_cases\",\"customId\":12313441}},{\"id\":\"customfield_12315740\",\"name\":\"issueFunction\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12315740]\",\"issueFunction\"],\"schema\":{\"type\":\"any\",\"custom\":\"com.onresolve.jira.groovy.groovyrunner:jqlFunctionsCustomFieldType\",\"customId\":12315740}},{\"id\":\"customfield_12311142\",\"name\":\"Epic + Status\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12311142]\",\"Epic + Status\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.pyxis.greenhopper.jira:gh-epic-status\",\"customId\":12311142}},{\"id\":\"customfield_12313440\",\"name\":\"SFDC + Cases Counter\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12313440]\",\"SFDC + Cases Counter\"],\"schema\":{\"type\":\"number\",\"custom\":\"com.redhat.engineering.step.step-sfdc-plugin:sfdc_cases_counter\",\"customId\":12313440}},{\"id\":\"duedate\",\"name\":\"Due + Date\",\"custom\":false,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"due\",\"duedate\"],\"schema\":{\"type\":\"date\",\"system\":\"duedate\"}},{\"id\":\"customfield_12310173\",\"name\":\"Component + Fix Version(s)\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12310173]\",\"Component + Fix Version(s)\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12310173}},{\"id\":\"customfield_12311140\",\"name\":\"Epic + Link\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12311140]\",\"Epic + Link\"],\"schema\":{\"type\":\"any\",\"custom\":\"com.pyxis.greenhopper.jira:gh-epic-link\",\"customId\":12311140}},{\"id\":\"customfield_12314340\",\"name\":\"cee_cir\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cee_cir\",\"cf[12314340]\"],\"schema\":{\"type\":\"string\",\"custom\":\"org.jboss.labs.jira.plugin.cdw-plugin:cirflag\",\"customId\":12314340}},{\"id\":\"customfield_12313140\",\"name\":\"Parent + Link\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12313140]\",\"Parent + Link\"],\"schema\":{\"type\":\"any\",\"custom\":\"com.atlassian.jpo:jpo-custom-field-parent\",\"customId\":12313140}},{\"id\":\"customfield_12313145\",\"name\":\"QE + Estimate\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12313145]\",\"QE + Estimate\"],\"schema\":{\"type\":\"number\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:float\",\"customId\":12313145}},{\"id\":\"timeestimate\",\"name\":\"Remaining + Estimate\",\"custom\":false,\"orderable\":false,\"navigable\":true,\"searchable\":false,\"clauseNames\":[\"remainingEstimate\",\"timeestimate\"],\"schema\":{\"type\":\"number\",\"system\":\"timeestimate\"}},{\"id\":\"customfield_12313143\",\"name\":\"EAP + PT Community Docs (CD)\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12313143]\",\"EAP + PT Community Docs (CD)\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12313143}},{\"id\":\"customfield_12313144\",\"name\":\"EAP + PT Test Dev (TD)\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12313144]\",\"EAP + PT Test Dev (TD)\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12313144}},{\"id\":\"customfield_12317740\",\"name\":\"Planning + Status\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317740]\",\"Planning + Status\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317740}},{\"id\":\"status\",\"name\":\"Status\",\"custom\":false,\"orderable\":false,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"status\"],\"schema\":{\"type\":\"status\",\"system\":\"status\"}},{\"id\":\"customfield_12310080\",\"name\":\"Tester\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12310080]\",\"Tester\"],\"schema\":{\"type\":\"user\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:userpicker\",\"customId\":12310080}},{\"id\":\"archiveddate\",\"name\":\"Archived\",\"custom\":false,\"orderable\":true,\"navigable\":false,\"searchable\":true,\"clauseNames\":[],\"schema\":{\"type\":\"datetime\",\"system\":\"archiveddate\"}},{\"id\":\"customfield_12316747\",\"name\":\"Support + Exception Account Number\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12316747]\",\"Support + Exception Account Number\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12316747}},{\"id\":\"customfield_12316749\",\"name\":\"Architect\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"Architect\",\"cf[12316749]\"],\"schema\":{\"type\":\"user\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:userpicker\",\"customId\":12316749}},{\"id\":\"aggregatetimeestimate\",\"name\":\"\u03A3 + Remaining Estimate\",\"custom\":false,\"orderable\":false,\"navigable\":true,\"searchable\":false,\"clauseNames\":[],\"schema\":{\"type\":\"number\",\"system\":\"aggregatetimeestimate\"}},{\"id\":\"customfield_12312142\",\"name\":\"Class + of work\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12312142]\",\"Class + of work\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12312142}},{\"id\":\"customfield_12316740\",\"name\":\"Prod + build version\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12316740]\",\"Prod + build version\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12316740}},{\"id\":\"customfield_12316745\",\"name\":\"QE + ACK\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12316745]\",\"QE + ACK\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:radiobuttons\",\"customId\":12316745}},{\"id\":\"creator\",\"name\":\"Creator\",\"custom\":false,\"orderable\":false,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"creator\"],\"schema\":{\"type\":\"user\",\"system\":\"creator\"}},{\"id\":\"customfield_12310091\",\"name\":\"Workaround + Description\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12310091]\",\"Workaround + Description\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textarea\",\"customId\":12310091}},{\"id\":\"customfield_12310090\",\"name\":\"Workaround\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12310090]\",\"Workaround\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multicheckboxes\",\"customId\":12310090}},{\"id\":\"customfield_12310092\",\"name\":\"Estimated + Difficulty\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12310092]\",\"Estimated + Difficulty\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12310092}},{\"id\":\"customfield_12315542\",\"name\":\"Flagged\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12315542]\",\"Flagged\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multicheckboxes\",\"customId\":12315542}},{\"id\":\"customfield_12315541\",\"name\":\"Regression + Test\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12315541]\",\"Regression + Test\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12315541}},{\"id\":\"customfield_12315540\",\"name\":\"EAP + Docs SME\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12315540]\",\"EAP + Docs SME\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12315540}},{\"id\":\"customfield_12313240\",\"name\":\"Team\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12313240]\",\"Team\"],\"schema\":{\"type\":\"any\",\"custom\":\"com.atlassian.teams:rm-teams-custom-field-team\",\"customId\":12313240}},{\"id\":\"customfield_12316750\",\"name\":\"Technical + Lead\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12316750]\",\"Technical + Lead\"],\"schema\":{\"type\":\"user\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:userpicker\",\"customId\":12316750}},{\"id\":\"customfield_12316751\",\"name\":\"Designer\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12316751]\",\"Designer\"],\"schema\":{\"type\":\"user\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:userpicker\",\"customId\":12316751}},{\"id\":\"customfield_12323040\",\"name\":\"PX + Scheduling Request\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12323040]\",\"PX + Scheduling Request\"],\"schema\":{\"type\":\"array\",\"items\":\"version\",\"custom\":\"org.jboss.labs.jira.plugin.jboss-custom-field-types-plugin:redhatversionpicker\",\"customId\":12323040}},{\"id\":\"customfield_12317841\",\"name\":\"Fuse + Progress Bar\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317841]\",\"Fuse + Progress Bar\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.onresolve.jira.groovy.groovyrunner:scripted-field\",\"customId\":12317841}},{\"id\":\"customfield_12316752\",\"name\":\"Product + Manager\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12316752]\",\"Product + Manager\"],\"schema\":{\"type\":\"user\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:userpicker\",\"customId\":12316752}},{\"id\":\"customfield_12317842\",\"name\":\"Fuse + Progress\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317842]\",\"Fuse + Progress\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.onresolve.jira.groovy.groovyrunner:scripted-field\",\"customId\":12317842}},{\"id\":\"customfield_12316753\",\"name\":\"Manager\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12316753]\",\"Manager\"],\"schema\":{\"type\":\"user\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:userpicker\",\"customId\":12316753}},{\"id\":\"customfield_12317843\",\"name\":\"BZ + Partner\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"BZ + Partner\",\"cf[12317843]\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multiselect\",\"customId\":12317843}},{\"id\":\"timespent\",\"name\":\"Time + Spent\",\"custom\":false,\"orderable\":false,\"navigable\":true,\"searchable\":false,\"clauseNames\":[\"timespent\"],\"schema\":{\"type\":\"number\",\"system\":\"timespent\"}},{\"id\":\"customfield_12320940\",\"name\":\"Test + Coverage\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12320940]\",\"Test + Coverage\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multiselect\",\"customId\":12320940}},{\"id\":\"aggregatetimespent\",\"name\":\"\u03A3 + Time Spent\",\"custom\":false,\"orderable\":false,\"navigable\":true,\"searchable\":false,\"clauseNames\":[],\"schema\":{\"type\":\"number\",\"system\":\"aggregatetimespent\"}},{\"id\":\"customfield_12320944\",\"name\":\"Test + Link\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12320944]\",\"Test + Link\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:url\",\"customId\":12320944}},{\"id\":\"customfield_12320943\",\"name\":\"Pervasiveness\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12320943]\",\"Pervasiveness\"],\"schema\":{\"type\":\"option\",\"custom\":\"org.jboss.labs.jira.plugin.jboss-custom-field-types-plugin:jbonlyselect\",\"customId\":12320943}},{\"id\":\"customfield_12320941\",\"name\":\"Willingness + to Pay\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12320941]\",\"Willingness + to Pay\"],\"schema\":{\"type\":\"option\",\"custom\":\"org.jboss.labs.jira.plugin.jboss-custom-field-types-plugin:jbonlyselect\",\"customId\":12320941}},{\"id\":\"customfield_12316441\",\"name\":\"Work + Source\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12316441]\",\"Work + Source\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12316441}},{\"id\":\"workratio\",\"name\":\"Work + Ratio\",\"custom\":false,\"orderable\":false,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"workratio\"],\"schema\":{\"type\":\"number\",\"system\":\"workratio\"}},{\"id\":\"customfield_12316442\",\"name\":\"Customer + Cloud Subscription (CCS)\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12316442]\",\"Customer + Cloud Subscription (CCS)\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12316442}},{\"id\":\"customfield_12318740\",\"name\":\"Portfolio + Solutions\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12318740]\",\"Portfolio + Solutions\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"org.jboss.labs.jira.plugin.jboss-custom-field-types-plugin:jbonlymultiselect\",\"customId\":12318740}},{\"id\":\"customfield_12316443\",\"name\":\"Cluster + Admin Enabled\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12316443]\",\"Cluster + Admin Enabled\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12316443}},{\"id\":\"customfield_12316444\",\"name\":\"Cloud + Platform\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12316444]\",\"Cloud + Platform\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12316444}},{\"id\":\"customfield_12317540\",\"name\":\"Support + Scope\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317540]\",\"Support + Scope\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317540}},{\"id\":\"customfield_12315240\",\"name\":\"EAP + Testing By\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12315240]\",\"EAP + Testing By\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12315240}},{\"id\":\"customfield_12320948\",\"name\":\"Experience\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12320948]\",\"Experience\"],\"schema\":{\"type\":\"option\",\"custom\":\"org.jboss.labs.jira.plugin.jboss-custom-field-types-plugin:jbonlyselect\",\"customId\":12320948}},{\"id\":\"customfield_12317307\",\"name\":\"Original + Estimate\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317307]\",\"Original + Estimate\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12317307}},{\"id\":\"customfield_12320947\",\"name\":\"Market\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12320947]\",\"Market\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"org.jboss.labs.jira.plugin.jboss-custom-field-types-plugin:jbonlymultiselect\",\"customId\":12320947}},{\"id\":\"customfield_12317309\",\"name\":\"BZ + URL\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"BZ + URL\",\"cf[12317309]\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:url\",\"customId\":12317309}},{\"id\":\"customfield_12320946\",\"name\":\"Intelligence + Requested\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12320946]\",\"Intelligence + Requested\"],\"schema\":{\"type\":\"option\",\"custom\":\"org.jboss.labs.jira.plugin.jboss-custom-field-types-plugin:jbonlyselect\",\"customId\":12320946}},{\"id\":\"customfield_12320945\",\"name\":\"Risk + Category\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12320945]\",\"Risk + Category\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12320945}},{\"id\":\"customfield_12319840\",\"name\":\"External + issue ID\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319840]\",\"External + issue ID\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12319840}},{\"id\":\"customfield_12317301\",\"name\":\"Risk + Type\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317301]\",\"Risk + Type\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317301}},{\"id\":\"customfield_12317302\",\"name\":\"Risk + Probability\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317302]\",\"Risk + Probability\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317302}},{\"id\":\"customfield_12317303\",\"name\":\"Risk + Proximity\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317303]\",\"Risk + Proximity\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317303}},{\"id\":\"customfield_12317304\",\"name\":\"Risk + Impact Level\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317304]\",\"Risk + Impact Level\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317304}},{\"id\":\"customfield_12317305\",\"name\":\"Risk + impact description\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317305]\",\"Risk + impact description\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textarea\",\"customId\":12317305}},{\"id\":\"customfield_12317306\",\"name\":\"Risk + mitigation/contingency\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317306]\",\"Risk + mitigation/contingency\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textarea\",\"customId\":12317306}},{\"id\":\"customfield_12316548\",\"name\":\"Actual + Effort\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"Actual + Effort\",\"cf[12316548]\"],\"schema\":{\"type\":\"number\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:float\",\"customId\":12316548}},{\"id\":\"customfield_12316549\",\"name\":\"CRT + Milestone Estimate\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12316549]\",\"CRT + Milestone Estimate\"],\"schema\":{\"type\":\"number\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:float\",\"customId\":12316549}},{\"id\":\"customfield_12314245\",\"name\":\"EAP + PT Pre-Checked (PC)\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12314245]\",\"EAP + PT Pre-Checked (PC)\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12314245}},{\"id\":\"customfield_12314244\",\"name\":\"EAP + PT Product Docs (PD)\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12314244]\",\"EAP + PT Product Docs (PD)\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12314244}},{\"id\":\"customfield_12314243\",\"name\":\"EAP + PT Docs Analysis (DA)\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12314243]\",\"EAP + PT Docs Analysis (DA)\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12314243}},{\"id\":\"customfield_12314242\",\"name\":\"EAP + PT Test Plan (TP)\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12314242]\",\"EAP + PT Test Plan (TP)\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12314242}},{\"id\":\"customfield_12314241\",\"name\":\"EAP + PT Analysis Document (AD)\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12314241]\",\"EAP + PT Analysis Document (AD)\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12314241}},{\"id\":\"customfield_12318840\",\"name\":\"Marketing + Info\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12318840]\",\"Marketing + Info\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textarea\",\"customId\":12318840}},{\"id\":\"customfield_12316540\",\"name\":\"Reviewer\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12316540]\",\"Reviewer\"],\"schema\":{\"type\":\"user\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:userpicker\",\"customId\":12316540}},{\"id\":\"customfield_12316541\",\"name\":\"T-Shirt + Size\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12316541]\",\"T-Shirt + Size\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12316541}},{\"id\":\"customfield_12316542\",\"name\":\"Ready\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12316542]\",\"Ready\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12316542}},{\"id\":\"customfield_12316543\",\"name\":\"Blocked\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"Blocked\",\"cf[12316543]\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12316543}},{\"id\":\"customfield_12318841\",\"name\":\"Marketing + Info Ready\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12318841]\",\"Marketing + Info Ready\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12318841}},{\"id\":\"customfield_12316544\",\"name\":\"Blocked + Reason\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"Blocked + Reason\",\"cf[12316544]\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textarea\",\"customId\":12316544}},{\"id\":\"customfield_12316545\",\"name\":\"Owner\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12316545]\",\"Owner\"],\"schema\":{\"type\":\"user\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:userpicker\",\"customId\":12316545}},{\"id\":\"customfield_12316546\",\"name\":\"Evidence + Score\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12316546]\",\"Evidence + Score\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12316546}},{\"id\":\"customfield_12316547\",\"name\":\"Discussed + with Team\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12316547]\",\"Discussed + with Team\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:radiobuttons\",\"customId\":12316547}},{\"id\":\"customfield_12313040\",\"name\":\"Test + Plan\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12313040]\",\"Test + Plan\"],\"schema\":{\"type\":\"any\",\"custom\":\"org.jboss.labs.jira.plugin.jboss-custom-field-types-plugin:multiurl\",\"customId\":12313040}},{\"id\":\"customfield_12313041\",\"name\":\"Analysis + Document\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"Analysis + Document\",\"cf[12313041]\"],\"schema\":{\"type\":\"any\",\"custom\":\"org.jboss.labs.jira.plugin.jboss-custom-field-types-plugin:multiurl\",\"customId\":12313041}},{\"id\":\"customfield_12313042\",\"name\":\"Microrelease + version\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12313042]\",\"Microrelease + version\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12313042}},{\"id\":\"customfield_12317640\",\"name\":\"DevTestDoc\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317640]\",\"DevTestDoc\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multiselect\",\"customId\":12317640}},{\"id\":\"customfield_12319940\",\"name\":\"Target + Version - obsolete\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319940]\",\"Target + Version - obsolete\"],\"schema\":{\"type\":\"array\",\"items\":\"version\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multiversion\",\"customId\":12319940}},{\"id\":\"customfield_12317401\",\"name\":\"EXD-Service\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317401]\",\"EXD-Service\"],\"schema\":{\"type\":\"option-with-child\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:cascadingselect\",\"customId\":12317401}},{\"id\":\"customfield_12317403\",\"name\":\"EXD-WorkType\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317403]\",\"EXD-WorkType\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multicheckboxes\",\"customId\":12317403}},{\"id\":\"customfield_12317404\",\"name\":\"Commitment\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317404]\",\"Commitment\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:radiobuttons\",\"customId\":12317404}},{\"id\":\"customfield_12317405\",\"name\":\"Requesting + Teams\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317405]\",\"Requesting + Teams\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multicheckboxes\",\"customId\":12317405}},{\"id\":\"customfield_12316240\",\"name\":\"Planning\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12316240]\",\"Planning\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multicheckboxes\",\"customId\":12316240}},{\"id\":\"customfield_12317330\",\"name\":\"BZ + needinfo\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"BZ + needinfo\",\"cf[12317330]\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317330}},{\"id\":\"customfield_12316241\",\"name\":\"Design + Doc\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12316241]\",\"Design + Doc\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:url\",\"customId\":12316241}},{\"id\":\"customfield_12319751\",\"name\":\"Risk + Score\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319751]\",\"Risk + Score\"],\"schema\":{\"type\":\"number\",\"custom\":\"com.onresolve.jira.groovy.groovyrunner:scripted-field\",\"customId\":12319751}},{\"id\":\"customfield_12317331\",\"name\":\"BZ + rhel-8.0.z\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"BZ + rhel-8.0.z\",\"cf[12317331]\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317331}},{\"id\":\"customfield_12318540\",\"name\":\"Message + For OHSS Project\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12318540]\",\"Message + For OHSS Project\"],\"schema\":{\"type\":\"string\",\"custom\":\"org.jboss.labs.jira.plugin.jboss-custom-field-types-plugin:messagecustomfield\",\"customId\":12318540}},{\"id\":\"customfield_12316242\",\"name\":\"QEStatus\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12316242]\",\"QEStatus\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12316242}},{\"id\":\"customfield_12319750\",\"name\":\"WSJF\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319750]\",\"WSJF\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.onresolve.jira.groovy.groovyrunner:scripted-field\",\"customId\":12319750}},{\"id\":\"customfield_12320741\",\"name\":\"Urgency\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12320741]\",\"Urgency\"],\"schema\":{\"type\":\"number\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:float\",\"customId\":12320741}},{\"id\":\"customfield_12320740\",\"name\":\"Impact\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12320740]\",\"Impact\"],\"schema\":{\"type\":\"number\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:float\",\"customId\":12320740}},{\"id\":\"customfield_12317332\",\"name\":\"ZStream + Target Release\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317332]\",\"ZStream + Target Release\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317332}},{\"id\":\"customfield_12317333\",\"name\":\"BZ + blocker\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"BZ + blocker\",\"cf[12317333]\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317333}},{\"id\":\"customfield_12316245\",\"name\":\"Needs + Product Docs\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12316245]\",\"Needs + Product Docs\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12316245}},{\"id\":\"customfield_12317334\",\"name\":\"zstream\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317334]\",\"zstream\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317334}},{\"id\":\"customfield_12317335\",\"name\":\"BZ + Version\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"BZ + Version\",\"cf[12317335]\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12317335}},{\"id\":\"customfield_12317336\",\"name\":\"BZ + Docs Contact\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"BZ + Docs Contact\",\"cf[12317336]\"],\"schema\":{\"type\":\"user\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:userpicker\",\"customId\":12317336}},{\"id\":\"customfield_12317337\",\"name\":\"BZ + requires_doc_text\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"BZ + requires_doc_text\",\"cf[12317337]\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317337}},{\"id\":\"customfield_12317338\",\"name\":\"Doc + Commitment\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317338]\",\"Doc + Commitment\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317338}},{\"id\":\"customfield_12310940\",\"name\":\"Sprint\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12310940]\",\"Sprint\"],\"schema\":{\"type\":\"array\",\"items\":\"string\",\"custom\":\"com.pyxis.greenhopper.jira:gh-sprint\",\"customId\":12310940}},{\"id\":\"customfield_12316250\",\"name\":\"Link + to documentation\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12316250]\",\"Link + to documentation\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:url\",\"customId\":12316250}},{\"id\":\"customfield_12317340\",\"name\":\"OS\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317340]\",\"OS\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317340}},{\"id\":\"customfield_12317341\",\"name\":\"Public + Target Launch Date\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317341]\",\"Public + Target Launch Date\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12317341}},{\"id\":\"customfield_12319640\",\"name\":\"Contributing + Groups\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319640]\",\"Contributing + Groups\"],\"schema\":{\"type\":\"array\",\"items\":\"group\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multigrouppicker\",\"customId\":12319640}},{\"id\":\"customfield_12317342\",\"name\":\"Onsite + Hardware Date - old\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317342]\",\"Onsite + Hardware Date - old\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12317342}},{\"id\":\"customfield_12315043\",\"name\":\"3scale + PT Verified Product\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"3scale + PT Verified Product\",\"cf[12315043]\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12315043}},{\"id\":\"customfield_12315042\",\"name\":\"3scale + PT Released In Saas\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"3scale + PT Released In Saas\",\"cf[12315042]\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12315042}},{\"id\":\"customfield_12315041\",\"name\":\"3scale + PT Docs\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"3scale + PT Docs\",\"cf[12315041]\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12315041}},{\"id\":\"customfield_12315040\",\"name\":\"3scale + PT Product Specs\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"3scale + PT Product Specs\",\"cf[12315040]\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12315040}},{\"id\":\"customfield_12321840\",\"name\":\"Supply + Chain STI\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12321840]\",\"Supply + Chain STI\"],\"schema\":{\"type\":\"option-with-child\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:cascadingselect\",\"customId\":12321840}},{\"id\":\"labels\",\"name\":\"Labels\",\"custom\":false,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"labels\"],\"schema\":{\"type\":\"array\",\"items\":\"string\",\"system\":\"labels\"}},{\"id\":\"customfield_12315044\",\"name\":\"3scale + PT Product Update Ready\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"3scale + PT Product Update Ready\",\"cf[12315044]\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12315044}},{\"id\":\"customfield_12317343\",\"name\":\"Target + Upstream Version\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317343]\",\"Target + Upstream Version\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12317343}},{\"id\":\"customfield_12317344\",\"name\":\"Close + Duplicate Candidate\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317344]\",\"Close + Duplicate Candidate\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12317344}},{\"id\":\"customfield_12317345\",\"name\":\"Partner + Requirement State\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317345]\",\"Partner + Requirement State\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317345}},{\"id\":\"customfield_12317346\",\"name\":\"BZ + Target Release\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"BZ + Target Release\",\"cf[12317346]\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317346}},{\"id\":\"customfield_12317347\",\"name\":\"Upstream + Kernel Target\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317347]\",\"Upstream + Kernel Target\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317347}},{\"id\":\"customfield_12317348\",\"name\":\"EPM + priority\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317348]\",\"EPM + priority\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multiselect\",\"customId\":12317348}},{\"id\":\"customfield_12317349\",\"name\":\"Case + Link\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"Case + Link\",\"cf[12317349]\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:url\",\"customId\":12317349}},{\"id\":\"components\",\"name\":\"Component/s\",\"custom\":false,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"component\"],\"schema\":{\"type\":\"array\",\"items\":\"component\",\"system\":\"components\"}},{\"id\":\"customfield_12318640\",\"name\":\"BZ + Flags\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"BZ + Flags\",\"cf[12318640]\"],\"schema\":{\"type\":\"array\",\"items\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:labels\",\"customId\":12318640}},{\"id\":\"customfield_12316340\",\"name\":\"Service + / (sub)product\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12316340]\",\"Service + / (sub)product\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12316340}},{\"id\":\"customfield_12316341\",\"name\":\"Department\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12316341]\",\"Department\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12316341}},{\"id\":\"customfield_12320841\",\"name\":\"Status + Summary\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12320841]\",\"Status + Summary\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textarea\",\"customId\":12320841}},{\"id\":\"customfield_12320840\",\"name\":\"Release + Type\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12320840]\",\"Release + Type\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12320840}},{\"id\":\"customfield_12314040\",\"name\":\"Original + story points\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12314040]\",\"Original + story points\"],\"schema\":{\"type\":\"number\",\"custom\":\"com.atlassian.jpo:jpo-custom-field-original-story-points\",\"customId\":12314040}},{\"id\":\"customfield_12320845\",\"name\":\"Color + Status\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12320845]\",\"Color + Status\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12320845}},{\"id\":\"customfield_12320844\",\"name\":\"Customer + Impact\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12320844]\",\"Customer + Impact\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multicheckboxes\",\"customId\":12320844}},{\"id\":\"customfield_12320843\",\"name\":\"UX + Designer\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12320843]\",\"UX + Designer\"],\"schema\":{\"type\":\"user\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:userpicker\",\"customId\":12320843}},{\"id\":\"customfield_12320842\",\"name\":\"Documentation + Type\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12320842]\",\"Documentation + Type\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multiselect\",\"customId\":12320842}},{\"id\":\"customfield_12317318\",\"name\":\"BZ + Keywords\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"BZ + Keywords\",\"cf[12317318]\"],\"schema\":{\"type\":\"array\",\"items\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:labels\",\"customId\":12317318}},{\"id\":\"customfield_12317319\",\"name\":\"BZ + exception\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"BZ + exception\",\"cf[12317319]\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317319}},{\"id\":\"customfield_12316342\",\"name\":\"Additional + Assignees\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"Additional + Assignees\",\"cf[12316342]\"],\"schema\":{\"type\":\"array\",\"items\":\"user\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multiuserpicker\",\"customId\":12316342}},{\"id\":\"customfield_12317310\",\"name\":\"BZ + Doc Type\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"BZ + Doc Type\",\"cf[12317310]\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317310}},{\"id\":\"customfield_12317311\",\"name\":\"BZ + QA Whiteboard\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"BZ + QA Whiteboard\",\"cf[12317311]\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12317311}},{\"id\":\"customfield_12316343\",\"name\":\"OpenShift + Planning Ack\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12316343]\",\"OpenShift + Planning Ack\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multicheckboxes\",\"customId\":12316343}},{\"id\":\"customfield_12317312\",\"name\":\"BZ + Internal Whiteboard\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"BZ + Internal Whiteboard\",\"cf[12317312]\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12317312}},{\"id\":\"customfield_12317313\",\"name\":\"Release + Note Text\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317313]\",\"Release + Note Text\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textarea\",\"customId\":12317313}},{\"id\":\"customfield_12317314\",\"name\":\"Quarter\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317314]\",\"Quarter\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317314}},{\"id\":\"customfield_12317315\",\"name\":\"release\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317315]\",\"release\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317315}},{\"id\":\"customfield_12316348\",\"name\":\"Architecture\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"Architecture\",\"cf[12316348]\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multiselect\",\"customId\":12316348}},{\"id\":\"customfield_12317317\",\"name\":\"BZ + Target Milestone\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"BZ + Target Milestone\",\"cf[12317317]\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12317317}},{\"id\":\"customfield_12316349\",\"name\":\"Cluster + ID\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12316349]\",\"Cluster + ID\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12316349}},{\"id\":\"customfield_12316350\",\"name\":\"CRT + Acceptance Critera\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12316350]\",\"CRT + Acceptance Critera\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textarea\",\"customId\":12316350}},{\"id\":\"customfield_12317440\",\"name\":\"Aha! + URL\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"Aha! + URL\",\"cf[12317440]\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:url\",\"customId\":12317440}},{\"id\":\"customfield_12319740\",\"name\":\"Approved\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"Approved\",\"cf[12319740]\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multicheckboxes\",\"customId\":12319740}},{\"id\":\"customfield_12317320\",\"name\":\"Current + Status\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317320]\",\"Current + Status\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317320}},{\"id\":\"customfield_12317441\",\"name\":\"Satellite + Team\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317441]\",\"Satellite + Team\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multiselect\",\"customId\":12317441}},{\"id\":\"customfield_12320852\",\"name\":\"Size\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12320852]\",\"Size\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12320852}},{\"id\":\"customfield_12315141\",\"name\":\"Developer\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12315141]\",\"Developer\"],\"schema\":{\"type\":\"user\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:userpicker\",\"customId\":12315141}},{\"id\":\"customfield_12320851\",\"name\":\"Sub-System + Group\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12320851]\",\"Sub-System + Group\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multiselect\",\"customId\":12320851}},{\"id\":\"reporter\",\"name\":\"Reporter\",\"custom\":false,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"reporter\"],\"schema\":{\"type\":\"user\",\"system\":\"reporter\"}},{\"id\":\"customfield_12315140\",\"name\":\"3Scale + PT Tested upstream\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"3Scale + PT Tested upstream\",\"cf[12315140]\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12315140}},{\"id\":\"customfield_12320850\",\"name\":\"Release + Note Type\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12320850]\",\"Release + Note Type\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12320850}},{\"id\":\"customfield_12321940\",\"name\":\"Supply + Chain Program\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12321940]\",\"Supply + Chain Program\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12321940}},{\"id\":\"customfield_12317329\",\"name\":\"PM + Score\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317329]\",\"PM + Score\"],\"schema\":{\"type\":\"number\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:float\",\"customId\":12317329}},{\"id\":\"customfield_12320849\",\"name\":\"RICE + Score\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12320849]\",\"RICE + Score\"],\"schema\":{\"type\":\"any\",\"custom\":\"com.onresolve.jira.groovy.groovyrunner:scripted-field\",\"customId\":12320849}},{\"id\":\"customfield_12319749\",\"name\":\"Cost + of Delay\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319749]\",\"Cost + of Delay\"],\"schema\":{\"type\":\"any\",\"custom\":\"com.onresolve.jira.groovy.groovyrunner:scripted-field\",\"customId\":12319749}},{\"id\":\"customfield_12320848\",\"name\":\"Effort\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12320848]\",\"Effort\"],\"schema\":{\"type\":\"number\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:float\",\"customId\":12320848}},{\"id\":\"customfield_12320847\",\"name\":\"Confidence\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12320847]\",\"Confidence\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12320847}},{\"id\":\"customfield_12320846\",\"name\":\"Reach\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12320846]\",\"Reach\"],\"schema\":{\"type\":\"number\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:float\",\"customId\":12320846}},{\"id\":\"customfield_12317321\",\"name\":\"BZ + Assignee\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"BZ + Assignee\",\"cf[12317321]\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textarea\",\"customId\":12317321}},{\"id\":\"customfield_12319742\",\"name\":\"Release + Commit Exception\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319742]\",\"Release + Commit Exception\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12319742}},{\"id\":\"customfield_12317442\",\"name\":\"Upstream + Discussion\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317442]\",\"Upstream + Discussion\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:url\",\"customId\":12317442}},{\"id\":\"progress\",\"name\":\"Progress\",\"custom\":false,\"orderable\":false,\"navigable\":true,\"searchable\":false,\"clauseNames\":[\"progress\"],\"schema\":{\"type\":\"progress\",\"system\":\"progress\"}},{\"id\":\"customfield_12317322\",\"name\":\"BZ + Doc Text\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"BZ + Doc Text\",\"cf[12317322]\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textarea\",\"customId\":12317322}},{\"id\":\"customfield_12319741\",\"name\":\"Market + Intelligence Score\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319741]\",\"Market + Intelligence Score\"],\"schema\":{\"type\":\"number\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:float\",\"customId\":12319741}},{\"id\":\"customfield_12319744\",\"name\":\"Responsible\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319744]\",\"Responsible\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12319744}},{\"id\":\"customfield_12317324\",\"name\":\"BZ + Product\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"BZ + Product\",\"cf[12317324]\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317324}},{\"id\":\"customfield_12319743\",\"name\":\"Release + Blocker\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319743]\",\"Release + Blocker\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12319743}},{\"id\":\"customfield_12319746\",\"name\":\"Risk + Response\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319746]\",\"Risk + Response\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12319746}},{\"id\":\"archivedby\",\"name\":\"Archiver\",\"custom\":false,\"orderable\":true,\"navigable\":false,\"searchable\":true,\"clauseNames\":[],\"schema\":{\"type\":\"user\",\"system\":\"archivedby\"}},{\"id\":\"customfield_12317326\",\"name\":\"Hold\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317326]\",\"Hold\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:radiobuttons\",\"customId\":12317326}},{\"id\":\"customfield_12319745\",\"name\":\"Watch + List\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319745]\",\"Watch + List\"],\"schema\":{\"type\":\"array\",\"items\":\"user\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multiuserpicker\",\"customId\":12319745}},{\"id\":\"customfield_12317327\",\"name\":\"RHEL + Sub Components\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317327]\",\"RHEL + Sub Components\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12317327}},{\"id\":\"customfield_12317328\",\"name\":\"BZ + Whiteboard\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"BZ + Whiteboard\",\"cf[12317328]\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12317328}},{\"id\":\"customfield_12317370\",\"name\":\"Need + Info Requestees\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317370]\",\"Need + Info Requestees\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12317370}},{\"id\":\"customfield_12317250\",\"name\":\"Product + Affects Version\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317250]\",\"Product + Affects Version\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multicheckboxes\",\"customId\":12317250}},{\"id\":\"customfield_12318341\",\"name\":\"Feature + Link\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12318341]\",\"Feature + Link\"],\"schema\":{\"type\":\"issuelinks\",\"custom\":\"com.onresolve.jira.groovy.groovyrunner:scripted-field\",\"customId\":12318341}},{\"id\":\"customfield_12317372\",\"name\":\"Git + Commit\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317372]\",\"Git + Commit\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12317372}},{\"id\":\"customfield_12320540\",\"name\":\"Major + Project\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12320540]\",\"Major + Project\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12320540}},{\"id\":\"customfield_12317251\",\"name\":\"Target + Milestone\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317251]\",\"Target + Milestone\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multiselect\",\"customId\":12317251}},{\"id\":\"customfield_12318340\",\"name\":\"Cross + Team Epic\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12318340]\",\"Cross + Team Epic\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:radiobuttons\",\"customId\":12318340}},{\"id\":\"customfield_12317252\",\"name\":\"In + Portfolio\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317252]\",\"In + Portfolio\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multicheckboxes\",\"customId\":12317252}},{\"id\":\"customfield_12316042\",\"name\":\"MoSCoW\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12316042]\",\"MoSCoW\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:radiobuttons\",\"customId\":12316042}},{\"id\":\"customfield_12317374\",\"name\":\"Ack'd + Status\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"Ack'd + Status\",\"cf[12317374]\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textarea\",\"customId\":12317374}},{\"id\":\"customfield_12316043\",\"name\":\"Brief\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"Brief\",\"cf[12316043]\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:url\",\"customId\":12316043}},{\"id\":\"customfield_12317253\",\"name\":\"SP-Watchlist\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317253]\",\"SP-Watchlist\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multicheckboxes\",\"customId\":12317253}},{\"id\":\"customfield_12317375\",\"name\":\"Block/Fail + - Additional Details\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"Block/Fail + - Additional Details\",\"cf[12317375]\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textarea\",\"customId\":12317375}},{\"id\":\"customfield_12317254\",\"name\":\"Watchlist + Proposed Solution\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317254]\",\"Watchlist + Proposed Solution\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textarea\",\"customId\":12317254}},{\"id\":\"customfield_12320544\",\"name\":\"Shepherd\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12320544]\",\"Shepherd\"],\"schema\":{\"type\":\"user\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:userpicker\",\"customId\":12320544}},{\"id\":\"project\",\"name\":\"Project\",\"custom\":false,\"orderable\":false,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"project\"],\"schema\":{\"type\":\"project\",\"system\":\"project\"}},{\"id\":\"customfield_12320543\",\"name\":\"Automated + Test\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"Automated + Test\",\"cf[12320543]\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12320543}},{\"id\":\"customfield_12320542\",\"name\":\"Test + Plan Created\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12320542]\",\"Test + Plan Created\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12320542}},{\"id\":\"customfield_12320541\",\"name\":\"Design + Doc Created\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12320541]\",\"Design + Doc Created\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12320541}},{\"id\":\"customfield_12320548\",\"name\":\"Committed + Version\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12320548]\",\"Committed + Version\"],\"schema\":{\"type\":\"version\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:version\",\"customId\":12320548}},{\"id\":\"customfield_12322840\",\"name\":\"During + What Stage of Development was the Issue Introduced?\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12322840]\",\"During + What Stage of Development was the Issue Introduced?\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12322840}},{\"id\":\"customfield_12322841\",\"name\":\"During + What Stage was the Issue Found?\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12322841]\",\"During + What Stage was the Issue Found?\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12322841}},{\"id\":\"customfield_12320547\",\"name\":\"Product + Lead\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12320547]\",\"Product + Lead\"],\"schema\":{\"type\":\"user\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:userpicker\",\"customId\":12320547}},{\"id\":\"customfield_12322842\",\"name\":\"During + What Stage of Development Should the Issue have been Found?\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12322842]\",\"During + What Stage of Development Should the Issue have been Found?\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12322842}},{\"id\":\"customfield_12320546\",\"name\":\"Level + of Effort\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12320546]\",\"Level + of Effort\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12320546}},{\"id\":\"resolutiondate\",\"name\":\"Resolved\",\"custom\":false,\"orderable\":false,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"resolutiondate\",\"resolved\"],\"schema\":{\"type\":\"datetime\",\"system\":\"resolutiondate\"}},{\"id\":\"customfield_12317376\",\"name\":\"Interop + Bug ID\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317376]\",\"Interop + Bug ID\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textarea\",\"customId\":12317376}},{\"id\":\"customfield_12317255\",\"name\":\"Watchlist + Impact\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317255]\",\"Watchlist + Impact\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textarea\",\"customId\":12317255}},{\"id\":\"customfield_12317256\",\"name\":\"PM + Business Priority\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317256]\",\"PM + Business Priority\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317256}},{\"id\":\"customfield_12317377\",\"name\":\"Request + Description\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317377]\",\"Request + Description\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textarea\",\"customId\":12317377}},{\"id\":\"customfield_12317257\",\"name\":\"Customers\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317257]\",\"Customers\"],\"schema\":{\"type\":\"array\",\"items\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:labels\",\"customId\":12317257}},{\"id\":\"customfield_12317379\",\"name\":\"Resolved + Date\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317379]\",\"Resolved + Date\"],\"schema\":{\"type\":\"date\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:datepicker\",\"customId\":12317379}},{\"id\":\"customfield_12317259\",\"name\":\"Pool + Team\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317259]\",\"Pool + Team\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multiselect\",\"customId\":12317259}},{\"id\":\"watches\",\"name\":\"Watchers\",\"custom\":false,\"orderable\":false,\"navigable\":true,\"searchable\":false,\"clauseNames\":[\"watchers\"],\"schema\":{\"type\":\"watches\",\"system\":\"watches\"}},{\"id\":\"customfield_12317380\",\"name\":\"Triage + Status\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317380]\",\"Triage + Status\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317380}},{\"id\":\"customfield_12317381\",\"name\":\"BZ + Status\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"BZ + Status\",\"cf[12317381]\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12317381}},{\"id\":\"customfield_12317260\",\"name\":\"Dev + Approval\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317260]\",\"Dev + Approval\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317260}},{\"id\":\"customfield_12317261\",\"name\":\"Docs + Approval\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317261]\",\"Docs + Approval\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317261}},{\"id\":\"customfield_12317140\",\"name\":\"Hierarchy + Progress\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317140]\",\"Hierarchy + Progress\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.onresolve.jira.groovy.groovyrunner:scripted-field\",\"customId\":12317140}},{\"id\":\"customfield_12317262\",\"name\":\"CEE + Approval\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"CEE + Approval\",\"cf[12317262]\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317262}},{\"id\":\"customfield_12317141\",\"name\":\"Hierarchy + Progress Bar\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317141]\",\"Hierarchy + Progress Bar\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.onresolve.jira.groovy.groovyrunner:scripted-field\",\"customId\":12317141}},{\"id\":\"customfield_12320551\",\"name\":\"Test + Failure Category\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12320551]\",\"Test + Failure Category\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12320551}},{\"id\":\"customfield_12317263\",\"name\":\"PM + Approval\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317263]\",\"PM + Approval\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317263}},{\"id\":\"customfield_12319440\",\"name\":\"Planning + Target\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319440]\",\"Planning + Target\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multiselect\",\"customId\":12319440}},{\"id\":\"customfield_12317142\",\"name\":\"RHV + Progress\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317142]\",\"RHV + Progress\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.onresolve.jira.groovy.groovyrunner:scripted-field\",\"customId\":12317142}},{\"id\":\"customfield_12317384\",\"name\":\"Requires_doc_text\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317384]\",\"Requires_doc_text\"],\"schema\":{\"type\":\"array\",\"items\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:labels\",\"customId\":12317384}},{\"id\":\"customfield_12317264\",\"name\":\"QE + Approval\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317264]\",\"QE + Approval\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317264}},{\"id\":\"customfield_12317143\",\"name\":\"RHV + Progress Bar\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317143]\",\"RHV + Progress Bar\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.onresolve.jira.groovy.groovyrunner:scripted-field\",\"customId\":12317143}},{\"id\":\"customfield_12317386\",\"name\":\"Goal\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317386]\",\"Goal\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317386}},{\"id\":\"customfield_12317265\",\"name\":\"Start + Date\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317265]\",\"Start + Date\"],\"schema\":{\"type\":\"datetime\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:datetime\",\"customId\":12317265}},{\"id\":\"customfield_12320555\",\"name\":\"Operating + System\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12320555]\",\"Operating + System\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12320555}},{\"id\":\"customfield_12320554\",\"name\":\"Orchestrator + Version\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12320554]\",\"Orchestrator + Version\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12320554}},{\"id\":\"customfield_12320553\",\"name\":\"Orchestrator\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12320553]\",\"Orchestrator\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12320553}},{\"id\":\"customfield_12320552\",\"name\":\"Cluster + Flavor\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12320552]\",\"Cluster + Flavor\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multiselect\",\"customId\":12320552}},{\"id\":\"customfield_12321641\",\"name\":\"Closed\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12321641]\",\"Closed\"],\"schema\":{\"type\":\"datetime\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:datetime\",\"customId\":12321641}},{\"id\":\"customfield_12323940\",\"name\":\"Organization + ID\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12323940]\",\"Organization + ID\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12323940}},{\"id\":\"customfield_12320558\",\"name\":\"Release + Delivery\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12320558]\",\"Release + Delivery\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12320558}},{\"id\":\"customfield_12320557\",\"name\":\"Docker + Version\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12320557]\",\"Docker + Version\"],\"schema\":{\"type\":\"array\",\"items\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:labels\",\"customId\":12320557}},{\"id\":\"customfield_12320549\",\"name\":\"Delivery + Forecast Version\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12320549]\",\"Delivery + Forecast Version\"],\"schema\":{\"type\":\"version\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:version\",\"customId\":12320549}},{\"id\":\"customfield_12317267\",\"name\":\"BZ + QE Conditional NAK\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"BZ + QE Conditional NAK\",\"cf[12317267]\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multiselect\",\"customId\":12317267}},{\"id\":\"customfield_12317146\",\"name\":\"Internal + Target Milestone_old\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317146]\",\"Internal + Target Milestone_old\"],\"schema\":{\"type\":\"number\",\"custom\":\"com.onresolve.jira.groovy.groovyrunner:scripted-field\",\"customId\":12317146}},{\"id\":\"customfield_12317268\",\"name\":\"BZ + Devel Whiteboard\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"BZ + Devel Whiteboard\",\"cf[12317268]\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12317268}},{\"id\":\"updated\",\"name\":\"Updated\",\"custom\":false,\"orderable\":false,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"updated\",\"updatedDate\"],\"schema\":{\"type\":\"datetime\",\"system\":\"updated\"}},{\"id\":\"customfield_12311840\",\"name\":\"Need + Info From\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12311840]\",\"Need + Info From\"],\"schema\":{\"type\":\"array\",\"items\":\"user\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multiuserpicker\",\"customId\":12311840}},{\"id\":\"customfield_12316140\",\"name\":\"Organization + Sponsor\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12316140]\",\"Organization + Sponsor\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12316140}},{\"id\":\"customfield_12317350\",\"name\":\"Sponsor\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317350]\",\"Sponsor\"],\"schema\":{\"type\":\"user\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:userpicker\",\"customId\":12317350}},{\"id\":\"customfield_12317351\",\"name\":\"Next + Review\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317351]\",\"Next + Review\"],\"schema\":{\"type\":\"date\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:datepicker\",\"customId\":12317351}},{\"id\":\"customfield_12316141\",\"name\":\"Product + Sponsor\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12316141]\",\"Product + Sponsor\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12316141}},{\"id\":\"customfield_12316142\",\"name\":\"Severity\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12316142]\",\"Severity\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12316142}},{\"id\":\"customfield_12317352\",\"name\":\"Strategy + Approved\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317352]\",\"Strategy + Approved\"],\"schema\":{\"type\":\"date\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:datepicker\",\"customId\":12317352}},{\"id\":\"timeoriginalestimate\",\"name\":\"Original + Estimate\",\"custom\":false,\"orderable\":false,\"navigable\":true,\"searchable\":false,\"clauseNames\":[\"originalEstimate\",\"timeoriginalestimate\"],\"schema\":{\"type\":\"number\",\"system\":\"timeoriginalestimate\"}},{\"id\":\"description\",\"name\":\"Description\",\"custom\":false,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"description\"],\"schema\":{\"type\":\"string\",\"system\":\"description\"}},{\"id\":\"customfield_12322940\",\"name\":\"Corrective + Measures\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12322940]\",\"Corrective + Measures\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multiselect\",\"customId\":12322940}},{\"id\":\"customfield_12318444\",\"name\":\"DEV + Story Points\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12318444]\",\"DEV + Story Points\"],\"schema\":{\"type\":\"number\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:float\",\"customId\":12318444}},{\"id\":\"customfield_12318443\",\"name\":\"QE + Story Points\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12318443]\",\"QE + Story Points\"],\"schema\":{\"type\":\"number\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:float\",\"customId\":12318443}},{\"id\":\"customfield_12318446\",\"name\":\"Regression\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12318446]\",\"Regression\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12318446}},{\"id\":\"customfield_12318445\",\"name\":\"DOC + Story Points\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12318445]\",\"DOC + Story Points\"],\"schema\":{\"type\":\"number\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:float\",\"customId\":12318445}},{\"id\":\"customfield_12317357\",\"name\":\"Market + Intelligence\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317357]\",\"Market + Intelligence\"],\"schema\":{\"type\":\"user\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:userpicker\",\"customId\":12317357}},{\"id\":\"customfield_12317358\",\"name\":\"Function + Impact\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317358]\",\"Function + Impact\"],\"schema\":{\"type\":\"array\",\"items\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:labels\",\"customId\":12317358}},{\"id\":\"customfield_12310840\",\"name\":\"Rank + (Obsolete)\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12310840]\",\"Rank + (Obsolete)\"],\"schema\":{\"type\":\"any\",\"custom\":\"com.pyxis.greenhopper.jira:gh-global-rank\",\"customId\":12310840}},{\"id\":\"customfield_12318448\",\"name\":\"Test + Blocker\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12318448]\",\"Test + Blocker\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12318448}},{\"id\":\"customfield_12318447\",\"name\":\"Automated\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"Automated\",\"cf[12318447]\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12318447}},{\"id\":\"customfield_12317359\",\"name\":\"oVirt + Team\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317359]\",\"oVirt + Team\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317359}},{\"id\":\"customfield_12318449\",\"name\":\"CDW + support_ack\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"CDW + support_ack\",\"cf[12318449]\"],\"schema\":{\"type\":\"string\",\"custom\":\"org.jboss.labs.jira.plugin.cdw-plugin:cdwflagdocs\",\"customId\":12318449}},{\"id\":\"summary\",\"name\":\"Summary\",\"custom\":false,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"summary\"],\"schema\":{\"type\":\"string\",\"system\":\"summary\"}},{\"id\":\"customfield_12317360\",\"name\":\"Doc + Contact\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317360]\",\"Doc + Contact\"],\"schema\":{\"type\":\"user\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:userpicker\",\"customId\":12317360}},{\"id\":\"customfield_12319540\",\"name\":\"Deployment + Environment\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319540]\",\"Deployment + Environment\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12319540}},{\"id\":\"customfield_12317361\",\"name\":\"Involved + teams\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317361]\",\"Involved + teams\"],\"schema\":{\"type\":\"array\",\"items\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:labels\",\"customId\":12317361}},{\"id\":\"customfield_12317362\",\"name\":\"Additional + watchers\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"Additional + watchers\",\"cf[12317362]\"],\"schema\":{\"type\":\"array\",\"items\":\"user\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multiuserpicker\",\"customId\":12317362}},{\"id\":\"customfield_12318450\",\"name\":\"Fixed + in Build\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12318450]\",\"Fixed + in Build\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12318450}},{\"id\":\"customfield_12317242\",\"name\":\"External + issue URL\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317242]\",\"External + issue URL\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:url\",\"customId\":12317242}},{\"id\":\"customfield_12317363\",\"name\":\"Fixed + In Version\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317363]\",\"Fixed + In Version\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12317363}},{\"id\":\"customfield_12317243\",\"name\":\"ServiceNow + ID\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317243]\",\"ServiceNow + ID\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12317243}},{\"id\":\"customfield_12321740\",\"name\":\"Testable + Builds\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12321740]\",\"Testable + Builds\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textarea\",\"customId\":12321740}},{\"id\":\"customfield_10002\",\"name\":\"SourceForge + Reference\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[10002]\",\"SourceForge + Reference\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:url\",\"customId\":10002}},{\"id\":\"customfield_12317244\",\"name\":\"Gerrit + Link\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317244]\",\"Gerrit + Link\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:url\",\"customId\":12317244}},{\"id\":\"customfield_12317366\",\"name\":\"ACKs + Check\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"ACKs + Check\",\"cf[12317366]\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multicheckboxes\",\"customId\":12317366}},{\"id\":\"customfield_12317245\",\"name\":\"Mojo + Link\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317245]\",\"Mojo + Link\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:url\",\"customId\":12317245}},{\"id\":\"comment\",\"name\":\"Comment\",\"custom\":false,\"orderable\":true,\"navigable\":false,\"searchable\":true,\"clauseNames\":[\"comment\"],\"schema\":{\"type\":\"comments-page\",\"system\":\"comment\"}},{\"id\":\"customfield_12317246\",\"name\":\"Needs + Info\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317246]\",\"Needs + Info\"],\"schema\":{\"type\":\"user\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:userpicker\",\"customId\":12317246}},{\"id\":\"customfield_12317367\",\"name\":\"[QE] + How to address?\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"[QE] + How to address?\",\"cf[12317367]\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317367}},{\"id\":\"customfield_12317247\",\"name\":\"Discussion + Needed\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317247]\",\"Discussion + Needed\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multicheckboxes\",\"customId\":12317247}},{\"id\":\"customfield_12317368\",\"name\":\"[QE] + Why QE missed?\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"[QE] + Why QE missed?\",\"cf[12317368]\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317368}},{\"id\":\"customfield_12311941\",\"name\":\"CDW + docs_ack\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"CDW + docs_ack\",\"cf[12311941]\"],\"schema\":{\"type\":\"string\",\"custom\":\"org.jboss.labs.jira.plugin.cdw-plugin:cdwflagdocs\",\"customId\":12311941}},{\"id\":\"customfield_12317248\",\"name\":\"Discussion + Occurred\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317248]\",\"Discussion + Occurred\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multicheckboxes\",\"customId\":12317248}},{\"id\":\"customfield_12317369\",\"name\":\"RCA + Description\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317369]\",\"RCA + Description\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textarea\",\"customId\":12317369}},{\"id\":\"customfield_12317249\",\"name\":\"Contributing + Teams\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317249]\",\"Contributing + Teams\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multicheckboxes\",\"customId\":12317249}},{\"id\":\"customfield_12311940\",\"name\":\"Rank\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12311940]\",\"Rank\"],\"schema\":{\"type\":\"any\",\"custom\":\"com.pyxis.greenhopper.jira:gh-lexo-rank\",\"customId\":12311940}},{\"id\":\"customfield_12317291\",\"name\":\"Action\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"Action\",\"cf[12317291]\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317291}},{\"id\":\"customfield_12318141\",\"name\":\"Dev + Target Milestone\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12318141]\",\"Dev + Target Milestone\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12318141}},{\"id\":\"customfield_12322640\",\"name\":\"Reset + contact to default\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12322640]\",\"Reset + contact to default\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multicheckboxes\",\"customId\":12322640}},{\"id\":\"customfield_12318140\",\"name\":\"prev_assignee\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12318140]\",\"prev_assignee\"],\"schema\":{\"type\":\"user\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:userpicker\",\"customId\":12318140}},{\"id\":\"customfield_12318143\",\"name\":\"PLM + Business Lead\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12318143]\",\"PLM + Business Lead\"],\"schema\":{\"type\":\"user\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:userpicker\",\"customId\":12318143}},{\"id\":\"customfield_12318142\",\"name\":\"PLM + \ Technical Lead\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12318142]\",\"PLM + \ Technical Lead\"],\"schema\":{\"type\":\"user\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:userpicker\",\"customId\":12318142}},{\"id\":\"customfield_12320341\",\"name\":\"PX + Scheduling Request - obsolete\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12320341]\",\"PX + Scheduling Request - obsolete\"],\"schema\":{\"type\":\"array\",\"items\":\"version\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multiversion\",\"customId\":12320341}},{\"id\":\"customfield_12317296\",\"name\":\"Planned + Start\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317296]\",\"Planned + Start\"],\"schema\":{\"type\":\"date\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:datepicker\",\"customId\":12317296}},{\"id\":\"customfield_12318145\",\"name\":\"Product + Page link\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12318145]\",\"Product + Page link\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:url\",\"customId\":12318145}},{\"id\":\"customfield_12318144\",\"name\":\"PLM + Program Manager\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12318144]\",\"PLM + Program Manager\"],\"schema\":{\"type\":\"user\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:userpicker\",\"customId\":12318144}},{\"id\":\"customfield_12317298\",\"name\":\"Solution\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317298]\",\"Solution\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317298}},{\"id\":\"fixVersions\",\"name\":\"Fix + Version/s\",\"custom\":false,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"fixVersion\"],\"schema\":{\"type\":\"array\",\"items\":\"version\",\"system\":\"fixVersions\"}},{\"id\":\"customfield_12317290\",\"name\":\"Reminder + Date\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317290]\",\"Reminder + Date\"],\"schema\":{\"type\":\"date\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:datepicker\",\"customId\":12317290}},{\"id\":\"customfield_12312840\",\"name\":\"Test + Work Items\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12312840]\",\"Test + Work Items\"],\"schema\":{\"type\":\"any\",\"custom\":\"org.jboss.labs.jira.plugin.jboss-custom-field-types-plugin:jbonlymultiurl\",\"customId\":12312840}},{\"id\":\"customfield_12318147\",\"name\":\"Internal + Product/Project names\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12318147]\",\"Internal + Product/Project names\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textarea\",\"customId\":12318147}},{\"id\":\"customfield_12317299\",\"name\":\"Latest + Status Summary\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317299]\",\"Latest + Status Summary\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textarea\",\"customId\":12317299}},{\"id\":\"customfield_12318146\",\"name\":\"Portal + Product Name\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12318146]\",\"Portal + Product Name\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12318146}},{\"id\":\"customfield_12312848\",\"name\":\"QE + Test Coverage\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12312848]\",\"QE + Test Coverage\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12312848}},{\"id\":\"customfield_12318148\",\"name\":\"Stale + Date\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12318148]\",\"Stale + Date\"],\"schema\":{\"type\":\"date\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:datepicker\",\"customId\":12318148}},{\"id\":\"customfield_12318150\",\"name\":\"Approver\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"Approver\",\"cf[12318150]\"],\"schema\":{\"type\":\"user\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:userpicker\",\"customId\":12318150}},{\"id\":\"customfield_12321440\",\"name\":\"Internal + Target Milestone numeric\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12321440]\",\"Internal + Target Milestone numeric\"],\"schema\":{\"type\":\"number\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:float\",\"customId\":12321440}},{\"id\":\"customfield_12319241\",\"name\":\"DevOps + Discussion Occurred\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319241]\",\"DevOps + Discussion Occurred\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multicheckboxes\",\"customId\":12319241}},{\"id\":\"customfield_12321441\",\"name\":\"EAP + PT Cross Product Agreement (CPA)\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12321441]\",\"EAP + PT Cross Product Agreement (CPA)\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12321441}},{\"id\":\"customfield_12318152\",\"name\":\"MVP + Status\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12318152]\",\"MVP + Status\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12318152}},{\"id\":\"customfield_12323740\",\"name\":\"Software\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12323740]\",\"Software\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12323740}},{\"id\":\"customfield_12319242\",\"name\":\"Design + Review Sign-off\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319242]\",\"Design + Review Sign-off\"],\"schema\":{\"type\":\"array\",\"items\":\"user\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multiuserpicker\",\"customId\":12319242}},{\"id\":\"customfield_12318156\",\"name\":\"Risk + Impact\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12318156]\",\"Risk + Impact\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12318156}},{\"id\":\"customfield_12318155\",\"name\":\"Risk + Likelihood\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12318155]\",\"Risk + Likelihood\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12318155}},{\"id\":\"priority\",\"name\":\"Priority\",\"custom\":false,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"priority\"],\"schema\":{\"type\":\"priority\",\"system\":\"priority\"}},{\"id\":\"customfield_12313940\",\"name\":\"Impacts\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12313940]\",\"Impacts\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multicheckboxes\",\"customId\":12313940}},{\"id\":\"customfield_12311640\",\"name\":\"Security + Sensitive Issue\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12311640]\",\"Security + Sensitive Issue\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"org.jboss.labs.jira.plugin.jboss-custom-field-types-plugin:securitysensitiveissue\",\"customId\":12311640}},{\"id\":\"customfield_12311641\",\"name\":\"Involved\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12311641]\",\"Involved\"],\"schema\":{\"type\":\"array\",\"items\":\"user\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multiuserpicker\",\"customId\":12311641}},{\"id\":\"versions\",\"name\":\"Affects + Version/s\",\"custom\":false,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"affectedVersion\"],\"schema\":{\"type\":\"array\",\"items\":\"version\",\"system\":\"versions\"}},{\"id\":\"customfield_12319247\",\"name\":\"Next + Planned Release Date\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319247]\",\"Next + Planned Release Date\"],\"schema\":{\"type\":\"date\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:datepicker\",\"customId\":12319247}},{\"id\":\"customfield_12318158\",\"name\":\"Risk + Mitigation Strategy\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12318158]\",\"Risk + Mitigation Strategy\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multiselect\",\"customId\":12318158}},{\"id\":\"customfield_12318157\",\"name\":\"Risk + Score Assessment\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12318157]\",\"Risk + Score Assessment\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.onresolve.jira.groovy.groovyrunner:scripted-field\",\"customId\":12318157}},{\"id\":\"customfield_12319249\",\"name\":\"Avoidable\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"Avoidable\",\"cf[12319249]\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12319249}},{\"id\":\"customfield_12313942\",\"name\":\"Target + end\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12313942]\",\"Target + end\"],\"schema\":{\"type\":\"date\",\"custom\":\"com.atlassian.jpo:jpo-custom-field-baseline-end\",\"customId\":12313942}},{\"id\":\"customfield_12313941\",\"name\":\"Target + start\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12313941]\",\"Target + start\"],\"schema\":{\"type\":\"date\",\"custom\":\"com.atlassian.jpo:jpo-custom-field-baseline-start\",\"customId\":12313941}},{\"id\":\"customfield_12317270\",\"name\":\"BZ + Devel Conditional NAK\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"BZ + Devel Conditional NAK\",\"cf[12317270]\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multiselect\",\"customId\":12317270}},{\"id\":\"customfield_12317392\",\"name\":\"CDW + Resolution\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"CDW + Resolution\",\"cf[12317392]\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317392}},{\"id\":\"customfield_12317271\",\"name\":\"mvp\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317271]\",\"mvp\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317271}},{\"id\":\"issuekey\",\"name\":\"Key\",\"custom\":false,\"orderable\":false,\"navigable\":true,\"searchable\":false,\"clauseNames\":[\"id\",\"issue\",\"issuekey\",\"key\"]},{\"id\":\"customfield_12317272\",\"name\":\"rpl\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317272]\",\"rpl\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317272}},{\"id\":\"customfield_12317273\",\"name\":\"Verified\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317273]\",\"Verified\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12317273}},{\"id\":\"customfield_12318241\",\"name\":\"Documenter\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12318241]\",\"Documenter\"],\"schema\":{\"type\":\"user\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:userpicker\",\"customId\":12318241}},{\"id\":\"customfield_12317396\",\"name\":\"ITR-ITM\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317396]\",\"ITR-ITM\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12317396}},{\"id\":\"customfield_12318243\",\"name\":\"Analyst\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"Analyst\",\"cf[12318243]\"],\"schema\":{\"type\":\"user\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:userpicker\",\"customId\":12318243}},{\"id\":\"customfield_12317277\",\"name\":\"Internal + Target Release and Milestone\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317277]\",\"Internal + Target Release and Milestone\"],\"schema\":{\"type\":\"option-with-child\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:cascadingselect\",\"customId\":12317277}},{\"id\":\"customfield_12317278\",\"name\":\"Current + Deadline\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317278]\",\"Current + Deadline\"],\"schema\":{\"type\":\"date\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:datepicker\",\"customId\":12317278}},{\"id\":\"customfield_12318245\",\"name\":\"Global + Practices Lead\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12318245]\",\"Global + Practices Lead\"],\"schema\":{\"type\":\"user\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:userpicker\",\"customId\":12318245}},{\"id\":\"customfield_12317279\",\"name\":\"Current + Deadline Type\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317279]\",\"Current + Deadline Type\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317279}},{\"id\":\"customfield_12312940\",\"name\":\"Eng. + priority\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12312940]\",\"Eng. + priority\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12312940}},{\"id\":\"customfield_12312941\",\"name\":\"QE + priority\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12312941]\",\"QE + priority\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12312941}},{\"id\":\"customfield_12317281\",\"name\":\"Embargo + Override\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317281]\",\"Embargo + Override\"],\"schema\":{\"type\":\"array\",\"items\":\"user\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multiuserpicker\",\"customId\":12317281}},{\"id\":\"customfield_12317282\",\"name\":\"Baseline + Start\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"Baseline + Start\",\"cf[12317282]\"],\"schema\":{\"type\":\"datetime\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:datetime\",\"customId\":12317282}},{\"id\":\"customfield_12323840\",\"name\":\"Persona\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12323840]\",\"Persona\"],\"schema\":{\"type\":\"number\",\"custom\":\"com.easyagile.personas:persona-field\",\"customId\":12323840}},{\"id\":\"customfield_12321540\",\"name\":\"Preliminary + Testing\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12321540]\",\"Preliminary + Testing\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12321540}},{\"id\":\"customfield_12319340\",\"name\":\"UXD + Design[Test]\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319340]\",\"UXD + Design[Test]\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textarea\",\"customId\":12319340}},{\"id\":\"customfield_12317283\",\"name\":\"Baseline + End\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"Baseline + End\",\"cf[12317283]\"],\"schema\":{\"type\":\"datetime\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:datetime\",\"customId\":12317283}},{\"id\":\"customfield_12317041\",\"name\":\"EAP + PT Feature Implementation (FI)\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317041]\",\"EAP + PT Feature Implementation (FI)\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317041}},{\"id\":\"customfield_12321541\",\"name\":\"Errata + Link\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12321541]\",\"Errata + Link\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12321541}},{\"id\":\"customfield_12317042\",\"name\":\"Docs + Analysis\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317042]\",\"Docs + Analysis\"],\"schema\":{\"type\":\"any\",\"custom\":\"org.jboss.labs.jira.plugin.jboss-custom-field-types-plugin:multiurl\",\"customId\":12317042}},{\"id\":\"customfield_12317284\",\"name\":\"Subproject\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317284]\",\"Subproject\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12317284}},{\"id\":\"customfield_12317285\",\"name\":\"Root + Cause\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317285]\",\"Root + Cause\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317285}},{\"id\":\"customfield_12317043\",\"name\":\"Stage + Links\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317043]\",\"Stage + Links\"],\"schema\":{\"type\":\"any\",\"custom\":\"org.jboss.labs.jira.plugin.jboss-custom-field-types-plugin:multiurl\",\"customId\":12317043}},{\"id\":\"customfield_12317044\",\"name\":\"Docs + Pull Request\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317044]\",\"Docs + Pull Request\"],\"schema\":{\"type\":\"any\",\"custom\":\"org.jboss.labs.jira.plugin.jboss-custom-field-types-plugin:multiurl\",\"customId\":12317044}},{\"id\":\"customfield_12317286\",\"name\":\"Project/s\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317286]\",\"Project/s\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317286}},{\"id\":\"aggregateprogress\",\"name\":\"\u03A3 + Progress\",\"custom\":false,\"orderable\":false,\"navigable\":true,\"searchable\":false,\"clauseNames\":[],\"schema\":{\"type\":\"progress\",\"system\":\"aggregateprogress\"}},{\"id\":\"customfield_12321542\",\"name\":\"Authorized + Party\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"Authorized + Party\",\"cf[12321542]\"],\"schema\":{\"type\":\"user\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:userpicker\",\"customId\":12321542}},{\"id\":\"customfield_12323841\",\"name\":\"Importance + to Persona\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12323841]\",\"Importance + to Persona\"],\"schema\":{\"type\":\"any\",\"custom\":\"com.easyagile.personas:persona-importance-field\",\"customId\":12323841}},{\"id\":\"customfield_12311740\",\"name\":\"User + Story\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12311740]\",\"User + Story\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textarea\",\"customId\":12311740}},{\"id\":\"customfield_12317288\",\"name\":\"Reminder + Frequency\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12317288]\",\"Reminder + Frequency\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12317288}},{\"id\":\"customfield_12311741\",\"name\":\"QE + Acceptance Test Link\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12311741]\",\"QE + Acceptance Test Link\"],\"schema\":{\"type\":\"any\",\"custom\":\"org.jboss.labs.jira.plugin.jboss-custom-field-types-plugin:multiurl\",\"customId\":12311741}},{\"id\":\"customfield_12322440\",\"name\":\"Partner + Fixed Version\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12322440]\",\"Partner + Fixed Version\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12322440}},{\"id\":\"customfield_12319272\",\"name\":\"Scoping + Status\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319272]\",\"Scoping + Status\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12319272}},{\"id\":\"customfield_12322441\",\"name\":\"Partner + Affects Version\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12322441]\",\"Partner + Affects Version\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12322441}},{\"id\":\"customfield_12319271\",\"name\":\"QE_AUTO_Coverage\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319271]\",\"QE_AUTO_Coverage\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12319271}},{\"id\":\"customfield_12322442\",\"name\":\"Customer + Affects Version\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12322442]\",\"Customer + Affects Version\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12322442}},{\"id\":\"customfield_12319274\",\"name\":\"Function\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319274]\",\"Function\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multiselect\",\"customId\":12319274}},{\"id\":\"customfield_12319273\",\"name\":\"Stakeholders\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319273]\",\"Stakeholders\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12319273}},{\"id\":\"customfield_12319275\",\"name\":\"Workstream\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319275]\",\"Workstream\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multiselect\",\"customId\":12319275}},{\"id\":\"customfield_12319278\",\"name\":\"Version\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319278]\",\"Version\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12319278}},{\"id\":\"customfield_12319270\",\"name\":\"Security + Documentation Type\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319270]\",\"Security + Documentation Type\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multiselect\",\"customId\":12319270}},{\"id\":\"customfield_12310220\",\"name\":\"Git + Pull Request\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12310220]\",\"Git + Pull Request\"],\"schema\":{\"type\":\"any\",\"custom\":\"org.jboss.labs.jira.plugin.jboss-custom-field-types-plugin:multiurl\",\"customId\":12310220}},{\"id\":\"customfield_12319279\",\"name\":\"Job + ID\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319279]\",\"Job + ID\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12319279}},{\"id\":\"customfield_12319040\",\"name\":\"Products\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319040]\",\"Products\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multiselect\",\"customId\":12319040}},{\"id\":\"thumbnail\",\"name\":\"Images\",\"custom\":false,\"orderable\":false,\"navigable\":true,\"searchable\":false,\"clauseNames\":[]},{\"id\":\"customfield_12319285\",\"name\":\"PX + Technical Impact Notes\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319285]\",\"PX + Technical Impact Notes\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12319285}},{\"id\":\"customfield_12319287\",\"name\":\"Docs + Impact Notes\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319287]\",\"Docs + Impact Notes\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12319287}},{\"id\":\"customfield_12319045\",\"name\":\"User + Domain\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319045]\",\"User + Domain\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12319045}},{\"id\":\"customfield_12319286\",\"name\":\"Docs + Impact\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319286]\",\"Docs + Impact\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12319286}},{\"id\":\"customfield_12319044\",\"name\":\"User\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319044]\",\"User\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12319044}},{\"id\":\"created\",\"name\":\"Created\",\"custom\":false,\"orderable\":false,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"created\",\"createdDate\"],\"schema\":{\"type\":\"datetime\",\"system\":\"created\"}},{\"id\":\"customfield_12319289\",\"name\":\"Marketing + Impact Notes\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319289]\",\"Marketing + Impact Notes\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12319289}},{\"id\":\"customfield_12321240\",\"name\":\"GtmhubTaskParentType\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12321240]\",\"GtmhubTaskParentType\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12321240}},{\"id\":\"customfield_12319288\",\"name\":\"Marketing + Impact\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319288]\",\"Marketing + Impact\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12319288}},{\"id\":\"customfield_12310110\",\"name\":\"Approvals\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"Approvals\",\"cf[12310110]\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multicheckboxes\",\"customId\":12310110}},{\"id\":\"customfield_12310230\",\"name\":\"Docs + QE Status\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12310230]\",\"Docs + QE Status\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12310230}},{\"id\":\"customfield_12313740\",\"name\":\"Migration + Text\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12313740]\",\"Migration + Text\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textarea\",\"customId\":12313740}},{\"id\":\"customfield_12319250\",\"name\":\"Communication + Breakdown\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319250]\",\"Communication + Breakdown\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12319250}},{\"id\":\"customfield_12318040\",\"name\":\"affectsRHMIVersion\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"affectsRHMIVersion\",\"cf[12318040]\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12318040}},{\"id\":\"customfield_12322540\",\"name\":\"Product + Experience Engineering Contact\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12322540]\",\"Product + Experience Engineering Contact\"],\"schema\":{\"type\":\"user\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:userpicker\",\"customId\":12322540}},{\"id\":\"customfield_12319252\",\"name\":\"Release + Milestone\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319252]\",\"Release + Milestone\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multicheckboxes\",\"customId\":12319252}},{\"id\":\"customfield_12319251\",\"name\":\"QE + Properly Involved\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319251]\",\"QE + Properly Involved\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12319251}},{\"id\":\"customfield_12318041\",\"name\":\"affectsRHOAMVersion\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"affectsRHOAMVersion\",\"cf[12318041]\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12318041}},{\"id\":\"customfield_12310440\",\"name\":\"Bugzilla + References\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"Bugzilla + References\",\"cf[12310440]\"],\"schema\":{\"type\":\"any\",\"custom\":\"org.jboss.labs.jira.plugin.jboss-custom-field-types-plugin:multiurl\",\"customId\":12310440}},{\"id\":\"security\",\"name\":\"Security + Level\",\"custom\":false,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"level\"],\"schema\":{\"type\":\"securitylevel\",\"system\":\"security\"}},{\"id\":\"attachment\",\"name\":\"Attachment\",\"custom\":false,\"orderable\":true,\"navigable\":false,\"searchable\":true,\"clauseNames\":[\"attachments\"],\"schema\":{\"type\":\"array\",\"items\":\"attachment\",\"system\":\"attachment\"}},{\"id\":\"customfield_12323640\",\"name\":\"Delivery + Mode\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12323640]\",\"Delivery + Mode\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multiselect\",\"customId\":12323640}},{\"id\":\"customfield_12323642\",\"name\":\"Chapter + #\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12323642]\",\"Chapter + #\"],\"schema\":{\"type\":\"number\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:float\",\"customId\":12323642}},{\"id\":\"customfield_12319263\",\"name\":\"Proposed + Initiative\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319263]\",\"Proposed + Initiative\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12319263}},{\"id\":\"customfield_12319262\",\"name\":\"Keyword\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319262]\",\"Keyword\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multicheckboxes\",\"customId\":12319262}},{\"id\":\"customfield_12323641\",\"name\":\"Workaround\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12323641]\",\"Workaround\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textarea\",\"customId\":12323641}},{\"id\":\"customfield_12319264\",\"name\":\"Immutable + Due Date\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319264]\",\"Immutable + Due Date\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12319264}},{\"id\":\"customfield_12319267\",\"name\":\"Failure + Category\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319267]\",\"Failure + Category\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12319267}},{\"id\":\"customfield_12323648\",\"name\":\"Epic + Color\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12323648]\",\"Epic + Color\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.pyxis.greenhopper.jira:gh-epic-color\",\"customId\":12323648}},{\"id\":\"customfield_12323647\",\"name\":\"Language\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12323647]\",\"Language\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:multiselect\",\"customId\":12323647}},{\"id\":\"customfield_12323649\",\"name\":\"RH + Private Keywords\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12323649]\",\"RH + Private Keywords\"],\"schema\":{\"type\":\"array\",\"items\":\"option\",\"custom\":\"org.jboss.labs.jira.plugin.jboss-custom-field-types-plugin:jbonlymultiselect\",\"customId\":12323649}},{\"id\":\"customfield_12323644\",\"name\":\"Section + ID\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12323644]\",\"Section + ID\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12323644}},{\"id\":\"customfield_12323643\",\"name\":\"Section + Title\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12323643]\",\"Section + Title\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12323643}},{\"id\":\"customfield_12323646\",\"name\":\"URL\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12323646]\",\"URL\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:url\",\"customId\":12323646}},{\"id\":\"customfield_12323645\",\"name\":\"Reporter + RHN ID\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12323645]\",\"Reporter + RHN ID\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:textfield\",\"customId\":12323645}},{\"id\":\"customfield_12313841\",\"name\":\"Notes\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12313841]\",\"Notes\"],\"schema\":{\"type\":\"string\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:url\",\"customId\":12313841}},{\"id\":\"customfield_12313840\",\"name\":\"UXD + Engagement Level\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12313840]\",\"UXD + Engagement Level\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12313840}},{\"id\":\"customfield_12319269\",\"name\":\"sprint_count\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319269]\",\"sprint_count\"],\"schema\":{\"type\":\"number\",\"custom\":\"com.onresolve.jira.groovy.groovyrunner:scripted-field\",\"customId\":12319269}},{\"id\":\"customfield_12319268\",\"name\":\"QE + portion\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12319268]\",\"QE + portion\"],\"schema\":{\"type\":\"number\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:float\",\"customId\":12319268}},{\"id\":\"customfield_12310213\",\"name\":\"Release + Note Status\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12310213]\",\"Release + Note Status\"],\"schema\":{\"type\":\"option\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:select\",\"customId\":12310213}},{\"id\":\"customfield_12310214\",\"name\":\"Writer\",\"custom\":true,\"orderable\":true,\"navigable\":true,\"searchable\":true,\"clauseNames\":[\"cf[12310214]\",\"Writer\"],\"schema\":{\"type\":\"user\",\"custom\":\"com.atlassian.jira.plugin.system.customfieldtypes:userpicker\",\"customId\":12310214}}]" + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:17 GMT + Expires: + - Mon, 23 Oct 2023 23:59:17 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '152125' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415581x1 + x-asessionid: + - 1jyw0cp + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105557.356b813f + x-rh-edge-request-id: + - 356b813f + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: GET + uri: https://squid.corp.redhat.com:3128/rest/api/2/search?jql=PROJECT%3DOSIM+AND+key+in+%28OSIM-369%2C+OSIM-370%29+ORDER+BY+key+ASC&maxResults=100&startAt=0&validateQuery=True + response: + body: + string: '{"expand": "schema,names", "startAt": 0, "maxResults": 100, "total": + 2, "issues": [{"expand": "operations,versionedRepresentations,editmeta,changelog,renderedFields", + "id": "15544448", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544448", + "key": "OSIM-369", "fields": {"issuetype": {"self": "https://issues.stage.redhat.com/rest/api/2/issuetype/17", + "id": "17", "description": "Created by Jira Software - do not edit or delete. + Issue type for a user story.", "iconUrl": "https://issues.stage.redhat.com/secure/viewavatar?size=xsmall&avatarId=13275&avatarType=issuetype", + "name": "Story", "subtask": false, "avatarId": 13275}, "customfield_12322244": + null, "customfield_12318341": null, "timespent": null, "customfield_12320940": + null, "project": {"self": "https://issues.stage.redhat.com/rest/api/2/project/12337520", + "id": "12337520", "key": "OSIM", "name": "Open Security Issue Manager", "projectTypeKey": + "software", "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/projectavatar?pid=12337520&avatarId=12560", + "24x24": "https://issues.stage.redhat.com/secure/projectavatar?size=small&pid=12337520&avatarId=12560", + "16x16": "https://issues.stage.redhat.com/secure/projectavatar?size=xsmall&pid=12337520&avatarId=12560", + "32x32": "https://issues.stage.redhat.com/secure/projectavatar?size=medium&pid=12337520&avatarId=12560"}}, + "fixVersions": [], "customfield_12320944": null, "aggregatetimespent": null, + "resolution": null, "customfield_12310220": null, "customfield_12314740": + "{summaryBean=com.atlassian.jira.plugin.devstatus.rest.SummaryBean@1e385271[summary={pullrequest=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@4e6f7abd[overall=PullRequestOverallBean{stateCount=0, + state=''OPEN'', details=PullRequestOverallDetails{openCount=0, mergedCount=0, + declinedCount=0}},byInstanceType={}], build=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@829c0cd[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BuildOverallBean@3da6e9e7[failedBuildCount=0,successfulBuildCount=0,unknownBuildCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + review=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@63941a29[overall=com.atlassian.jira.plugin.devstatus.summary.beans.ReviewsOverallBean@42b4d475[stateCount=0,state=,dueDate=,overDue=false,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + deployment-environment=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@4dd5b46[overall=com.atlassian.jira.plugin.devstatus.summary.beans.DeploymentOverallBean@e3e63eb[topEnvironments=[],showProjects=false,successfulCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + repository=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@4db87557[overall=com.atlassian.jira.plugin.devstatus.summary.beans.CommitOverallBean@294b07e9[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + branch=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@47a26eed[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BranchOverallBean@3a7e6cc9[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}]},errors=[],configErrors=[]], + devSummaryJson={\"cachedValue\":{\"errors\":[],\"configErrors\":[],\"summary\":{\"pullrequest\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":\"OPEN\",\"details\":{\"openCount\":0,\"mergedCount\":0,\"declinedCount\":0,\"total\":0},\"open\":true},\"byInstanceType\":{}},\"build\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"failedBuildCount\":0,\"successfulBuildCount\":0,\"unknownBuildCount\":0},\"byInstanceType\":{}},\"review\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":null,\"dueDate\":null,\"overDue\":false,\"completed\":false},\"byInstanceType\":{}},\"deployment-environment\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"topEnvironments\":[],\"showProjects\":false,\"successfulCount\":0},\"byInstanceType\":{}},\"repository\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}},\"branch\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}}}},\"isStale\":false}}", + "resolutiondate": null, "workratio": -1, "customfield_12316840": null, "customfield_12317379": + null, "customfield_12315950": null, "customfield_12316841": null, "customfield_12310940": + null, "customfield_12319040": null, "lastViewed": null, "watches": {"self": + "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-369/watchers", "watchCount": + 1, "isWatching": true}, "created": "2023-10-23T23:58:40.000+0000", "customfield_12321240": + null, "customfield_12313140": null, "priority": {"self": "https://issues.stage.redhat.com/rest/api/2/priority/10300", + "iconUrl": "https://issues.stage.redhat.com/images/icons/priorities/trivial.svg", + "name": "Undefined", "id": "10300"}, "labels": ["flawuuid:7d9bc18e-7315-40e3-9db4-1fb5e9cad452", + "impact:IMPORTANT", "major_incident"], "customfield_12320947": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27714", + "value": "Unclassified", "id": "27714", "disabled": false}], "customfield_12320946": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27705", + "value": "False", "id": "27705", "disabled": false}, "aggregatetimeoriginalestimate": + null, "timeestimate": null, "versions": [], "issuelinks": [], "assignee": + null, "updated": "2023-10-23T23:58:41.000+0000", "customfield_12313942": null, + "customfield_12313941": null, "status": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10016", + "description": "Initial creation status. Implies nothing yet and should be + very short lived; also can be a Bugzilla status.", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "New", "id": "10016", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}, "components": + [], "timeoriginalestimate": null, "description": "Description for CVE-2020-0001", + "customfield_12314040": null, "customfield_12320844": null, "customfield_12320842": + null, "customfield_12310243": null, "aggregatetimeestimate": null, "customfield_12316542": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14655", + "value": "False", "id": "14655", "disabled": false}, "customfield_12316543": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14657", + "value": "False", "id": "14657", "disabled": false}, "customfield_12317313": + null, "customfield_12316544": "None", "customfield_12310840": "9223372036854775807", + "summary": "CVE-2020-0001 kernel: some description", "customfield_12323640": + null, "customfield_12323840": null, "customfield_12323642": null, "creator": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12323641": null, "subtasks": [], "customfield_12321140": null, + "customfield_12323647": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/34754", + "value": "en-US (English)", "id": "34754", "disabled": false}], "reporter": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12320850": null, "aggregateprogress": {"progress": 0, "total": + 0}, "customfield_12323644": null, "customfield_12323841": null, "customfield_12323643": + null, "customfield_12323646": null, "customfield_12323645": null, "environment": + null, "customfield_12315542": null, "customfield_12315740": null, "customfield_12313441": + "", "customfield_12313440": "0.0", "customfield_12313240": {"id": 4077, "name": + "osidb_test_team"}, "duedate": null, "customfield_12311140": null, "customfield_12319742": + null, "progress": {"progress": 0, "total": 0}, "votes": {"self": "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-369/votes", + "votes": 0, "hasVoted": false}, "customfield_12319743": null, "customfield_12310213": + null, "customfield_12311940": "1|zcs0ck:"}}, {"expand": "operations,versionedRepresentations,editmeta,changelog,renderedFields", + "id": "15544449", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544449", + "key": "OSIM-370", "fields": {"issuetype": {"self": "https://issues.stage.redhat.com/rest/api/2/issuetype/17", + "id": "17", "description": "Created by Jira Software - do not edit or delete. + Issue type for a user story.", "iconUrl": "https://issues.stage.redhat.com/secure/viewavatar?size=xsmall&avatarId=13275&avatarType=issuetype", + "name": "Story", "subtask": false, "avatarId": 13275}, "customfield_12322244": + null, "customfield_12318341": null, "timespent": null, "customfield_12320940": + null, "project": {"self": "https://issues.stage.redhat.com/rest/api/2/project/12337520", + "id": "12337520", "key": "OSIM", "name": "Open Security Issue Manager", "projectTypeKey": + "software", "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/projectavatar?pid=12337520&avatarId=12560", + "24x24": "https://issues.stage.redhat.com/secure/projectavatar?size=small&pid=12337520&avatarId=12560", + "16x16": "https://issues.stage.redhat.com/secure/projectavatar?size=xsmall&pid=12337520&avatarId=12560", + "32x32": "https://issues.stage.redhat.com/secure/projectavatar?size=medium&pid=12337520&avatarId=12560"}}, + "fixVersions": [], "customfield_12320944": null, "aggregatetimespent": null, + "resolution": null, "customfield_12310220": null, "customfield_12314740": + "{summaryBean=com.atlassian.jira.plugin.devstatus.rest.SummaryBean@1d392676[summary={pullrequest=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@242a1148[overall=PullRequestOverallBean{stateCount=0, + state=''OPEN'', details=PullRequestOverallDetails{openCount=0, mergedCount=0, + declinedCount=0}},byInstanceType={}], build=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@1ee688[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BuildOverallBean@74ca1792[failedBuildCount=0,successfulBuildCount=0,unknownBuildCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + review=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@6a44eee9[overall=com.atlassian.jira.plugin.devstatus.summary.beans.ReviewsOverallBean@3d54c4b1[stateCount=0,state=,dueDate=,overDue=false,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + deployment-environment=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@4a895f35[overall=com.atlassian.jira.plugin.devstatus.summary.beans.DeploymentOverallBean@6edba771[topEnvironments=[],showProjects=false,successfulCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + repository=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@23a53fe5[overall=com.atlassian.jira.plugin.devstatus.summary.beans.CommitOverallBean@38cf066c[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + branch=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@38bf86b7[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BranchOverallBean@bec4efe[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}]},errors=[],configErrors=[]], + devSummaryJson={\"cachedValue\":{\"errors\":[],\"configErrors\":[],\"summary\":{\"pullrequest\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":\"OPEN\",\"details\":{\"openCount\":0,\"mergedCount\":0,\"declinedCount\":0,\"total\":0},\"open\":true},\"byInstanceType\":{}},\"build\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"failedBuildCount\":0,\"successfulBuildCount\":0,\"unknownBuildCount\":0},\"byInstanceType\":{}},\"review\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":null,\"dueDate\":null,\"overDue\":false,\"completed\":false},\"byInstanceType\":{}},\"deployment-environment\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"topEnvironments\":[],\"showProjects\":false,\"successfulCount\":0},\"byInstanceType\":{}},\"repository\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}},\"branch\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}}}},\"isStale\":false}}", + "resolutiondate": null, "workratio": -1, "customfield_12316840": null, "customfield_12317379": + null, "customfield_12315950": null, "customfield_12316841": null, "customfield_12310940": + null, "customfield_12319040": null, "lastViewed": null, "watches": {"self": + "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-370/watchers", "watchCount": + 1, "isWatching": true}, "created": "2023-10-23T23:58:42.000+0000", "customfield_12321240": + null, "customfield_12313140": null, "priority": {"self": "https://issues.stage.redhat.com/rest/api/2/priority/10300", + "iconUrl": "https://issues.stage.redhat.com/images/icons/priorities/trivial.svg", + "name": "Undefined", "id": "10300"}, "labels": ["flawuuid:2cb38331-b6e4-424f-9466-fb86c719c44e", + "impact:LOW", "major_incident"], "customfield_12320947": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27714", + "value": "Unclassified", "id": "27714", "disabled": false}], "customfield_12320946": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27705", + "value": "False", "id": "27705", "disabled": false}, "aggregatetimeoriginalestimate": + null, "timeestimate": null, "versions": [], "issuelinks": [], "assignee": + null, "updated": "2023-10-23T23:58:42.000+0000", "customfield_12313942": null, + "customfield_12313941": null, "status": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10016", + "description": "Initial creation status. Implies nothing yet and should be + very short lived; also can be a Bugzilla status.", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "New", "id": "10016", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}, "components": + [], "timeoriginalestimate": null, "description": "Description for CVE-2020-0002", + "customfield_12314040": null, "customfield_12320844": null, "customfield_12320842": + null, "customfield_12310243": null, "aggregatetimeestimate": null, "customfield_12316542": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14655", + "value": "False", "id": "14655", "disabled": false}, "customfield_12316543": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14657", + "value": "False", "id": "14657", "disabled": false}, "customfield_12317313": + null, "customfield_12316544": "None", "customfield_12310840": "9223372036854775807", + "summary": "CVE-2020-0002 kernel: some description", "customfield_12323640": + null, "customfield_12323840": null, "customfield_12323642": null, "creator": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12323641": null, "subtasks": [], "customfield_12321140": null, + "customfield_12323647": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/34754", + "value": "en-US (English)", "id": "34754", "disabled": false}], "reporter": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12320850": null, "aggregateprogress": {"progress": 0, "total": + 0}, "customfield_12323644": null, "customfield_12323841": null, "customfield_12323643": + null, "customfield_12323646": null, "customfield_12323645": null, "environment": + null, "customfield_12315542": null, "customfield_12315740": null, "customfield_12313441": + "", "customfield_12313440": "0.0", "customfield_12313240": null, "duedate": + null, "customfield_12311140": null, "customfield_12319742": null, "progress": + {"progress": 0, "total": 0}, "votes": {"self": "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-370/votes", + "votes": 0, "hasVoted": false}, "customfield_12319743": null, "customfield_12310213": + null, "customfield_12311940": "1|zcs0cs:"}}]}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:17 GMT + Expires: + - Mon, 23 Oct 2023 23:59:17 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '17761' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415582x1 + x-asessionid: + - 1tmmbnx + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105557.356b84bc + x-rh-edge-request-id: + - 356b84bc + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: GET + uri: https://squid.corp.redhat.com:3128/rest/api/2/search?jql=PROJECT%3DOSIM+AND+key+in+%28OSIM-371%2C+OSIM-372%29+ORDER+BY+key+ASC&maxResults=100&startAt=0&validateQuery=True + response: + body: + string: '{"expand": "schema,names", "startAt": 0, "maxResults": 100, "total": + 2, "issues": [{"expand": "operations,versionedRepresentations,editmeta,changelog,renderedFields", + "id": "15544450", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544450", + "key": "OSIM-371", "fields": {"issuetype": {"self": "https://issues.stage.redhat.com/rest/api/2/issuetype/17", + "id": "17", "description": "Created by Jira Software - do not edit or delete. + Issue type for a user story.", "iconUrl": "https://issues.stage.redhat.com/secure/viewavatar?size=xsmall&avatarId=13275&avatarType=issuetype", + "name": "Story", "subtask": false, "avatarId": 13275}, "customfield_12322244": + null, "customfield_12318341": null, "timespent": null, "customfield_12320940": + null, "project": {"self": "https://issues.stage.redhat.com/rest/api/2/project/12337520", + "id": "12337520", "key": "OSIM", "name": "Open Security Issue Manager", "projectTypeKey": + "software", "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/projectavatar?pid=12337520&avatarId=12560", + "24x24": "https://issues.stage.redhat.com/secure/projectavatar?size=small&pid=12337520&avatarId=12560", + "16x16": "https://issues.stage.redhat.com/secure/projectavatar?size=xsmall&pid=12337520&avatarId=12560", + "32x32": "https://issues.stage.redhat.com/secure/projectavatar?size=medium&pid=12337520&avatarId=12560"}}, + "fixVersions": [], "customfield_12320944": null, "aggregatetimespent": null, + "resolution": null, "customfield_12310220": null, "customfield_12314740": + "{summaryBean=com.atlassian.jira.plugin.devstatus.rest.SummaryBean@1bb549c0[summary={pullrequest=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@3add6b68[overall=PullRequestOverallBean{stateCount=0, + state=''OPEN'', details=PullRequestOverallDetails{openCount=0, mergedCount=0, + declinedCount=0}},byInstanceType={}], build=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@582b7772[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BuildOverallBean@9fcd134[failedBuildCount=0,successfulBuildCount=0,unknownBuildCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + review=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@1f64348f[overall=com.atlassian.jira.plugin.devstatus.summary.beans.ReviewsOverallBean@78a46054[stateCount=0,state=,dueDate=,overDue=false,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + deployment-environment=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@7b3718d5[overall=com.atlassian.jira.plugin.devstatus.summary.beans.DeploymentOverallBean@14ad13f6[topEnvironments=[],showProjects=false,successfulCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + repository=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@2a538da0[overall=com.atlassian.jira.plugin.devstatus.summary.beans.CommitOverallBean@71aefe7e[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + branch=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@329ca12e[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BranchOverallBean@4e523628[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}]},errors=[],configErrors=[]], + devSummaryJson={\"cachedValue\":{\"errors\":[],\"configErrors\":[],\"summary\":{\"pullrequest\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":\"OPEN\",\"details\":{\"openCount\":0,\"mergedCount\":0,\"declinedCount\":0,\"total\":0},\"open\":true},\"byInstanceType\":{}},\"build\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"failedBuildCount\":0,\"successfulBuildCount\":0,\"unknownBuildCount\":0},\"byInstanceType\":{}},\"review\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":null,\"dueDate\":null,\"overDue\":false,\"completed\":false},\"byInstanceType\":{}},\"deployment-environment\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"topEnvironments\":[],\"showProjects\":false,\"successfulCount\":0},\"byInstanceType\":{}},\"repository\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}},\"branch\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}}}},\"isStale\":false}}", + "resolutiondate": null, "workratio": -1, "customfield_12316840": null, "customfield_12317379": + null, "customfield_12315950": null, "customfield_12316841": null, "customfield_12310940": + null, "customfield_12319040": null, "lastViewed": null, "watches": {"self": + "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-371/watchers", "watchCount": + 1, "isWatching": true}, "created": "2023-10-23T23:58:44.000+0000", "customfield_12321240": + null, "customfield_12313140": null, "priority": {"self": "https://issues.stage.redhat.com/rest/api/2/priority/10300", + "iconUrl": "https://issues.stage.redhat.com/images/icons/priorities/trivial.svg", + "name": "Undefined", "id": "10300"}, "labels": ["flawuuid:b1856cd8-47cf-4512-a256-67fee6aedd65", + "impact:LOW", "major_incident"], "customfield_12320947": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27714", + "value": "Unclassified", "id": "27714", "disabled": false}], "customfield_12320946": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27705", + "value": "False", "id": "27705", "disabled": false}, "aggregatetimeoriginalestimate": + null, "timeestimate": null, "versions": [], "issuelinks": [], "assignee": + null, "updated": "2023-10-23T23:58:59.000+0000", "customfield_12313942": null, + "customfield_12313941": null, "status": {"self": "https://issues.stage.redhat.com/rest/api/2/status/15021", + "description": "Work is being scoped and discussed (To Do status category; + see also Draft)", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "Refinement", "id": "15021", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}, "components": + [], "timeoriginalestimate": null, "description": "Description for CVE-2020-0003", + "customfield_12314040": null, "customfield_12320844": null, "customfield_12320842": + null, "customfield_12310243": null, "aggregatetimeestimate": null, "customfield_12316542": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14655", + "value": "False", "id": "14655", "disabled": false}, "customfield_12316543": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14657", + "value": "False", "id": "14657", "disabled": false}, "customfield_12317313": + null, "customfield_12316544": "None", "customfield_12310840": "9223372036854775807", + "summary": "CVE-2020-0003 kernel: some description", "customfield_12323640": + null, "customfield_12323840": null, "customfield_12323642": null, "creator": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12323641": null, "subtasks": [], "customfield_12321140": null, + "customfield_12323647": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/34754", + "value": "en-US (English)", "id": "34754", "disabled": false}], "reporter": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12320850": null, "aggregateprogress": {"progress": 0, "total": + 0}, "customfield_12323644": null, "customfield_12323841": null, "customfield_12323643": + null, "customfield_12323646": null, "customfield_12323645": null, "environment": + null, "customfield_12315542": null, "customfield_12315740": null, "customfield_12313441": + "", "customfield_12313440": "0.0", "customfield_12313240": null, "duedate": + null, "customfield_12311140": null, "customfield_12319742": null, "progress": + {"progress": 0, "total": 0}, "votes": {"self": "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-371/votes", + "votes": 0, "hasVoted": false}, "customfield_12319743": null, "customfield_12310213": + null, "customfield_12311940": "1|zcs0d0:"}}, {"expand": "operations,versionedRepresentations,editmeta,changelog,renderedFields", + "id": "15544451", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544451", + "key": "OSIM-372", "fields": {"issuetype": {"self": "https://issues.stage.redhat.com/rest/api/2/issuetype/17", + "id": "17", "description": "Created by Jira Software - do not edit or delete. + Issue type for a user story.", "iconUrl": "https://issues.stage.redhat.com/secure/viewavatar?size=xsmall&avatarId=13275&avatarType=issuetype", + "name": "Story", "subtask": false, "avatarId": 13275}, "customfield_12322244": + null, "customfield_12318341": null, "timespent": null, "customfield_12320940": + null, "project": {"self": "https://issues.stage.redhat.com/rest/api/2/project/12337520", + "id": "12337520", "key": "OSIM", "name": "Open Security Issue Manager", "projectTypeKey": + "software", "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/projectavatar?pid=12337520&avatarId=12560", + "24x24": "https://issues.stage.redhat.com/secure/projectavatar?size=small&pid=12337520&avatarId=12560", + "16x16": "https://issues.stage.redhat.com/secure/projectavatar?size=xsmall&pid=12337520&avatarId=12560", + "32x32": "https://issues.stage.redhat.com/secure/projectavatar?size=medium&pid=12337520&avatarId=12560"}}, + "fixVersions": [], "customfield_12320944": null, "aggregatetimespent": null, + "resolution": null, "customfield_12310220": null, "customfield_12314740": + "{summaryBean=com.atlassian.jira.plugin.devstatus.rest.SummaryBean@3f65e4eb[summary={pullrequest=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@33fdf53d[overall=PullRequestOverallBean{stateCount=0, + state=''OPEN'', details=PullRequestOverallDetails{openCount=0, mergedCount=0, + declinedCount=0}},byInstanceType={}], build=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@75c02537[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BuildOverallBean@29c872af[failedBuildCount=0,successfulBuildCount=0,unknownBuildCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + review=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@23203179[overall=com.atlassian.jira.plugin.devstatus.summary.beans.ReviewsOverallBean@50ffce98[stateCount=0,state=,dueDate=,overDue=false,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + deployment-environment=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@24e2b02d[overall=com.atlassian.jira.plugin.devstatus.summary.beans.DeploymentOverallBean@4e55f314[topEnvironments=[],showProjects=false,successfulCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + repository=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@6cdca85e[overall=com.atlassian.jira.plugin.devstatus.summary.beans.CommitOverallBean@42f92053[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + branch=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@732b83f9[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BranchOverallBean@120713db[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}]},errors=[],configErrors=[]], + devSummaryJson={\"cachedValue\":{\"errors\":[],\"configErrors\":[],\"summary\":{\"pullrequest\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":\"OPEN\",\"details\":{\"openCount\":0,\"mergedCount\":0,\"declinedCount\":0,\"total\":0},\"open\":true},\"byInstanceType\":{}},\"build\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"failedBuildCount\":0,\"successfulBuildCount\":0,\"unknownBuildCount\":0},\"byInstanceType\":{}},\"review\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":null,\"dueDate\":null,\"overDue\":false,\"completed\":false},\"byInstanceType\":{}},\"deployment-environment\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"topEnvironments\":[],\"showProjects\":false,\"successfulCount\":0},\"byInstanceType\":{}},\"repository\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}},\"branch\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}}}},\"isStale\":false}}", + "resolutiondate": null, "workratio": -1, "customfield_12316840": null, "customfield_12317379": + null, "customfield_12315950": null, "customfield_12316841": null, "customfield_12310940": + null, "customfield_12319040": null, "lastViewed": null, "watches": {"self": + "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-372/watchers", "watchCount": + 1, "isWatching": true}, "created": "2023-10-23T23:59:00.000+0000", "customfield_12321240": + null, "customfield_12313140": null, "priority": {"self": "https://issues.stage.redhat.com/rest/api/2/priority/10300", + "iconUrl": "https://issues.stage.redhat.com/images/icons/priorities/trivial.svg", + "name": "Undefined", "id": "10300"}, "labels": ["flawuuid:389158fd-c67a-47b7-a8e5-bbc19c5dd3fd", + "impact:MODERATE", "major_incident"], "customfield_12320947": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27714", + "value": "Unclassified", "id": "27714", "disabled": false}], "customfield_12320946": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27705", + "value": "False", "id": "27705", "disabled": false}, "aggregatetimeoriginalestimate": + null, "timeestimate": null, "versions": [], "issuelinks": [], "assignee": + null, "updated": "2023-10-23T23:59:09.000+0000", "customfield_12313942": null, + "customfield_12313941": null, "status": {"self": "https://issues.stage.redhat.com/rest/api/2/status/15021", + "description": "Work is being scoped and discussed (To Do status category; + see also Draft)", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "Refinement", "id": "15021", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}, "components": + [], "timeoriginalestimate": null, "description": "Description for CVE-2020-0004", + "customfield_12314040": null, "customfield_12320844": null, "customfield_12320842": + null, "customfield_12310243": null, "aggregatetimeestimate": null, "customfield_12316542": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14655", + "value": "False", "id": "14655", "disabled": false}, "customfield_12316543": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14657", + "value": "False", "id": "14657", "disabled": false}, "customfield_12317313": + null, "customfield_12316544": "None", "customfield_12310840": "9223372036854775807", + "summary": "CVE-2020-0004 kernel: some description", "customfield_12323640": + null, "customfield_12323840": null, "customfield_12323642": null, "creator": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12323641": null, "subtasks": [], "customfield_12321140": null, + "customfield_12323647": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/34754", + "value": "en-US (English)", "id": "34754", "disabled": false}], "reporter": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12320850": null, "aggregateprogress": {"progress": 0, "total": + 0}, "customfield_12323644": null, "customfield_12323841": null, "customfield_12323643": + null, "customfield_12323646": null, "customfield_12323645": null, "environment": + null, "customfield_12315542": null, "customfield_12315740": null, "customfield_12313441": + "", "customfield_12313440": "0.0", "customfield_12313240": {"id": 4077, "name": + "osidb_test_team"}, "duedate": null, "customfield_12311140": null, "customfield_12319742": + null, "progress": {"progress": 0, "total": 0}, "votes": {"self": "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-372/votes", + "votes": 0, "hasVoted": false}, "customfield_12319743": null, "customfield_12310213": + null, "customfield_12311940": "1|zcs0d8:"}}]}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:18 GMT + Expires: + - Mon, 23 Oct 2023 23:59:18 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '17713' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415584x1 + x-asessionid: + - criph9 + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105558.356b91b8 + x-rh-edge-request-id: + - 356b91b8 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: GET + uri: https://squid.corp.redhat.com:3128/rest/api/2/search?jql=PROJECT%3DOSIM+AND+key+in+%28OSIM-373%2C+OSIM-374%29+ORDER+BY+key+ASC&maxResults=100&startAt=0&validateQuery=True + response: + body: + string: '{"expand": "schema,names", "startAt": 0, "maxResults": 100, "total": + 2, "issues": [{"expand": "operations,versionedRepresentations,editmeta,changelog,renderedFields", + "id": "15544452", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544452", + "key": "OSIM-373", "fields": {"issuetype": {"self": "https://issues.stage.redhat.com/rest/api/2/issuetype/17", + "id": "17", "description": "Created by Jira Software - do not edit or delete. + Issue type for a user story.", "iconUrl": "https://issues.stage.redhat.com/secure/viewavatar?size=xsmall&avatarId=13275&avatarType=issuetype", + "name": "Story", "subtask": false, "avatarId": 13275}, "customfield_12322244": + null, "customfield_12318341": null, "timespent": null, "customfield_12320940": + null, "project": {"self": "https://issues.stage.redhat.com/rest/api/2/project/12337520", + "id": "12337520", "key": "OSIM", "name": "Open Security Issue Manager", "projectTypeKey": + "software", "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/projectavatar?pid=12337520&avatarId=12560", + "24x24": "https://issues.stage.redhat.com/secure/projectavatar?size=small&pid=12337520&avatarId=12560", + "16x16": "https://issues.stage.redhat.com/secure/projectavatar?size=xsmall&pid=12337520&avatarId=12560", + "32x32": "https://issues.stage.redhat.com/secure/projectavatar?size=medium&pid=12337520&avatarId=12560"}}, + "fixVersions": [], "customfield_12320944": null, "aggregatetimespent": null, + "resolution": null, "customfield_12310220": null, "customfield_12314740": + "{summaryBean=com.atlassian.jira.plugin.devstatus.rest.SummaryBean@724e9ba[summary={pullrequest=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@31b97788[overall=PullRequestOverallBean{stateCount=0, + state=''OPEN'', details=PullRequestOverallDetails{openCount=0, mergedCount=0, + declinedCount=0}},byInstanceType={}], build=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@1e1a26f9[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BuildOverallBean@64e51785[failedBuildCount=0,successfulBuildCount=0,unknownBuildCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + review=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@6678c042[overall=com.atlassian.jira.plugin.devstatus.summary.beans.ReviewsOverallBean@4303e3cc[stateCount=0,state=,dueDate=,overDue=false,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + deployment-environment=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@ce138bb[overall=com.atlassian.jira.plugin.devstatus.summary.beans.DeploymentOverallBean@40745f9d[topEnvironments=[],showProjects=false,successfulCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + repository=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@60aeed01[overall=com.atlassian.jira.plugin.devstatus.summary.beans.CommitOverallBean@3c6f7f5b[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + branch=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@394eac8d[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BranchOverallBean@5ba4848e[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}]},errors=[],configErrors=[]], + devSummaryJson={\"cachedValue\":{\"errors\":[],\"configErrors\":[],\"summary\":{\"pullrequest\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":\"OPEN\",\"details\":{\"openCount\":0,\"mergedCount\":0,\"declinedCount\":0,\"total\":0},\"open\":true},\"byInstanceType\":{}},\"build\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"failedBuildCount\":0,\"successfulBuildCount\":0,\"unknownBuildCount\":0},\"byInstanceType\":{}},\"review\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":null,\"dueDate\":null,\"overDue\":false,\"completed\":false},\"byInstanceType\":{}},\"deployment-environment\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"topEnvironments\":[],\"showProjects\":false,\"successfulCount\":0},\"byInstanceType\":{}},\"repository\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}},\"branch\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}}}},\"isStale\":false}}", + "resolutiondate": null, "workratio": -1, "customfield_12316840": null, "customfield_12317379": + null, "customfield_12315950": null, "customfield_12316841": null, "customfield_12310940": + null, "customfield_12319040": null, "lastViewed": null, "watches": {"self": + "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-373/watchers", "watchCount": + 1, "isWatching": true}, "created": "2023-10-23T23:59:10.000+0000", "customfield_12321240": + null, "customfield_12313140": null, "priority": {"self": "https://issues.stage.redhat.com/rest/api/2/priority/10300", + "iconUrl": "https://issues.stage.redhat.com/images/icons/priorities/trivial.svg", + "name": "Undefined", "id": "10300"}, "labels": ["flawuuid:ef501fc3-2629-42a1-95d5-01fb3d3e614e", + "impact:CRITICAL"], "customfield_12320947": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27714", + "value": "Unclassified", "id": "27714", "disabled": false}], "customfield_12320946": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27705", + "value": "False", "id": "27705", "disabled": false}, "aggregatetimeoriginalestimate": + null, "timeestimate": null, "versions": [], "issuelinks": [], "assignee": + null, "updated": "2023-10-23T23:59:11.000+0000", "customfield_12313942": null, + "customfield_12313941": null, "status": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10018", + "description": "Work has started", "iconUrl": "https://issues.stage.redhat.com/images/icons/status_generic.gif", + "name": "In Progress", "id": "10018", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/4", + "id": 4, "key": "indeterminate", "colorName": "inprogress", "name": "In Progress"}}, + "components": [], "timeoriginalestimate": null, "description": "Description + for CVE-2020-0005", "customfield_12314040": null, "customfield_12320844": + null, "customfield_12320842": null, "customfield_12310243": null, "aggregatetimeestimate": + null, "customfield_12316542": {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14655", + "value": "False", "id": "14655", "disabled": false}, "customfield_12316543": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14657", + "value": "False", "id": "14657", "disabled": false}, "customfield_12317313": + null, "customfield_12316544": "None", "customfield_12310840": "9223372036854775807", + "summary": "CVE-2020-0005 kernel: some description", "customfield_12323640": + null, "customfield_12323840": null, "customfield_12323642": null, "creator": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12323641": null, "subtasks": [], "customfield_12321140": null, + "customfield_12323647": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/34754", + "value": "en-US (English)", "id": "34754", "disabled": false}], "reporter": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12320850": null, "aggregateprogress": {"progress": 0, "total": + 0}, "customfield_12323644": null, "customfield_12323841": null, "customfield_12323643": + null, "customfield_12323646": null, "customfield_12323645": null, "environment": + null, "customfield_12315542": null, "customfield_12315740": null, "customfield_12313441": + "", "customfield_12313440": "0.0", "customfield_12313240": null, "duedate": + null, "customfield_12311140": null, "customfield_12319742": null, "progress": + {"progress": 0, "total": 0}, "votes": {"self": "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-373/votes", + "votes": 0, "hasVoted": false}, "customfield_12319743": null, "customfield_12310213": + null, "customfield_12311940": "1|zcs0dg:"}}, {"expand": "operations,versionedRepresentations,editmeta,changelog,renderedFields", + "id": "15544453", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544453", + "key": "OSIM-374", "fields": {"issuetype": {"self": "https://issues.stage.redhat.com/rest/api/2/issuetype/17", + "id": "17", "description": "Created by Jira Software - do not edit or delete. + Issue type for a user story.", "iconUrl": "https://issues.stage.redhat.com/secure/viewavatar?size=xsmall&avatarId=13275&avatarType=issuetype", + "name": "Story", "subtask": false, "avatarId": 13275}, "customfield_12322244": + null, "customfield_12318341": null, "timespent": null, "customfield_12320940": + null, "project": {"self": "https://issues.stage.redhat.com/rest/api/2/project/12337520", + "id": "12337520", "key": "OSIM", "name": "Open Security Issue Manager", "projectTypeKey": + "software", "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/projectavatar?pid=12337520&avatarId=12560", + "24x24": "https://issues.stage.redhat.com/secure/projectavatar?size=small&pid=12337520&avatarId=12560", + "16x16": "https://issues.stage.redhat.com/secure/projectavatar?size=xsmall&pid=12337520&avatarId=12560", + "32x32": "https://issues.stage.redhat.com/secure/projectavatar?size=medium&pid=12337520&avatarId=12560"}}, + "fixVersions": [], "customfield_12320944": null, "aggregatetimespent": null, + "resolution": null, "customfield_12310220": null, "customfield_12314740": + "{summaryBean=com.atlassian.jira.plugin.devstatus.rest.SummaryBean@21ef34ab[summary={pullrequest=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@187081e5[overall=PullRequestOverallBean{stateCount=0, + state=''OPEN'', details=PullRequestOverallDetails{openCount=0, mergedCount=0, + declinedCount=0}},byInstanceType={}], build=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@33c4c4c7[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BuildOverallBean@2fa714f3[failedBuildCount=0,successfulBuildCount=0,unknownBuildCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + review=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@7143d56b[overall=com.atlassian.jira.plugin.devstatus.summary.beans.ReviewsOverallBean@2d325906[stateCount=0,state=,dueDate=,overDue=false,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + deployment-environment=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@38c5429b[overall=com.atlassian.jira.plugin.devstatus.summary.beans.DeploymentOverallBean@2fd2c9fc[topEnvironments=[],showProjects=false,successfulCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + repository=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@40d5a9e0[overall=com.atlassian.jira.plugin.devstatus.summary.beans.CommitOverallBean@7f902295[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + branch=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@6d536666[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BranchOverallBean@5477df19[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}]},errors=[],configErrors=[]], + devSummaryJson={\"cachedValue\":{\"errors\":[],\"configErrors\":[],\"summary\":{\"pullrequest\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":\"OPEN\",\"details\":{\"openCount\":0,\"mergedCount\":0,\"declinedCount\":0,\"total\":0},\"open\":true},\"byInstanceType\":{}},\"build\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"failedBuildCount\":0,\"successfulBuildCount\":0,\"unknownBuildCount\":0},\"byInstanceType\":{}},\"review\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":null,\"dueDate\":null,\"overDue\":false,\"completed\":false},\"byInstanceType\":{}},\"deployment-environment\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"topEnvironments\":[],\"showProjects\":false,\"successfulCount\":0},\"byInstanceType\":{}},\"repository\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}},\"branch\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}}}},\"isStale\":false}}", + "resolutiondate": null, "workratio": -1, "customfield_12316840": null, "customfield_12317379": + null, "customfield_12315950": null, "customfield_12316841": null, "customfield_12310940": + null, "customfield_12319040": null, "lastViewed": null, "watches": {"self": + "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-374/watchers", "watchCount": + 1, "isWatching": true}, "created": "2023-10-23T23:59:12.000+0000", "customfield_12321240": + null, "customfield_12313140": null, "priority": {"self": "https://issues.stage.redhat.com/rest/api/2/priority/10300", + "iconUrl": "https://issues.stage.redhat.com/images/icons/priorities/trivial.svg", + "name": "Undefined", "id": "10300"}, "labels": ["flawuuid:b15b51cc-ee0d-43cb-84ca-9c5dae4ab703", + "impact:MODERATE", "major_incident"], "customfield_12320947": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27714", + "value": "Unclassified", "id": "27714", "disabled": false}], "customfield_12320946": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27705", + "value": "False", "id": "27705", "disabled": false}, "aggregatetimeoriginalestimate": + null, "timeestimate": null, "versions": [], "issuelinks": [], "assignee": + null, "updated": "2023-10-23T23:59:16.000+0000", "customfield_12313942": null, + "customfield_12313941": null, "status": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10018", + "description": "Work has started", "iconUrl": "https://issues.stage.redhat.com/images/icons/status_generic.gif", + "name": "In Progress", "id": "10018", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/4", + "id": 4, "key": "indeterminate", "colorName": "inprogress", "name": "In Progress"}}, + "components": [], "timeoriginalestimate": null, "description": "Description + for CVE-2020-0006", "customfield_12314040": null, "customfield_12320844": + null, "customfield_12320842": null, "customfield_12310243": null, "aggregatetimeestimate": + null, "customfield_12316542": {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14655", + "value": "False", "id": "14655", "disabled": false}, "customfield_12316543": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14657", + "value": "False", "id": "14657", "disabled": false}, "customfield_12317313": + null, "customfield_12316544": "None", "customfield_12310840": "9223372036854775807", + "summary": "CVE-2020-0006 kernel: some description", "customfield_12323640": + null, "customfield_12323840": null, "customfield_12323642": null, "creator": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12323641": null, "subtasks": [], "customfield_12321140": null, + "customfield_12323647": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/34754", + "value": "en-US (English)", "id": "34754", "disabled": false}], "reporter": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12320850": null, "aggregateprogress": {"progress": 0, "total": + 0}, "customfield_12323644": null, "customfield_12323841": null, "customfield_12323643": + null, "customfield_12323646": null, "customfield_12323645": null, "environment": + null, "customfield_12315542": null, "customfield_12315740": null, "customfield_12313441": + "", "customfield_12313440": "0.0", "customfield_12313240": {"id": 4077, "name": + "osidb_test_team"}, "duedate": null, "customfield_12311140": null, "customfield_12319742": + null, "progress": {"progress": 0, "total": 0}, "votes": {"self": "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-374/votes", + "votes": 0, "hasVoted": false}, "customfield_12319743": null, "customfield_12310213": + null, "customfield_12311940": "1|zcs0do:"}}]}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:18 GMT + Expires: + - Mon, 23 Oct 2023 23:59:18 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '17620' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415585x1 + x-asessionid: + - 1y8drdg + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105558.356b97bf + x-rh-edge-request-id: + - 356b97bf + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: GET + uri: https://squid.corp.redhat.com:3128/rest/api/2/search?jql=PROJECT%3DOSIM+AND+key+in+%28OSIM-369%2C+OSIM-372%2C+OSIM-374%29+ORDER+BY+key+ASC&maxResults=100&startAt=0&validateQuery=True + response: + body: + string: '{"expand": "schema,names", "startAt": 0, "maxResults": 100, "total": + 3, "issues": [{"expand": "operations,versionedRepresentations,editmeta,changelog,renderedFields", + "id": "15544448", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544448", + "key": "OSIM-369", "fields": {"issuetype": {"self": "https://issues.stage.redhat.com/rest/api/2/issuetype/17", + "id": "17", "description": "Created by Jira Software - do not edit or delete. + Issue type for a user story.", "iconUrl": "https://issues.stage.redhat.com/secure/viewavatar?size=xsmall&avatarId=13275&avatarType=issuetype", + "name": "Story", "subtask": false, "avatarId": 13275}, "customfield_12322244": + null, "customfield_12318341": null, "timespent": null, "customfield_12320940": + null, "project": {"self": "https://issues.stage.redhat.com/rest/api/2/project/12337520", + "id": "12337520", "key": "OSIM", "name": "Open Security Issue Manager", "projectTypeKey": + "software", "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/projectavatar?pid=12337520&avatarId=12560", + "24x24": "https://issues.stage.redhat.com/secure/projectavatar?size=small&pid=12337520&avatarId=12560", + "16x16": "https://issues.stage.redhat.com/secure/projectavatar?size=xsmall&pid=12337520&avatarId=12560", + "32x32": "https://issues.stage.redhat.com/secure/projectavatar?size=medium&pid=12337520&avatarId=12560"}}, + "fixVersions": [], "customfield_12320944": null, "aggregatetimespent": null, + "resolution": null, "customfield_12310220": null, "customfield_12314740": + "{summaryBean=com.atlassian.jira.plugin.devstatus.rest.SummaryBean@5c6094c9[summary={pullrequest=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@76405e0c[overall=PullRequestOverallBean{stateCount=0, + state=''OPEN'', details=PullRequestOverallDetails{openCount=0, mergedCount=0, + declinedCount=0}},byInstanceType={}], build=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@71c611bd[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BuildOverallBean@50291b7[failedBuildCount=0,successfulBuildCount=0,unknownBuildCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + review=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@361d1808[overall=com.atlassian.jira.plugin.devstatus.summary.beans.ReviewsOverallBean@5fd8245e[stateCount=0,state=,dueDate=,overDue=false,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + deployment-environment=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@1ed28de1[overall=com.atlassian.jira.plugin.devstatus.summary.beans.DeploymentOverallBean@f4c38a5[topEnvironments=[],showProjects=false,successfulCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + repository=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@514fac1c[overall=com.atlassian.jira.plugin.devstatus.summary.beans.CommitOverallBean@4fab88bf[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + branch=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@451cb92e[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BranchOverallBean@2b7b2838[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}]},errors=[],configErrors=[]], + devSummaryJson={\"cachedValue\":{\"errors\":[],\"configErrors\":[],\"summary\":{\"pullrequest\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":\"OPEN\",\"details\":{\"openCount\":0,\"mergedCount\":0,\"declinedCount\":0,\"total\":0},\"open\":true},\"byInstanceType\":{}},\"build\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"failedBuildCount\":0,\"successfulBuildCount\":0,\"unknownBuildCount\":0},\"byInstanceType\":{}},\"review\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":null,\"dueDate\":null,\"overDue\":false,\"completed\":false},\"byInstanceType\":{}},\"deployment-environment\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"topEnvironments\":[],\"showProjects\":false,\"successfulCount\":0},\"byInstanceType\":{}},\"repository\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}},\"branch\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}}}},\"isStale\":false}}", + "resolutiondate": null, "workratio": -1, "customfield_12316840": null, "customfield_12317379": + null, "customfield_12315950": null, "customfield_12316841": null, "customfield_12310940": + null, "customfield_12319040": null, "lastViewed": null, "watches": {"self": + "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-369/watchers", "watchCount": + 1, "isWatching": true}, "created": "2023-10-23T23:58:40.000+0000", "customfield_12321240": + null, "customfield_12313140": null, "priority": {"self": "https://issues.stage.redhat.com/rest/api/2/priority/10300", + "iconUrl": "https://issues.stage.redhat.com/images/icons/priorities/trivial.svg", + "name": "Undefined", "id": "10300"}, "labels": ["flawuuid:7d9bc18e-7315-40e3-9db4-1fb5e9cad452", + "impact:IMPORTANT", "major_incident"], "customfield_12320947": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27714", + "value": "Unclassified", "id": "27714", "disabled": false}], "customfield_12320946": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27705", + "value": "False", "id": "27705", "disabled": false}, "aggregatetimeoriginalestimate": + null, "timeestimate": null, "versions": [], "issuelinks": [], "assignee": + null, "updated": "2023-10-23T23:58:41.000+0000", "customfield_12313942": null, + "customfield_12313941": null, "status": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10016", + "description": "Initial creation status. Implies nothing yet and should be + very short lived; also can be a Bugzilla status.", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "New", "id": "10016", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}, "components": + [], "timeoriginalestimate": null, "description": "Description for CVE-2020-0001", + "customfield_12314040": null, "customfield_12320844": null, "customfield_12320842": + null, "customfield_12310243": null, "aggregatetimeestimate": null, "customfield_12316542": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14655", + "value": "False", "id": "14655", "disabled": false}, "customfield_12316543": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14657", + "value": "False", "id": "14657", "disabled": false}, "customfield_12317313": + null, "customfield_12316544": "None", "customfield_12310840": "9223372036854775807", + "summary": "CVE-2020-0001 kernel: some description", "customfield_12323640": + null, "customfield_12323840": null, "customfield_12323642": null, "creator": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12323641": null, "subtasks": [], "customfield_12321140": null, + "customfield_12323647": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/34754", + "value": "en-US (English)", "id": "34754", "disabled": false}], "reporter": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12320850": null, "aggregateprogress": {"progress": 0, "total": + 0}, "customfield_12323644": null, "customfield_12323841": null, "customfield_12323643": + null, "customfield_12323646": null, "customfield_12323645": null, "environment": + null, "customfield_12315542": null, "customfield_12315740": null, "customfield_12313441": + "", "customfield_12313440": "0.0", "customfield_12313240": {"id": 4077, "name": + "osidb_test_team"}, "duedate": null, "customfield_12311140": null, "customfield_12319742": + null, "progress": {"progress": 0, "total": 0}, "votes": {"self": "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-369/votes", + "votes": 0, "hasVoted": false}, "customfield_12319743": null, "customfield_12310213": + null, "customfield_12311940": "1|zcs0ck:"}}, {"expand": "operations,versionedRepresentations,editmeta,changelog,renderedFields", + "id": "15544451", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544451", + "key": "OSIM-372", "fields": {"issuetype": {"self": "https://issues.stage.redhat.com/rest/api/2/issuetype/17", + "id": "17", "description": "Created by Jira Software - do not edit or delete. + Issue type for a user story.", "iconUrl": "https://issues.stage.redhat.com/secure/viewavatar?size=xsmall&avatarId=13275&avatarType=issuetype", + "name": "Story", "subtask": false, "avatarId": 13275}, "customfield_12322244": + null, "customfield_12318341": null, "timespent": null, "customfield_12320940": + null, "project": {"self": "https://issues.stage.redhat.com/rest/api/2/project/12337520", + "id": "12337520", "key": "OSIM", "name": "Open Security Issue Manager", "projectTypeKey": + "software", "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/projectavatar?pid=12337520&avatarId=12560", + "24x24": "https://issues.stage.redhat.com/secure/projectavatar?size=small&pid=12337520&avatarId=12560", + "16x16": "https://issues.stage.redhat.com/secure/projectavatar?size=xsmall&pid=12337520&avatarId=12560", + "32x32": "https://issues.stage.redhat.com/secure/projectavatar?size=medium&pid=12337520&avatarId=12560"}}, + "fixVersions": [], "customfield_12320944": null, "aggregatetimespent": null, + "resolution": null, "customfield_12310220": null, "customfield_12314740": + "{summaryBean=com.atlassian.jira.plugin.devstatus.rest.SummaryBean@66209dd4[summary={pullrequest=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@b5cf14b[overall=PullRequestOverallBean{stateCount=0, + state=''OPEN'', details=PullRequestOverallDetails{openCount=0, mergedCount=0, + declinedCount=0}},byInstanceType={}], build=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@f19efc4[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BuildOverallBean@632391c5[failedBuildCount=0,successfulBuildCount=0,unknownBuildCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + review=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@3f9e34c4[overall=com.atlassian.jira.plugin.devstatus.summary.beans.ReviewsOverallBean@7a62d365[stateCount=0,state=,dueDate=,overDue=false,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + deployment-environment=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@3ac57422[overall=com.atlassian.jira.plugin.devstatus.summary.beans.DeploymentOverallBean@45977706[topEnvironments=[],showProjects=false,successfulCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + repository=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@be15364[overall=com.atlassian.jira.plugin.devstatus.summary.beans.CommitOverallBean@67745086[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + branch=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@76815c2e[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BranchOverallBean@8502abf[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}]},errors=[],configErrors=[]], + devSummaryJson={\"cachedValue\":{\"errors\":[],\"configErrors\":[],\"summary\":{\"pullrequest\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":\"OPEN\",\"details\":{\"openCount\":0,\"mergedCount\":0,\"declinedCount\":0,\"total\":0},\"open\":true},\"byInstanceType\":{}},\"build\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"failedBuildCount\":0,\"successfulBuildCount\":0,\"unknownBuildCount\":0},\"byInstanceType\":{}},\"review\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":null,\"dueDate\":null,\"overDue\":false,\"completed\":false},\"byInstanceType\":{}},\"deployment-environment\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"topEnvironments\":[],\"showProjects\":false,\"successfulCount\":0},\"byInstanceType\":{}},\"repository\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}},\"branch\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}}}},\"isStale\":false}}", + "resolutiondate": null, "workratio": -1, "customfield_12316840": null, "customfield_12317379": + null, "customfield_12315950": null, "customfield_12316841": null, "customfield_12310940": + null, "customfield_12319040": null, "lastViewed": null, "watches": {"self": + "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-372/watchers", "watchCount": + 1, "isWatching": true}, "created": "2023-10-23T23:59:00.000+0000", "customfield_12321240": + null, "customfield_12313140": null, "priority": {"self": "https://issues.stage.redhat.com/rest/api/2/priority/10300", + "iconUrl": "https://issues.stage.redhat.com/images/icons/priorities/trivial.svg", + "name": "Undefined", "id": "10300"}, "labels": ["flawuuid:389158fd-c67a-47b7-a8e5-bbc19c5dd3fd", + "impact:MODERATE", "major_incident"], "customfield_12320947": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27714", + "value": "Unclassified", "id": "27714", "disabled": false}], "customfield_12320946": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27705", + "value": "False", "id": "27705", "disabled": false}, "aggregatetimeoriginalestimate": + null, "timeestimate": null, "versions": [], "issuelinks": [], "assignee": + null, "updated": "2023-10-23T23:59:09.000+0000", "customfield_12313942": null, + "customfield_12313941": null, "status": {"self": "https://issues.stage.redhat.com/rest/api/2/status/15021", + "description": "Work is being scoped and discussed (To Do status category; + see also Draft)", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "Refinement", "id": "15021", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}, "components": + [], "timeoriginalestimate": null, "description": "Description for CVE-2020-0004", + "customfield_12314040": null, "customfield_12320844": null, "customfield_12320842": + null, "customfield_12310243": null, "aggregatetimeestimate": null, "customfield_12316542": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14655", + "value": "False", "id": "14655", "disabled": false}, "customfield_12316543": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14657", + "value": "False", "id": "14657", "disabled": false}, "customfield_12317313": + null, "customfield_12316544": "None", "customfield_12310840": "9223372036854775807", + "summary": "CVE-2020-0004 kernel: some description", "customfield_12323640": + null, "customfield_12323840": null, "customfield_12323642": null, "creator": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12323641": null, "subtasks": [], "customfield_12321140": null, + "customfield_12323647": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/34754", + "value": "en-US (English)", "id": "34754", "disabled": false}], "reporter": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12320850": null, "aggregateprogress": {"progress": 0, "total": + 0}, "customfield_12323644": null, "customfield_12323841": null, "customfield_12323643": + null, "customfield_12323646": null, "customfield_12323645": null, "environment": + null, "customfield_12315542": null, "customfield_12315740": null, "customfield_12313441": + "", "customfield_12313440": "0.0", "customfield_12313240": {"id": 4077, "name": + "osidb_test_team"}, "duedate": null, "customfield_12311140": null, "customfield_12319742": + null, "progress": {"progress": 0, "total": 0}, "votes": {"self": "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-372/votes", + "votes": 0, "hasVoted": false}, "customfield_12319743": null, "customfield_12310213": + null, "customfield_12311940": "1|zcs0d8:"}}, {"expand": "operations,versionedRepresentations,editmeta,changelog,renderedFields", + "id": "15544453", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544453", + "key": "OSIM-374", "fields": {"issuetype": {"self": "https://issues.stage.redhat.com/rest/api/2/issuetype/17", + "id": "17", "description": "Created by Jira Software - do not edit or delete. + Issue type for a user story.", "iconUrl": "https://issues.stage.redhat.com/secure/viewavatar?size=xsmall&avatarId=13275&avatarType=issuetype", + "name": "Story", "subtask": false, "avatarId": 13275}, "customfield_12322244": + null, "customfield_12318341": null, "timespent": null, "customfield_12320940": + null, "project": {"self": "https://issues.stage.redhat.com/rest/api/2/project/12337520", + "id": "12337520", "key": "OSIM", "name": "Open Security Issue Manager", "projectTypeKey": + "software", "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/projectavatar?pid=12337520&avatarId=12560", + "24x24": "https://issues.stage.redhat.com/secure/projectavatar?size=small&pid=12337520&avatarId=12560", + "16x16": "https://issues.stage.redhat.com/secure/projectavatar?size=xsmall&pid=12337520&avatarId=12560", + "32x32": "https://issues.stage.redhat.com/secure/projectavatar?size=medium&pid=12337520&avatarId=12560"}}, + "fixVersions": [], "customfield_12320944": null, "aggregatetimespent": null, + "resolution": null, "customfield_12310220": null, "customfield_12314740": + "{summaryBean=com.atlassian.jira.plugin.devstatus.rest.SummaryBean@700e2b0a[summary={pullrequest=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@503db7ad[overall=PullRequestOverallBean{stateCount=0, + state=''OPEN'', details=PullRequestOverallDetails{openCount=0, mergedCount=0, + declinedCount=0}},byInstanceType={}], build=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@3f0e31bd[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BuildOverallBean@233792e[failedBuildCount=0,successfulBuildCount=0,unknownBuildCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + review=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@586e69ee[overall=com.atlassian.jira.plugin.devstatus.summary.beans.ReviewsOverallBean@2e1950d7[stateCount=0,state=,dueDate=,overDue=false,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + deployment-environment=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@60540f70[overall=com.atlassian.jira.plugin.devstatus.summary.beans.DeploymentOverallBean@7937e05d[topEnvironments=[],showProjects=false,successfulCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + repository=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@523dd78c[overall=com.atlassian.jira.plugin.devstatus.summary.beans.CommitOverallBean@3646aaf4[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + branch=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@76291cc3[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BranchOverallBean@30da3f53[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}]},errors=[],configErrors=[]], + devSummaryJson={\"cachedValue\":{\"errors\":[],\"configErrors\":[],\"summary\":{\"pullrequest\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":\"OPEN\",\"details\":{\"openCount\":0,\"mergedCount\":0,\"declinedCount\":0,\"total\":0},\"open\":true},\"byInstanceType\":{}},\"build\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"failedBuildCount\":0,\"successfulBuildCount\":0,\"unknownBuildCount\":0},\"byInstanceType\":{}},\"review\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":null,\"dueDate\":null,\"overDue\":false,\"completed\":false},\"byInstanceType\":{}},\"deployment-environment\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"topEnvironments\":[],\"showProjects\":false,\"successfulCount\":0},\"byInstanceType\":{}},\"repository\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}},\"branch\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}}}},\"isStale\":false}}", + "resolutiondate": null, "workratio": -1, "customfield_12316840": null, "customfield_12317379": + null, "customfield_12315950": null, "customfield_12316841": null, "customfield_12310940": + null, "customfield_12319040": null, "lastViewed": null, "watches": {"self": + "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-374/watchers", "watchCount": + 1, "isWatching": true}, "created": "2023-10-23T23:59:12.000+0000", "customfield_12321240": + null, "customfield_12313140": null, "priority": {"self": "https://issues.stage.redhat.com/rest/api/2/priority/10300", + "iconUrl": "https://issues.stage.redhat.com/images/icons/priorities/trivial.svg", + "name": "Undefined", "id": "10300"}, "labels": ["flawuuid:b15b51cc-ee0d-43cb-84ca-9c5dae4ab703", + "impact:MODERATE", "major_incident"], "customfield_12320947": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27714", + "value": "Unclassified", "id": "27714", "disabled": false}], "customfield_12320946": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27705", + "value": "False", "id": "27705", "disabled": false}, "aggregatetimeoriginalestimate": + null, "timeestimate": null, "versions": [], "issuelinks": [], "assignee": + null, "updated": "2023-10-23T23:59:16.000+0000", "customfield_12313942": null, + "customfield_12313941": null, "status": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10018", + "description": "Work has started", "iconUrl": "https://issues.stage.redhat.com/images/icons/status_generic.gif", + "name": "In Progress", "id": "10018", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/4", + "id": 4, "key": "indeterminate", "colorName": "inprogress", "name": "In Progress"}}, + "components": [], "timeoriginalestimate": null, "description": "Description + for CVE-2020-0006", "customfield_12314040": null, "customfield_12320844": + null, "customfield_12320842": null, "customfield_12310243": null, "aggregatetimeestimate": + null, "customfield_12316542": {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14655", + "value": "False", "id": "14655", "disabled": false}, "customfield_12316543": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14657", + "value": "False", "id": "14657", "disabled": false}, "customfield_12317313": + null, "customfield_12316544": "None", "customfield_12310840": "9223372036854775807", + "summary": "CVE-2020-0006 kernel: some description", "customfield_12323640": + null, "customfield_12323840": null, "customfield_12323642": null, "creator": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12323641": null, "subtasks": [], "customfield_12321140": null, + "customfield_12323647": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/34754", + "value": "en-US (English)", "id": "34754", "disabled": false}], "reporter": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12320850": null, "aggregateprogress": {"progress": 0, "total": + 0}, "customfield_12323644": null, "customfield_12323841": null, "customfield_12323643": + null, "customfield_12323646": null, "customfield_12323645": null, "environment": + null, "customfield_12315542": null, "customfield_12315740": null, "customfield_12313441": + "", "customfield_12313440": "0.0", "customfield_12313240": {"id": 4077, "name": + "osidb_test_team"}, "duedate": null, "customfield_12311140": null, "customfield_12319742": + null, "progress": {"progress": 0, "total": 0}, "votes": {"self": "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-374/votes", + "votes": 0, "hasVoted": false}, "customfield_12319743": null, "customfield_12310213": + null, "customfield_12311940": "1|zcs0do:"}}]}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:18 GMT + Expires: + - Mon, 23 Oct 2023 23:59:18 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '26569' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415587x1 + x-asessionid: + - zug39s + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105558.356b9db3 + x-rh-edge-request-id: + - 356b9db3 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: GET + uri: https://squid.corp.redhat.com:3128/rest/api/2/search?jql=PROJECT%3DOSIM+AND+key+in+%28OSIM-369%29+ORDER+BY+key+ASC&maxResults=100&startAt=0&validateQuery=True + response: + body: + string: '{"expand": "names,schema", "startAt": 0, "maxResults": 100, "total": + 1, "issues": [{"expand": "operations,versionedRepresentations,editmeta,changelog,renderedFields", + "id": "15544448", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544448", + "key": "OSIM-369", "fields": {"issuetype": {"self": "https://issues.stage.redhat.com/rest/api/2/issuetype/17", + "id": "17", "description": "Created by Jira Software - do not edit or delete. + Issue type for a user story.", "iconUrl": "https://issues.stage.redhat.com/secure/viewavatar?size=xsmall&avatarId=13275&avatarType=issuetype", + "name": "Story", "subtask": false, "avatarId": 13275}, "customfield_12322244": + null, "customfield_12318341": null, "timespent": null, "customfield_12320940": + null, "project": {"self": "https://issues.stage.redhat.com/rest/api/2/project/12337520", + "id": "12337520", "key": "OSIM", "name": "Open Security Issue Manager", "projectTypeKey": + "software", "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/projectavatar?pid=12337520&avatarId=12560", + "24x24": "https://issues.stage.redhat.com/secure/projectavatar?size=small&pid=12337520&avatarId=12560", + "16x16": "https://issues.stage.redhat.com/secure/projectavatar?size=xsmall&pid=12337520&avatarId=12560", + "32x32": "https://issues.stage.redhat.com/secure/projectavatar?size=medium&pid=12337520&avatarId=12560"}}, + "fixVersions": [], "customfield_12320944": null, "aggregatetimespent": null, + "resolution": null, "customfield_12310220": null, "customfield_12314740": + "{summaryBean=com.atlassian.jira.plugin.devstatus.rest.SummaryBean@2173579f[summary={pullrequest=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@151095f[overall=PullRequestOverallBean{stateCount=0, + state=''OPEN'', details=PullRequestOverallDetails{openCount=0, mergedCount=0, + declinedCount=0}},byInstanceType={}], build=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@6aa199[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BuildOverallBean@9f84b3a[failedBuildCount=0,successfulBuildCount=0,unknownBuildCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + review=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@30890bc2[overall=com.atlassian.jira.plugin.devstatus.summary.beans.ReviewsOverallBean@7decb31f[stateCount=0,state=,dueDate=,overDue=false,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + deployment-environment=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@28dfa352[overall=com.atlassian.jira.plugin.devstatus.summary.beans.DeploymentOverallBean@63358ce8[topEnvironments=[],showProjects=false,successfulCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + repository=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@1b9a5c57[overall=com.atlassian.jira.plugin.devstatus.summary.beans.CommitOverallBean@3767070[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + branch=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@56e6867f[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BranchOverallBean@19fb1287[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}]},errors=[],configErrors=[]], + devSummaryJson={\"cachedValue\":{\"errors\":[],\"configErrors\":[],\"summary\":{\"pullrequest\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":\"OPEN\",\"details\":{\"openCount\":0,\"mergedCount\":0,\"declinedCount\":0,\"total\":0},\"open\":true},\"byInstanceType\":{}},\"build\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"failedBuildCount\":0,\"successfulBuildCount\":0,\"unknownBuildCount\":0},\"byInstanceType\":{}},\"review\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":null,\"dueDate\":null,\"overDue\":false,\"completed\":false},\"byInstanceType\":{}},\"deployment-environment\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"topEnvironments\":[],\"showProjects\":false,\"successfulCount\":0},\"byInstanceType\":{}},\"repository\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}},\"branch\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}}}},\"isStale\":false}}", + "resolutiondate": null, "workratio": -1, "customfield_12316840": null, "customfield_12317379": + null, "customfield_12315950": null, "customfield_12316841": null, "customfield_12310940": + null, "customfield_12319040": null, "lastViewed": null, "watches": {"self": + "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-369/watchers", "watchCount": + 1, "isWatching": true}, "created": "2023-10-23T23:58:40.000+0000", "customfield_12321240": + null, "customfield_12313140": null, "priority": {"self": "https://issues.stage.redhat.com/rest/api/2/priority/10300", + "iconUrl": "https://issues.stage.redhat.com/images/icons/priorities/trivial.svg", + "name": "Undefined", "id": "10300"}, "labels": ["flawuuid:7d9bc18e-7315-40e3-9db4-1fb5e9cad452", + "impact:IMPORTANT", "major_incident"], "customfield_12320947": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27714", + "value": "Unclassified", "id": "27714", "disabled": false}], "customfield_12320946": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27705", + "value": "False", "id": "27705", "disabled": false}, "aggregatetimeoriginalestimate": + null, "timeestimate": null, "versions": [], "issuelinks": [], "assignee": + null, "updated": "2023-10-23T23:58:41.000+0000", "customfield_12313942": null, + "customfield_12313941": null, "status": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10016", + "description": "Initial creation status. Implies nothing yet and should be + very short lived; also can be a Bugzilla status.", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "New", "id": "10016", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}, "components": + [], "timeoriginalestimate": null, "description": "Description for CVE-2020-0001", + "customfield_12314040": null, "customfield_12320844": null, "customfield_12320842": + null, "customfield_12310243": null, "aggregatetimeestimate": null, "customfield_12316542": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14655", + "value": "False", "id": "14655", "disabled": false}, "customfield_12316543": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14657", + "value": "False", "id": "14657", "disabled": false}, "customfield_12317313": + null, "customfield_12316544": "None", "customfield_12310840": "9223372036854775807", + "summary": "CVE-2020-0001 kernel: some description", "customfield_12323640": + null, "customfield_12323840": null, "customfield_12323642": null, "creator": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12323641": null, "subtasks": [], "customfield_12321140": null, + "customfield_12323647": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/34754", + "value": "en-US (English)", "id": "34754", "disabled": false}], "reporter": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12320850": null, "aggregateprogress": {"progress": 0, "total": + 0}, "customfield_12323644": null, "customfield_12323841": null, "customfield_12323643": + null, "customfield_12323646": null, "customfield_12323645": null, "environment": + null, "customfield_12315542": null, "customfield_12315740": null, "customfield_12313441": + "", "customfield_12313440": "0.0", "customfield_12313240": {"id": 4077, "name": + "osidb_test_team"}, "duedate": null, "customfield_12311140": null, "customfield_12319742": + null, "progress": {"progress": 0, "total": 0}, "votes": {"self": "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-369/votes", + "votes": 0, "hasVoted": false}, "customfield_12319743": null, "customfield_12310213": + null, "customfield_12311940": "1|zcs0ck:"}}]}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:19 GMT + Expires: + - Mon, 23 Oct 2023 23:59:19 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '8935' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415588x1 + x-asessionid: + - 3jkhku + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105559.356ba421 + x-rh-edge-request-id: + - 356ba421 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: GET + uri: https://squid.corp.redhat.com:3128/rest/api/2/search?jql=PROJECT%3DOSIM+AND+key+in+%28OSIM-369%2C+OSIM-373%2C+OSIM-372%2C+OSIM-374%2C+OSIM-370%2C+OSIM-371%29+ORDER+BY+key+ASC&maxResults=2&startAt=0&validateQuery=True + response: + body: + string: '{"expand": "schema,names", "startAt": 0, "maxResults": 2, "total": + 6, "issues": [{"expand": "operations,versionedRepresentations,editmeta,changelog,renderedFields", + "id": "15544448", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544448", + "key": "OSIM-369", "fields": {"issuetype": {"self": "https://issues.stage.redhat.com/rest/api/2/issuetype/17", + "id": "17", "description": "Created by Jira Software - do not edit or delete. + Issue type for a user story.", "iconUrl": "https://issues.stage.redhat.com/secure/viewavatar?size=xsmall&avatarId=13275&avatarType=issuetype", + "name": "Story", "subtask": false, "avatarId": 13275}, "customfield_12322244": + null, "customfield_12318341": null, "timespent": null, "customfield_12320940": + null, "project": {"self": "https://issues.stage.redhat.com/rest/api/2/project/12337520", + "id": "12337520", "key": "OSIM", "name": "Open Security Issue Manager", "projectTypeKey": + "software", "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/projectavatar?pid=12337520&avatarId=12560", + "24x24": "https://issues.stage.redhat.com/secure/projectavatar?size=small&pid=12337520&avatarId=12560", + "16x16": "https://issues.stage.redhat.com/secure/projectavatar?size=xsmall&pid=12337520&avatarId=12560", + "32x32": "https://issues.stage.redhat.com/secure/projectavatar?size=medium&pid=12337520&avatarId=12560"}}, + "fixVersions": [], "customfield_12320944": null, "aggregatetimespent": null, + "resolution": null, "customfield_12310220": null, "customfield_12314740": + "{summaryBean=com.atlassian.jira.plugin.devstatus.rest.SummaryBean@1ebcd1d6[summary={pullrequest=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@5c53713d[overall=PullRequestOverallBean{stateCount=0, + state=''OPEN'', details=PullRequestOverallDetails{openCount=0, mergedCount=0, + declinedCount=0}},byInstanceType={}], build=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@38ffc222[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BuildOverallBean@7f628699[failedBuildCount=0,successfulBuildCount=0,unknownBuildCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + review=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@132d7130[overall=com.atlassian.jira.plugin.devstatus.summary.beans.ReviewsOverallBean@7f380bd7[stateCount=0,state=,dueDate=,overDue=false,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + deployment-environment=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@391028c0[overall=com.atlassian.jira.plugin.devstatus.summary.beans.DeploymentOverallBean@522d3735[topEnvironments=[],showProjects=false,successfulCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + repository=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@2a7168b1[overall=com.atlassian.jira.plugin.devstatus.summary.beans.CommitOverallBean@1528a89b[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + branch=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@2dc6c4d6[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BranchOverallBean@1669cac4[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}]},errors=[],configErrors=[]], + devSummaryJson={\"cachedValue\":{\"errors\":[],\"configErrors\":[],\"summary\":{\"pullrequest\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":\"OPEN\",\"details\":{\"openCount\":0,\"mergedCount\":0,\"declinedCount\":0,\"total\":0},\"open\":true},\"byInstanceType\":{}},\"build\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"failedBuildCount\":0,\"successfulBuildCount\":0,\"unknownBuildCount\":0},\"byInstanceType\":{}},\"review\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":null,\"dueDate\":null,\"overDue\":false,\"completed\":false},\"byInstanceType\":{}},\"deployment-environment\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"topEnvironments\":[],\"showProjects\":false,\"successfulCount\":0},\"byInstanceType\":{}},\"repository\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}},\"branch\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}}}},\"isStale\":false}}", + "resolutiondate": null, "workratio": -1, "customfield_12316840": null, "customfield_12317379": + null, "customfield_12315950": null, "customfield_12316841": null, "customfield_12310940": + null, "customfield_12319040": null, "lastViewed": null, "watches": {"self": + "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-369/watchers", "watchCount": + 1, "isWatching": true}, "created": "2023-10-23T23:58:40.000+0000", "customfield_12321240": + null, "customfield_12313140": null, "priority": {"self": "https://issues.stage.redhat.com/rest/api/2/priority/10300", + "iconUrl": "https://issues.stage.redhat.com/images/icons/priorities/trivial.svg", + "name": "Undefined", "id": "10300"}, "labels": ["flawuuid:7d9bc18e-7315-40e3-9db4-1fb5e9cad452", + "impact:IMPORTANT", "major_incident"], "customfield_12320947": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27714", + "value": "Unclassified", "id": "27714", "disabled": false}], "customfield_12320946": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27705", + "value": "False", "id": "27705", "disabled": false}, "aggregatetimeoriginalestimate": + null, "timeestimate": null, "versions": [], "issuelinks": [], "assignee": + null, "updated": "2023-10-23T23:58:41.000+0000", "customfield_12313942": null, + "customfield_12313941": null, "status": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10016", + "description": "Initial creation status. Implies nothing yet and should be + very short lived; also can be a Bugzilla status.", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "New", "id": "10016", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}, "components": + [], "timeoriginalestimate": null, "description": "Description for CVE-2020-0001", + "customfield_12314040": null, "customfield_12320844": null, "customfield_12320842": + null, "customfield_12310243": null, "aggregatetimeestimate": null, "customfield_12316542": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14655", + "value": "False", "id": "14655", "disabled": false}, "customfield_12316543": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14657", + "value": "False", "id": "14657", "disabled": false}, "customfield_12317313": + null, "customfield_12316544": "None", "customfield_12310840": "9223372036854775807", + "summary": "CVE-2020-0001 kernel: some description", "customfield_12323640": + null, "customfield_12323840": null, "customfield_12323642": null, "creator": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12323641": null, "subtasks": [], "customfield_12321140": null, + "customfield_12323647": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/34754", + "value": "en-US (English)", "id": "34754", "disabled": false}], "reporter": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12320850": null, "aggregateprogress": {"progress": 0, "total": + 0}, "customfield_12323644": null, "customfield_12323841": null, "customfield_12323643": + null, "customfield_12323646": null, "customfield_12323645": null, "environment": + null, "customfield_12315542": null, "customfield_12315740": null, "customfield_12313441": + "", "customfield_12313440": "0.0", "customfield_12313240": {"id": 4077, "name": + "osidb_test_team"}, "duedate": null, "customfield_12311140": null, "customfield_12319742": + null, "progress": {"progress": 0, "total": 0}, "votes": {"self": "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-369/votes", + "votes": 0, "hasVoted": false}, "customfield_12319743": null, "customfield_12310213": + null, "customfield_12311940": "1|zcs0ck:"}}, {"expand": "operations,versionedRepresentations,editmeta,changelog,renderedFields", + "id": "15544449", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544449", + "key": "OSIM-370", "fields": {"issuetype": {"self": "https://issues.stage.redhat.com/rest/api/2/issuetype/17", + "id": "17", "description": "Created by Jira Software - do not edit or delete. + Issue type for a user story.", "iconUrl": "https://issues.stage.redhat.com/secure/viewavatar?size=xsmall&avatarId=13275&avatarType=issuetype", + "name": "Story", "subtask": false, "avatarId": 13275}, "customfield_12322244": + null, "customfield_12318341": null, "timespent": null, "customfield_12320940": + null, "project": {"self": "https://issues.stage.redhat.com/rest/api/2/project/12337520", + "id": "12337520", "key": "OSIM", "name": "Open Security Issue Manager", "projectTypeKey": + "software", "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/projectavatar?pid=12337520&avatarId=12560", + "24x24": "https://issues.stage.redhat.com/secure/projectavatar?size=small&pid=12337520&avatarId=12560", + "16x16": "https://issues.stage.redhat.com/secure/projectavatar?size=xsmall&pid=12337520&avatarId=12560", + "32x32": "https://issues.stage.redhat.com/secure/projectavatar?size=medium&pid=12337520&avatarId=12560"}}, + "fixVersions": [], "customfield_12320944": null, "aggregatetimespent": null, + "resolution": null, "customfield_12310220": null, "customfield_12314740": + "{summaryBean=com.atlassian.jira.plugin.devstatus.rest.SummaryBean@7c2aec13[summary={pullrequest=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@7dcba6cc[overall=PullRequestOverallBean{stateCount=0, + state=''OPEN'', details=PullRequestOverallDetails{openCount=0, mergedCount=0, + declinedCount=0}},byInstanceType={}], build=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@7e793ee8[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BuildOverallBean@5ea40a2d[failedBuildCount=0,successfulBuildCount=0,unknownBuildCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + review=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@5fd9329d[overall=com.atlassian.jira.plugin.devstatus.summary.beans.ReviewsOverallBean@4a858aa0[stateCount=0,state=,dueDate=,overDue=false,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + deployment-environment=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@7dbc7366[overall=com.atlassian.jira.plugin.devstatus.summary.beans.DeploymentOverallBean@337fb9e[topEnvironments=[],showProjects=false,successfulCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + repository=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@15ec7cbf[overall=com.atlassian.jira.plugin.devstatus.summary.beans.CommitOverallBean@735a2428[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + branch=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@6d634e66[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BranchOverallBean@51b4a35f[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}]},errors=[],configErrors=[]], + devSummaryJson={\"cachedValue\":{\"errors\":[],\"configErrors\":[],\"summary\":{\"pullrequest\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":\"OPEN\",\"details\":{\"openCount\":0,\"mergedCount\":0,\"declinedCount\":0,\"total\":0},\"open\":true},\"byInstanceType\":{}},\"build\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"failedBuildCount\":0,\"successfulBuildCount\":0,\"unknownBuildCount\":0},\"byInstanceType\":{}},\"review\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":null,\"dueDate\":null,\"overDue\":false,\"completed\":false},\"byInstanceType\":{}},\"deployment-environment\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"topEnvironments\":[],\"showProjects\":false,\"successfulCount\":0},\"byInstanceType\":{}},\"repository\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}},\"branch\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}}}},\"isStale\":false}}", + "resolutiondate": null, "workratio": -1, "customfield_12316840": null, "customfield_12317379": + null, "customfield_12315950": null, "customfield_12316841": null, "customfield_12310940": + null, "customfield_12319040": null, "lastViewed": null, "watches": {"self": + "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-370/watchers", "watchCount": + 1, "isWatching": true}, "created": "2023-10-23T23:58:42.000+0000", "customfield_12321240": + null, "customfield_12313140": null, "priority": {"self": "https://issues.stage.redhat.com/rest/api/2/priority/10300", + "iconUrl": "https://issues.stage.redhat.com/images/icons/priorities/trivial.svg", + "name": "Undefined", "id": "10300"}, "labels": ["flawuuid:2cb38331-b6e4-424f-9466-fb86c719c44e", + "impact:LOW", "major_incident"], "customfield_12320947": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27714", + "value": "Unclassified", "id": "27714", "disabled": false}], "customfield_12320946": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27705", + "value": "False", "id": "27705", "disabled": false}, "aggregatetimeoriginalestimate": + null, "timeestimate": null, "versions": [], "issuelinks": [], "assignee": + null, "updated": "2023-10-23T23:58:42.000+0000", "customfield_12313942": null, + "customfield_12313941": null, "status": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10016", + "description": "Initial creation status. Implies nothing yet and should be + very short lived; also can be a Bugzilla status.", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "New", "id": "10016", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}, "components": + [], "timeoriginalestimate": null, "description": "Description for CVE-2020-0002", + "customfield_12314040": null, "customfield_12320844": null, "customfield_12320842": + null, "customfield_12310243": null, "aggregatetimeestimate": null, "customfield_12316542": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14655", + "value": "False", "id": "14655", "disabled": false}, "customfield_12316543": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14657", + "value": "False", "id": "14657", "disabled": false}, "customfield_12317313": + null, "customfield_12316544": "None", "customfield_12310840": "9223372036854775807", + "summary": "CVE-2020-0002 kernel: some description", "customfield_12323640": + null, "customfield_12323840": null, "customfield_12323642": null, "creator": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12323641": null, "subtasks": [], "customfield_12321140": null, + "customfield_12323647": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/34754", + "value": "en-US (English)", "id": "34754", "disabled": false}], "reporter": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12320850": null, "aggregateprogress": {"progress": 0, "total": + 0}, "customfield_12323644": null, "customfield_12323841": null, "customfield_12323643": + null, "customfield_12323646": null, "customfield_12323645": null, "environment": + null, "customfield_12315542": null, "customfield_12315740": null, "customfield_12313441": + "", "customfield_12313440": "0.0", "customfield_12313240": null, "duedate": + null, "customfield_12311140": null, "customfield_12319742": null, "progress": + {"progress": 0, "total": 0}, "votes": {"self": "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-370/votes", + "votes": 0, "hasVoted": false}, "customfield_12319743": null, "customfield_12310213": + null, "customfield_12311940": "1|zcs0cs:"}}]}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:19 GMT + Expires: + - Mon, 23 Oct 2023 23:59:19 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '17764' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415590x1 + x-asessionid: + - 1ot1lzz + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105559.356ba99b + x-rh-edge-request-id: + - 356ba99b + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: GET + uri: https://squid.corp.redhat.com:3128/rest/api/2/search?jql=PROJECT%3DOSIM+AND+key+in+%28OSIM-369%2C+OSIM-373%2C+OSIM-372%2C+OSIM-374%2C+OSIM-370%2C+OSIM-371%29+ORDER+BY+key+ASC&maxResults=2&startAt=2&validateQuery=True + response: + body: + string: '{"expand": "schema,names", "startAt": 2, "maxResults": 2, "total": + 6, "issues": [{"expand": "operations,versionedRepresentations,editmeta,changelog,renderedFields", + "id": "15544450", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544450", + "key": "OSIM-371", "fields": {"issuetype": {"self": "https://issues.stage.redhat.com/rest/api/2/issuetype/17", + "id": "17", "description": "Created by Jira Software - do not edit or delete. + Issue type for a user story.", "iconUrl": "https://issues.stage.redhat.com/secure/viewavatar?size=xsmall&avatarId=13275&avatarType=issuetype", + "name": "Story", "subtask": false, "avatarId": 13275}, "customfield_12322244": + null, "customfield_12318341": null, "timespent": null, "customfield_12320940": + null, "project": {"self": "https://issues.stage.redhat.com/rest/api/2/project/12337520", + "id": "12337520", "key": "OSIM", "name": "Open Security Issue Manager", "projectTypeKey": + "software", "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/projectavatar?pid=12337520&avatarId=12560", + "24x24": "https://issues.stage.redhat.com/secure/projectavatar?size=small&pid=12337520&avatarId=12560", + "16x16": "https://issues.stage.redhat.com/secure/projectavatar?size=xsmall&pid=12337520&avatarId=12560", + "32x32": "https://issues.stage.redhat.com/secure/projectavatar?size=medium&pid=12337520&avatarId=12560"}}, + "fixVersions": [], "customfield_12320944": null, "aggregatetimespent": null, + "resolution": null, "customfield_12310220": null, "customfield_12314740": + "{summaryBean=com.atlassian.jira.plugin.devstatus.rest.SummaryBean@5f7b53e2[summary={pullrequest=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@10154ad0[overall=PullRequestOverallBean{stateCount=0, + state=''OPEN'', details=PullRequestOverallDetails{openCount=0, mergedCount=0, + declinedCount=0}},byInstanceType={}], build=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@3f113d3c[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BuildOverallBean@568b3c4[failedBuildCount=0,successfulBuildCount=0,unknownBuildCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + review=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@11f192e5[overall=com.atlassian.jira.plugin.devstatus.summary.beans.ReviewsOverallBean@2f510b9d[stateCount=0,state=,dueDate=,overDue=false,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + deployment-environment=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@191f3b96[overall=com.atlassian.jira.plugin.devstatus.summary.beans.DeploymentOverallBean@59a95de2[topEnvironments=[],showProjects=false,successfulCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + repository=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@44528a88[overall=com.atlassian.jira.plugin.devstatus.summary.beans.CommitOverallBean@63787c7c[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + branch=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@35b280e[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BranchOverallBean@100e23ca[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}]},errors=[],configErrors=[]], + devSummaryJson={\"cachedValue\":{\"errors\":[],\"configErrors\":[],\"summary\":{\"pullrequest\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":\"OPEN\",\"details\":{\"openCount\":0,\"mergedCount\":0,\"declinedCount\":0,\"total\":0},\"open\":true},\"byInstanceType\":{}},\"build\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"failedBuildCount\":0,\"successfulBuildCount\":0,\"unknownBuildCount\":0},\"byInstanceType\":{}},\"review\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":null,\"dueDate\":null,\"overDue\":false,\"completed\":false},\"byInstanceType\":{}},\"deployment-environment\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"topEnvironments\":[],\"showProjects\":false,\"successfulCount\":0},\"byInstanceType\":{}},\"repository\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}},\"branch\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}}}},\"isStale\":false}}", + "resolutiondate": null, "workratio": -1, "customfield_12316840": null, "customfield_12317379": + null, "customfield_12315950": null, "customfield_12316841": null, "customfield_12310940": + null, "customfield_12319040": null, "lastViewed": null, "watches": {"self": + "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-371/watchers", "watchCount": + 1, "isWatching": true}, "created": "2023-10-23T23:58:44.000+0000", "customfield_12321240": + null, "customfield_12313140": null, "priority": {"self": "https://issues.stage.redhat.com/rest/api/2/priority/10300", + "iconUrl": "https://issues.stage.redhat.com/images/icons/priorities/trivial.svg", + "name": "Undefined", "id": "10300"}, "labels": ["flawuuid:b1856cd8-47cf-4512-a256-67fee6aedd65", + "impact:LOW", "major_incident"], "customfield_12320947": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27714", + "value": "Unclassified", "id": "27714", "disabled": false}], "customfield_12320946": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27705", + "value": "False", "id": "27705", "disabled": false}, "aggregatetimeoriginalestimate": + null, "timeestimate": null, "versions": [], "issuelinks": [], "assignee": + null, "updated": "2023-10-23T23:58:59.000+0000", "customfield_12313942": null, + "customfield_12313941": null, "status": {"self": "https://issues.stage.redhat.com/rest/api/2/status/15021", + "description": "Work is being scoped and discussed (To Do status category; + see also Draft)", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "Refinement", "id": "15021", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}, "components": + [], "timeoriginalestimate": null, "description": "Description for CVE-2020-0003", + "customfield_12314040": null, "customfield_12320844": null, "customfield_12320842": + null, "customfield_12310243": null, "aggregatetimeestimate": null, "customfield_12316542": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14655", + "value": "False", "id": "14655", "disabled": false}, "customfield_12316543": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14657", + "value": "False", "id": "14657", "disabled": false}, "customfield_12317313": + null, "customfield_12316544": "None", "customfield_12310840": "9223372036854775807", + "summary": "CVE-2020-0003 kernel: some description", "customfield_12323640": + null, "customfield_12323840": null, "customfield_12323642": null, "creator": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12323641": null, "subtasks": [], "customfield_12321140": null, + "customfield_12323647": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/34754", + "value": "en-US (English)", "id": "34754", "disabled": false}], "reporter": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12320850": null, "aggregateprogress": {"progress": 0, "total": + 0}, "customfield_12323644": null, "customfield_12323841": null, "customfield_12323643": + null, "customfield_12323646": null, "customfield_12323645": null, "environment": + null, "customfield_12315542": null, "customfield_12315740": null, "customfield_12313441": + "", "customfield_12313440": "0.0", "customfield_12313240": null, "duedate": + null, "customfield_12311140": null, "customfield_12319742": null, "progress": + {"progress": 0, "total": 0}, "votes": {"self": "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-371/votes", + "votes": 0, "hasVoted": false}, "customfield_12319743": null, "customfield_12310213": + null, "customfield_12311940": "1|zcs0d0:"}}, {"expand": "operations,versionedRepresentations,editmeta,changelog,renderedFields", + "id": "15544451", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544451", + "key": "OSIM-372", "fields": {"issuetype": {"self": "https://issues.stage.redhat.com/rest/api/2/issuetype/17", + "id": "17", "description": "Created by Jira Software - do not edit or delete. + Issue type for a user story.", "iconUrl": "https://issues.stage.redhat.com/secure/viewavatar?size=xsmall&avatarId=13275&avatarType=issuetype", + "name": "Story", "subtask": false, "avatarId": 13275}, "customfield_12322244": + null, "customfield_12318341": null, "timespent": null, "customfield_12320940": + null, "project": {"self": "https://issues.stage.redhat.com/rest/api/2/project/12337520", + "id": "12337520", "key": "OSIM", "name": "Open Security Issue Manager", "projectTypeKey": + "software", "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/projectavatar?pid=12337520&avatarId=12560", + "24x24": "https://issues.stage.redhat.com/secure/projectavatar?size=small&pid=12337520&avatarId=12560", + "16x16": "https://issues.stage.redhat.com/secure/projectavatar?size=xsmall&pid=12337520&avatarId=12560", + "32x32": "https://issues.stage.redhat.com/secure/projectavatar?size=medium&pid=12337520&avatarId=12560"}}, + "fixVersions": [], "customfield_12320944": null, "aggregatetimespent": null, + "resolution": null, "customfield_12310220": null, "customfield_12314740": + "{summaryBean=com.atlassian.jira.plugin.devstatus.rest.SummaryBean@6fdba532[summary={pullrequest=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@6cd8564f[overall=PullRequestOverallBean{stateCount=0, + state=''OPEN'', details=PullRequestOverallDetails{openCount=0, mergedCount=0, + declinedCount=0}},byInstanceType={}], build=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@122acd3c[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BuildOverallBean@3cee9b18[failedBuildCount=0,successfulBuildCount=0,unknownBuildCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + review=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@41b78d75[overall=com.atlassian.jira.plugin.devstatus.summary.beans.ReviewsOverallBean@31dc20cb[stateCount=0,state=,dueDate=,overDue=false,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + deployment-environment=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@755b48e1[overall=com.atlassian.jira.plugin.devstatus.summary.beans.DeploymentOverallBean@3d253b09[topEnvironments=[],showProjects=false,successfulCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + repository=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@4004d5fd[overall=com.atlassian.jira.plugin.devstatus.summary.beans.CommitOverallBean@100e7f4e[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + branch=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@3f3d31ee[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BranchOverallBean@2b54a873[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}]},errors=[],configErrors=[]], + devSummaryJson={\"cachedValue\":{\"errors\":[],\"configErrors\":[],\"summary\":{\"pullrequest\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":\"OPEN\",\"details\":{\"openCount\":0,\"mergedCount\":0,\"declinedCount\":0,\"total\":0},\"open\":true},\"byInstanceType\":{}},\"build\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"failedBuildCount\":0,\"successfulBuildCount\":0,\"unknownBuildCount\":0},\"byInstanceType\":{}},\"review\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":null,\"dueDate\":null,\"overDue\":false,\"completed\":false},\"byInstanceType\":{}},\"deployment-environment\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"topEnvironments\":[],\"showProjects\":false,\"successfulCount\":0},\"byInstanceType\":{}},\"repository\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}},\"branch\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}}}},\"isStale\":false}}", + "resolutiondate": null, "workratio": -1, "customfield_12316840": null, "customfield_12317379": + null, "customfield_12315950": null, "customfield_12316841": null, "customfield_12310940": + null, "customfield_12319040": null, "lastViewed": null, "watches": {"self": + "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-372/watchers", "watchCount": + 1, "isWatching": true}, "created": "2023-10-23T23:59:00.000+0000", "customfield_12321240": + null, "customfield_12313140": null, "priority": {"self": "https://issues.stage.redhat.com/rest/api/2/priority/10300", + "iconUrl": "https://issues.stage.redhat.com/images/icons/priorities/trivial.svg", + "name": "Undefined", "id": "10300"}, "labels": ["flawuuid:389158fd-c67a-47b7-a8e5-bbc19c5dd3fd", + "impact:MODERATE", "major_incident"], "customfield_12320947": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27714", + "value": "Unclassified", "id": "27714", "disabled": false}], "customfield_12320946": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27705", + "value": "False", "id": "27705", "disabled": false}, "aggregatetimeoriginalestimate": + null, "timeestimate": null, "versions": [], "issuelinks": [], "assignee": + null, "updated": "2023-10-23T23:59:09.000+0000", "customfield_12313942": null, + "customfield_12313941": null, "status": {"self": "https://issues.stage.redhat.com/rest/api/2/status/15021", + "description": "Work is being scoped and discussed (To Do status category; + see also Draft)", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "Refinement", "id": "15021", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}, "components": + [], "timeoriginalestimate": null, "description": "Description for CVE-2020-0004", + "customfield_12314040": null, "customfield_12320844": null, "customfield_12320842": + null, "customfield_12310243": null, "aggregatetimeestimate": null, "customfield_12316542": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14655", + "value": "False", "id": "14655", "disabled": false}, "customfield_12316543": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14657", + "value": "False", "id": "14657", "disabled": false}, "customfield_12317313": + null, "customfield_12316544": "None", "customfield_12310840": "9223372036854775807", + "summary": "CVE-2020-0004 kernel: some description", "customfield_12323640": + null, "customfield_12323840": null, "customfield_12323642": null, "creator": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12323641": null, "subtasks": [], "customfield_12321140": null, + "customfield_12323647": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/34754", + "value": "en-US (English)", "id": "34754", "disabled": false}], "reporter": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12320850": null, "aggregateprogress": {"progress": 0, "total": + 0}, "customfield_12323644": null, "customfield_12323841": null, "customfield_12323643": + null, "customfield_12323646": null, "customfield_12323645": null, "environment": + null, "customfield_12315542": null, "customfield_12315740": null, "customfield_12313441": + "", "customfield_12313440": "0.0", "customfield_12313240": {"id": 4077, "name": + "osidb_test_team"}, "duedate": null, "customfield_12311140": null, "customfield_12319742": + null, "progress": {"progress": 0, "total": 0}, "votes": {"self": "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-372/votes", + "votes": 0, "hasVoted": false}, "customfield_12319743": null, "customfield_12310213": + null, "customfield_12311940": "1|zcs0d8:"}}]}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:19 GMT + Expires: + - Mon, 23 Oct 2023 23:59:19 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '17710' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415592x1 + x-asessionid: + - 64hpf0 + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105559.356bb2a2 + x-rh-edge-request-id: + - 356bb2a2 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 200 + message: OK +version: 1 diff --git a/apps/taskman/tests/cassettes/test_api/TestTaskmanAPI.test_task_update.yaml b/apps/taskman/tests/cassettes/test_api/TestTaskmanAPI.test_task_update.yaml new file mode 100644 index 000000000..a5d6b3586 --- /dev/null +++ b/apps/taskman/tests/cassettes/test_api/TestTaskmanAPI.test_task_update.yaml @@ -0,0 +1,1265 @@ +interactions: +- request: + body: '{"fields": {"issuetype": {"name": "Story"}, "project": {"key": "OSIM"}, + "description": "Description for CVE-2020-00010", "labels": ["flawuuid:5346463e-f233-4527-a807-a668b116f0be", + "impact:IMPORTANT", "major_incident", "flawuuid:5346463e-f233-4527-a807-a668b116f0be", + "impact:IMPORTANT"], "summary": "CVE-2020-00010 kernel: some description"}}' + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Length: + - '343' + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: POST + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue + response: + body: + string: '{"id": "15544457", "key": "OSIM-378", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544457"}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - close + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:43 GMT + Expires: + - Mon, 23 Oct 2023 23:59:43 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '101' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415621x1 + x-asessionid: + - oy4isx + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105583.356d81c8 + x-rh-edge-request-id: + - 356d81c8 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 201 + message: Created +- request: + body: null + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: GET + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-378 + response: + body: + string: '{"expand": "renderedFields,names,schema,operations,editmeta,changelog,versionedRepresentations", + "id": "15544457", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544457", + "key": "OSIM-378", "fields": {"issuetype": {"self": "https://issues.stage.redhat.com/rest/api/2/issuetype/17", + "id": "17", "description": "Created by Jira Software - do not edit or delete. + Issue type for a user story.", "iconUrl": "https://issues.stage.redhat.com/secure/viewavatar?size=xsmall&avatarId=13275&avatarType=issuetype", + "name": "Story", "subtask": false, "avatarId": 13275}, "customfield_12322244": + null, "customfield_12318341": null, "timespent": null, "customfield_12320940": + null, "project": {"self": "https://issues.stage.redhat.com/rest/api/2/project/12337520", + "id": "12337520", "key": "OSIM", "name": "Open Security Issue Manager", "projectTypeKey": + "software", "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/projectavatar?pid=12337520&avatarId=12560", + "24x24": "https://issues.stage.redhat.com/secure/projectavatar?size=small&pid=12337520&avatarId=12560", + "16x16": "https://issues.stage.redhat.com/secure/projectavatar?size=xsmall&pid=12337520&avatarId=12560", + "32x32": "https://issues.stage.redhat.com/secure/projectavatar?size=medium&pid=12337520&avatarId=12560"}}, + "fixVersions": [], "customfield_12320944": null, "aggregatetimespent": null, + "resolution": null, "customfield_12310220": null, "customfield_12314740": + "{summaryBean=com.atlassian.jira.plugin.devstatus.rest.SummaryBean@176c398a[summary={pullrequest=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@30f2ab72[overall=PullRequestOverallBean{stateCount=0, + state=''OPEN'', details=PullRequestOverallDetails{openCount=0, mergedCount=0, + declinedCount=0}},byInstanceType={}], build=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@62261bb9[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BuildOverallBean@47aa95b4[failedBuildCount=0,successfulBuildCount=0,unknownBuildCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + review=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@608b10ee[overall=com.atlassian.jira.plugin.devstatus.summary.beans.ReviewsOverallBean@726f1adb[stateCount=0,state=,dueDate=,overDue=false,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + deployment-environment=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@20462cfc[overall=com.atlassian.jira.plugin.devstatus.summary.beans.DeploymentOverallBean@33d21a75[topEnvironments=[],showProjects=false,successfulCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + repository=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@b666081[overall=com.atlassian.jira.plugin.devstatus.summary.beans.CommitOverallBean@1551af4[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + branch=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@1065e7ee[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BranchOverallBean@33474625[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}]},errors=[],configErrors=[]], + devSummaryJson={\"cachedValue\":{\"errors\":[],\"configErrors\":[],\"summary\":{\"pullrequest\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":\"OPEN\",\"details\":{\"openCount\":0,\"mergedCount\":0,\"declinedCount\":0,\"total\":0},\"open\":true},\"byInstanceType\":{}},\"build\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"failedBuildCount\":0,\"successfulBuildCount\":0,\"unknownBuildCount\":0},\"byInstanceType\":{}},\"review\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":null,\"dueDate\":null,\"overDue\":false,\"completed\":false},\"byInstanceType\":{}},\"deployment-environment\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"topEnvironments\":[],\"showProjects\":false,\"successfulCount\":0},\"byInstanceType\":{}},\"repository\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}},\"branch\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}}}},\"isStale\":false}}", + "resolutiondate": null, "workratio": -1, "customfield_12316840": null, "customfield_12317379": + null, "customfield_12315950": null, "customfield_12316841": null, "customfield_12310940": + null, "customfield_12319040": null, "lastViewed": null, "watches": {"self": + "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-378/watchers", "watchCount": + 1, "isWatching": true}, "created": "2023-10-23T23:59:42.539+0000", "customfield_12321240": + null, "customfield_12313140": null, "priority": {"self": "https://issues.stage.redhat.com/rest/api/2/priority/10300", + "iconUrl": "https://issues.stage.redhat.com/images/icons/priorities/trivial.svg", + "name": "Undefined", "id": "10300"}, "labels": ["flawuuid:5346463e-f233-4527-a807-a668b116f0be", + "impact:IMPORTANT", "major_incident"], "customfield_12320947": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27714", + "value": "Unclassified", "id": "27714", "disabled": false}], "customfield_12320946": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27705", + "value": "False", "id": "27705", "disabled": false}, "aggregatetimeoriginalestimate": + null, "timeestimate": null, "versions": [], "issuelinks": [], "assignee": + null, "updated": "2023-10-23T23:59:42.539+0000", "customfield_12313942": null, + "customfield_12313941": null, "status": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10016", + "description": "Initial creation status. Implies nothing yet and should be + very short lived; also can be a Bugzilla status.", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "New", "id": "10016", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}, "components": + [], "timeoriginalestimate": null, "description": "Description for CVE-2020-00010", + "customfield_12314040": null, "customfield_12320844": null, "archiveddate": + null, "timetracking": {}, "customfield_12320842": null, "customfield_12310243": + null, "attachment": [], "aggregatetimeestimate": null, "customfield_12316542": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14655", + "value": "False", "id": "14655", "disabled": false}, "customfield_12316543": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14657", + "value": "False", "id": "14657", "disabled": false}, "customfield_12317313": + null, "customfield_12316544": "None", "customfield_12310840": "9223372036854775807", + "summary": "CVE-2020-00010 kernel: some description", "customfield_12323640": + null, "customfield_12323840": null, "customfield_12323642": null, "creator": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12323641": null, "subtasks": [], "customfield_12321140": null, + "customfield_12323647": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/34754", + "value": "en-US (English)", "id": "34754", "disabled": false}], "reporter": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12320850": null, "aggregateprogress": {"progress": 0, "total": + 0}, "customfield_12323644": null, "customfield_12323841": null, "customfield_12323643": + null, "customfield_12323646": null, "customfield_12323645": null, "environment": + null, "customfield_12315542": null, "customfield_12315740": null, "customfield_12313441": + "", "customfield_12313440": "0.0", "customfield_12313240": null, "duedate": + null, "customfield_12311140": null, "customfield_12319742": null, "progress": + {"progress": 0, "total": 0}, "comment": {"comments": [], "maxResults": 0, + "total": 0, "startAt": 0}, "votes": {"self": "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-378/votes", + "votes": 0, "hasVoted": false}, "worklog": {"startAt": 0, "maxResults": 20, + "total": 0, "worklogs": []}, "customfield_12319743": null, "customfield_12310213": + null, "archivedby": null, "customfield_12311940": "1|zcs0ek:"}}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:50 GMT + Expires: + - Mon, 23 Oct 2023 23:59:50 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '9044' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415629x1 + x-asessionid: + - 1uhmsin + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105590.356e4392 + x-rh-edge-request-id: + - 356e4392 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 200 + message: OK +- request: + body: '{"fields": {"issuetype": {"name": "Story"}, "project": {"key": "OSIM"}, + "description": "custom description for test", "labels": ["flawuuid:5346463e-f233-4527-a807-a668b116f0be", + "impact:IMPORTANT", "major_incident", "flawuuid:5346463e-f233-4527-a807-a668b116f0be", + "impact:IMPORTANT"], "summary": "CVE-2020-00010 kernel: some description"}}' + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Length: + - '340' + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: PUT + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-378 + response: + body: + string: '' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:51 GMT + Expires: + - Mon, 23 Oct 2023 23:59:51 GMT + Pragma: + - no-cache + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415630x1 + x-asessionid: + - 1qh7606 + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105591.356e467a + x-rh-edge-request-id: + - 356e467a + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 204 + message: No Content +- request: + body: null + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: GET + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-378 + response: + body: + string: '{"expand": "renderedFields,names,schema,operations,editmeta,changelog,versionedRepresentations", + "id": "15544457", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544457", + "key": "OSIM-378", "fields": {"issuetype": {"self": "https://issues.stage.redhat.com/rest/api/2/issuetype/17", + "id": "17", "description": "Created by Jira Software - do not edit or delete. + Issue type for a user story.", "iconUrl": "https://issues.stage.redhat.com/secure/viewavatar?size=xsmall&avatarId=13275&avatarType=issuetype", + "name": "Story", "subtask": false, "avatarId": 13275}, "customfield_12322244": + null, "customfield_12318341": null, "timespent": null, "customfield_12320940": + null, "project": {"self": "https://issues.stage.redhat.com/rest/api/2/project/12337520", + "id": "12337520", "key": "OSIM", "name": "Open Security Issue Manager", "projectTypeKey": + "software", "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/projectavatar?pid=12337520&avatarId=12560", + "24x24": "https://issues.stage.redhat.com/secure/projectavatar?size=small&pid=12337520&avatarId=12560", + "16x16": "https://issues.stage.redhat.com/secure/projectavatar?size=xsmall&pid=12337520&avatarId=12560", + "32x32": "https://issues.stage.redhat.com/secure/projectavatar?size=medium&pid=12337520&avatarId=12560"}}, + "fixVersions": [], "customfield_12320944": null, "aggregatetimespent": null, + "resolution": null, "customfield_12310220": null, "customfield_12314740": + "{summaryBean=com.atlassian.jira.plugin.devstatus.rest.SummaryBean@f7ce499[summary={pullrequest=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@1a3311b6[overall=PullRequestOverallBean{stateCount=0, + state=''OPEN'', details=PullRequestOverallDetails{openCount=0, mergedCount=0, + declinedCount=0}},byInstanceType={}], build=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@3ab3f156[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BuildOverallBean@388ff917[failedBuildCount=0,successfulBuildCount=0,unknownBuildCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + review=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@599d415e[overall=com.atlassian.jira.plugin.devstatus.summary.beans.ReviewsOverallBean@17adb359[stateCount=0,state=,dueDate=,overDue=false,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + deployment-environment=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@32b1d9bb[overall=com.atlassian.jira.plugin.devstatus.summary.beans.DeploymentOverallBean@75b1c9bb[topEnvironments=[],showProjects=false,successfulCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + repository=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@4615f1e2[overall=com.atlassian.jira.plugin.devstatus.summary.beans.CommitOverallBean@3cd8a502[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + branch=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@98df23[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BranchOverallBean@7b1f329a[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}]},errors=[],configErrors=[]], + devSummaryJson={\"cachedValue\":{\"errors\":[],\"configErrors\":[],\"summary\":{\"pullrequest\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":\"OPEN\",\"details\":{\"openCount\":0,\"mergedCount\":0,\"declinedCount\":0,\"total\":0},\"open\":true},\"byInstanceType\":{}},\"build\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"failedBuildCount\":0,\"successfulBuildCount\":0,\"unknownBuildCount\":0},\"byInstanceType\":{}},\"review\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":null,\"dueDate\":null,\"overDue\":false,\"completed\":false},\"byInstanceType\":{}},\"deployment-environment\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"topEnvironments\":[],\"showProjects\":false,\"successfulCount\":0},\"byInstanceType\":{}},\"repository\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}},\"branch\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}}}},\"isStale\":false}}", + "resolutiondate": null, "workratio": -1, "customfield_12316840": null, "customfield_12317379": + null, "customfield_12315950": null, "customfield_12316841": null, "customfield_12310940": + null, "customfield_12319040": null, "lastViewed": null, "watches": {"self": + "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-378/watchers", "watchCount": + 1, "isWatching": true}, "created": "2023-10-23T23:59:42.539+0000", "customfield_12321240": + null, "customfield_12313140": null, "priority": {"self": "https://issues.stage.redhat.com/rest/api/2/priority/10300", + "iconUrl": "https://issues.stage.redhat.com/images/icons/priorities/trivial.svg", + "name": "Undefined", "id": "10300"}, "labels": ["flawuuid:5346463e-f233-4527-a807-a668b116f0be", + "impact:IMPORTANT", "major_incident"], "customfield_12320947": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27714", + "value": "Unclassified", "id": "27714", "disabled": false}], "customfield_12320946": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27705", + "value": "False", "id": "27705", "disabled": false}, "aggregatetimeoriginalestimate": + null, "timeestimate": null, "versions": [], "issuelinks": [], "assignee": + null, "updated": "2023-10-23T23:59:50.680+0000", "customfield_12313942": null, + "customfield_12313941": null, "status": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10016", + "description": "Initial creation status. Implies nothing yet and should be + very short lived; also can be a Bugzilla status.", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "New", "id": "10016", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}, "components": + [], "timeoriginalestimate": null, "description": "custom description for test", + "customfield_12314040": null, "customfield_12320844": null, "archiveddate": + null, "timetracking": {}, "customfield_12320842": null, "customfield_12310243": + null, "attachment": [], "aggregatetimeestimate": null, "customfield_12316542": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14655", + "value": "False", "id": "14655", "disabled": false}, "customfield_12316543": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14657", + "value": "False", "id": "14657", "disabled": false}, "customfield_12317313": + null, "customfield_12316544": "None", "customfield_12310840": "9223372036854775807", + "summary": "CVE-2020-00010 kernel: some description", "customfield_12323640": + null, "customfield_12323840": null, "customfield_12323642": null, "creator": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12323641": null, "subtasks": [], "customfield_12321140": null, + "customfield_12323647": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/34754", + "value": "en-US (English)", "id": "34754", "disabled": false}], "reporter": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12320850": null, "aggregateprogress": {"progress": 0, "total": + 0}, "customfield_12323644": null, "customfield_12323841": null, "customfield_12323643": + null, "customfield_12323646": null, "customfield_12323645": null, "environment": + null, "customfield_12315542": null, "customfield_12315740": null, "customfield_12313441": + "", "customfield_12313440": "0.0", "customfield_12313240": null, "duedate": + null, "customfield_12311140": null, "customfield_12319742": null, "progress": + {"progress": 0, "total": 0}, "comment": {"comments": [], "maxResults": 0, + "total": 0, "startAt": 0}, "votes": {"self": "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-378/votes", + "votes": 0, "hasVoted": false}, "worklog": {"startAt": 0, "maxResults": 20, + "total": 0, "worklogs": []}, "customfield_12319743": null, "customfield_12310213": + null, "archivedby": null, "customfield_12311940": "1|zcs0ek:"}}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:51 GMT + Expires: + - Mon, 23 Oct 2023 23:59:51 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '9040' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415631x1 + x-asessionid: + - 1k8ji1o + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105591.356e58e8 + x-rh-edge-request-id: + - 356e58e8 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: GET + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-378 + response: + body: + string: '{"expand": "renderedFields,names,schema,operations,editmeta,changelog,versionedRepresentations", + "id": "15544457", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544457", + "key": "OSIM-378", "fields": {"issuetype": {"self": "https://issues.stage.redhat.com/rest/api/2/issuetype/17", + "id": "17", "description": "Created by Jira Software - do not edit or delete. + Issue type for a user story.", "iconUrl": "https://issues.stage.redhat.com/secure/viewavatar?size=xsmall&avatarId=13275&avatarType=issuetype", + "name": "Story", "subtask": false, "avatarId": 13275}, "customfield_12322244": + null, "customfield_12318341": null, "timespent": null, "customfield_12320940": + null, "project": {"self": "https://issues.stage.redhat.com/rest/api/2/project/12337520", + "id": "12337520", "key": "OSIM", "name": "Open Security Issue Manager", "projectTypeKey": + "software", "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/projectavatar?pid=12337520&avatarId=12560", + "24x24": "https://issues.stage.redhat.com/secure/projectavatar?size=small&pid=12337520&avatarId=12560", + "16x16": "https://issues.stage.redhat.com/secure/projectavatar?size=xsmall&pid=12337520&avatarId=12560", + "32x32": "https://issues.stage.redhat.com/secure/projectavatar?size=medium&pid=12337520&avatarId=12560"}}, + "fixVersions": [], "customfield_12320944": null, "aggregatetimespent": null, + "resolution": null, "customfield_12310220": null, "customfield_12314740": + "{summaryBean=com.atlassian.jira.plugin.devstatus.rest.SummaryBean@320f7d99[summary={pullrequest=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@14d71fed[overall=PullRequestOverallBean{stateCount=0, + state=''OPEN'', details=PullRequestOverallDetails{openCount=0, mergedCount=0, + declinedCount=0}},byInstanceType={}], build=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@199543c6[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BuildOverallBean@35111f6e[failedBuildCount=0,successfulBuildCount=0,unknownBuildCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + review=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@600f5d80[overall=com.atlassian.jira.plugin.devstatus.summary.beans.ReviewsOverallBean@48e7769b[stateCount=0,state=,dueDate=,overDue=false,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + deployment-environment=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@7bdf8732[overall=com.atlassian.jira.plugin.devstatus.summary.beans.DeploymentOverallBean@46081d48[topEnvironments=[],showProjects=false,successfulCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + repository=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@5cf1bb54[overall=com.atlassian.jira.plugin.devstatus.summary.beans.CommitOverallBean@2fd15dff[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + branch=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@2830b920[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BranchOverallBean@2e541333[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}]},errors=[],configErrors=[]], + devSummaryJson={\"cachedValue\":{\"errors\":[],\"configErrors\":[],\"summary\":{\"pullrequest\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":\"OPEN\",\"details\":{\"openCount\":0,\"mergedCount\":0,\"declinedCount\":0,\"total\":0},\"open\":true},\"byInstanceType\":{}},\"build\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"failedBuildCount\":0,\"successfulBuildCount\":0,\"unknownBuildCount\":0},\"byInstanceType\":{}},\"review\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":null,\"dueDate\":null,\"overDue\":false,\"completed\":false},\"byInstanceType\":{}},\"deployment-environment\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"topEnvironments\":[],\"showProjects\":false,\"successfulCount\":0},\"byInstanceType\":{}},\"repository\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}},\"branch\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}}}},\"isStale\":false}}", + "resolutiondate": null, "workratio": -1, "customfield_12316840": null, "customfield_12317379": + null, "customfield_12315950": null, "customfield_12316841": null, "customfield_12310940": + null, "customfield_12319040": null, "lastViewed": null, "watches": {"self": + "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-378/watchers", "watchCount": + 1, "isWatching": true}, "created": "2023-10-23T23:59:42.539+0000", "customfield_12321240": + null, "customfield_12313140": null, "priority": {"self": "https://issues.stage.redhat.com/rest/api/2/priority/10300", + "iconUrl": "https://issues.stage.redhat.com/images/icons/priorities/trivial.svg", + "name": "Undefined", "id": "10300"}, "labels": ["flawuuid:5346463e-f233-4527-a807-a668b116f0be", + "impact:IMPORTANT", "major_incident"], "customfield_12320947": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27714", + "value": "Unclassified", "id": "27714", "disabled": false}], "customfield_12320946": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27705", + "value": "False", "id": "27705", "disabled": false}, "aggregatetimeoriginalestimate": + null, "timeestimate": null, "versions": [], "issuelinks": [], "assignee": + null, "updated": "2023-10-23T23:59:50.680+0000", "customfield_12313942": null, + "customfield_12313941": null, "status": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10016", + "description": "Initial creation status. Implies nothing yet and should be + very short lived; also can be a Bugzilla status.", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "New", "id": "10016", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}, "components": + [], "timeoriginalestimate": null, "description": "custom description for test", + "customfield_12314040": null, "customfield_12320844": null, "archiveddate": + null, "timetracking": {}, "customfield_12320842": null, "customfield_12310243": + null, "attachment": [], "aggregatetimeestimate": null, "customfield_12316542": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14655", + "value": "False", "id": "14655", "disabled": false}, "customfield_12316543": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14657", + "value": "False", "id": "14657", "disabled": false}, "customfield_12317313": + null, "customfield_12316544": "None", "customfield_12310840": "9223372036854775807", + "summary": "CVE-2020-00010 kernel: some description", "customfield_12323640": + null, "customfield_12323840": null, "customfield_12323642": null, "creator": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12323641": null, "subtasks": [], "customfield_12321140": null, + "customfield_12323647": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/34754", + "value": "en-US (English)", "id": "34754", "disabled": false}], "reporter": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12320850": null, "aggregateprogress": {"progress": 0, "total": + 0}, "customfield_12323644": null, "customfield_12323841": null, "customfield_12323643": + null, "customfield_12323646": null, "customfield_12323645": null, "environment": + null, "customfield_12315542": null, "customfield_12315740": null, "customfield_12313441": + "", "customfield_12313440": "0.0", "customfield_12313240": null, "duedate": + null, "customfield_12311140": null, "customfield_12319742": null, "progress": + {"progress": 0, "total": 0}, "comment": {"comments": [], "maxResults": 0, + "total": 0, "startAt": 0}, "votes": {"self": "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-378/votes", + "votes": 0, "hasVoted": false}, "worklog": {"startAt": 0, "maxResults": 20, + "total": 0, "worklogs": []}, "customfield_12319743": null, "customfield_12310213": + null, "archivedby": null, "customfield_12311940": "1|zcs0ek:"}}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:51 GMT + Expires: + - Mon, 23 Oct 2023 23:59:51 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '9043' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415632x1 + x-asessionid: + - 19ctbfl + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105591.356e5d37 + x-rh-edge-request-id: + - 356e5d37 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 200 + message: OK +- request: + body: '{"fields": {"issuetype": {"name": "Story"}, "project": {"key": "OSIM"}, + "description": "custom description for test", "labels": ["flawuuid:5346463e-f233-4527-a807-a668b116f0be", + "impact:IMPORTANT", "major_incident", "flawuuid:5346463e-f233-4527-a807-a668b116f0be", + "impact:IMPORTANT"], "summary": "CVE-2020-00010 kernel: some description", "customfield_12313240": + "4077"}}' + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Length: + - '372' + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: PUT + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-378 + response: + body: + string: '' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:52 GMT + Expires: + - Mon, 23 Oct 2023 23:59:52 GMT + Pragma: + - no-cache + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415633x1 + x-asessionid: + - 1otuz3m + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105592.356e6185 + x-rh-edge-request-id: + - 356e6185 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 204 + message: No Content +- request: + body: null + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: GET + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-378 + response: + body: + string: '{"expand": "renderedFields,names,schema,operations,editmeta,changelog,versionedRepresentations", + "id": "15544457", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544457", + "key": "OSIM-378", "fields": {"issuetype": {"self": "https://issues.stage.redhat.com/rest/api/2/issuetype/17", + "id": "17", "description": "Created by Jira Software - do not edit or delete. + Issue type for a user story.", "iconUrl": "https://issues.stage.redhat.com/secure/viewavatar?size=xsmall&avatarId=13275&avatarType=issuetype", + "name": "Story", "subtask": false, "avatarId": 13275}, "customfield_12322244": + null, "customfield_12318341": null, "timespent": null, "customfield_12320940": + null, "project": {"self": "https://issues.stage.redhat.com/rest/api/2/project/12337520", + "id": "12337520", "key": "OSIM", "name": "Open Security Issue Manager", "projectTypeKey": + "software", "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/projectavatar?pid=12337520&avatarId=12560", + "24x24": "https://issues.stage.redhat.com/secure/projectavatar?size=small&pid=12337520&avatarId=12560", + "16x16": "https://issues.stage.redhat.com/secure/projectavatar?size=xsmall&pid=12337520&avatarId=12560", + "32x32": "https://issues.stage.redhat.com/secure/projectavatar?size=medium&pid=12337520&avatarId=12560"}}, + "fixVersions": [], "customfield_12320944": null, "aggregatetimespent": null, + "resolution": null, "customfield_12310220": null, "customfield_12314740": + "{summaryBean=com.atlassian.jira.plugin.devstatus.rest.SummaryBean@7b8b3d1a[summary={pullrequest=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@4be6ef3c[overall=PullRequestOverallBean{stateCount=0, + state=''OPEN'', details=PullRequestOverallDetails{openCount=0, mergedCount=0, + declinedCount=0}},byInstanceType={}], build=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@2ce4587b[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BuildOverallBean@5007cdd4[failedBuildCount=0,successfulBuildCount=0,unknownBuildCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + review=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@93c8380[overall=com.atlassian.jira.plugin.devstatus.summary.beans.ReviewsOverallBean@29831a68[stateCount=0,state=,dueDate=,overDue=false,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + deployment-environment=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@27aaa8a3[overall=com.atlassian.jira.plugin.devstatus.summary.beans.DeploymentOverallBean@49adb8ef[topEnvironments=[],showProjects=false,successfulCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + repository=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@246002d9[overall=com.atlassian.jira.plugin.devstatus.summary.beans.CommitOverallBean@15810c67[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + branch=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@679c41c4[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BranchOverallBean@4352e718[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}]},errors=[],configErrors=[]], + devSummaryJson={\"cachedValue\":{\"errors\":[],\"configErrors\":[],\"summary\":{\"pullrequest\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":\"OPEN\",\"details\":{\"openCount\":0,\"mergedCount\":0,\"declinedCount\":0,\"total\":0},\"open\":true},\"byInstanceType\":{}},\"build\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"failedBuildCount\":0,\"successfulBuildCount\":0,\"unknownBuildCount\":0},\"byInstanceType\":{}},\"review\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":null,\"dueDate\":null,\"overDue\":false,\"completed\":false},\"byInstanceType\":{}},\"deployment-environment\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"topEnvironments\":[],\"showProjects\":false,\"successfulCount\":0},\"byInstanceType\":{}},\"repository\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}},\"branch\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}}}},\"isStale\":false}}", + "resolutiondate": null, "workratio": -1, "customfield_12316840": null, "customfield_12317379": + null, "customfield_12315950": null, "customfield_12316841": null, "customfield_12310940": + null, "customfield_12319040": null, "lastViewed": null, "watches": {"self": + "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-378/watchers", "watchCount": + 1, "isWatching": true}, "created": "2023-10-23T23:59:42.539+0000", "customfield_12321240": + null, "customfield_12313140": null, "priority": {"self": "https://issues.stage.redhat.com/rest/api/2/priority/10300", + "iconUrl": "https://issues.stage.redhat.com/images/icons/priorities/trivial.svg", + "name": "Undefined", "id": "10300"}, "labels": ["flawuuid:5346463e-f233-4527-a807-a668b116f0be", + "impact:IMPORTANT", "major_incident"], "customfield_12320947": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27714", + "value": "Unclassified", "id": "27714", "disabled": false}], "customfield_12320946": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27705", + "value": "False", "id": "27705", "disabled": false}, "aggregatetimeoriginalestimate": + null, "timeestimate": null, "versions": [], "issuelinks": [], "assignee": + null, "updated": "2023-10-23T23:59:52.066+0000", "customfield_12313942": null, + "customfield_12313941": null, "status": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10016", + "description": "Initial creation status. Implies nothing yet and should be + very short lived; also can be a Bugzilla status.", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "New", "id": "10016", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}, "components": + [], "timeoriginalestimate": null, "description": "custom description for test", + "customfield_12314040": null, "customfield_12320844": null, "archiveddate": + null, "timetracking": {}, "customfield_12320842": null, "customfield_12310243": + null, "attachment": [], "aggregatetimeestimate": null, "customfield_12316542": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14655", + "value": "False", "id": "14655", "disabled": false}, "customfield_12316543": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14657", + "value": "False", "id": "14657", "disabled": false}, "customfield_12317313": + null, "customfield_12316544": "None", "customfield_12310840": "9223372036854775807", + "summary": "CVE-2020-00010 kernel: some description", "customfield_12323640": + null, "customfield_12323840": null, "customfield_12323642": null, "creator": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12323641": null, "subtasks": [], "customfield_12321140": null, + "customfield_12323647": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/34754", + "value": "en-US (English)", "id": "34754", "disabled": false}], "reporter": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12320850": null, "aggregateprogress": {"progress": 0, "total": + 0}, "customfield_12323644": null, "customfield_12323841": null, "customfield_12323643": + null, "customfield_12323646": null, "customfield_12323645": null, "environment": + null, "customfield_12315542": null, "customfield_12315740": null, "customfield_12313441": + "", "customfield_12313440": "0.0", "customfield_12313240": {"id": 4077, "name": + "osidb_test_team"}, "duedate": null, "customfield_12311140": null, "customfield_12319742": + null, "progress": {"progress": 0, "total": 0}, "comment": {"comments": [], + "maxResults": 0, "total": 0, "startAt": 0}, "votes": {"self": "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-378/votes", + "votes": 0, "hasVoted": false}, "worklog": {"startAt": 0, "maxResults": 20, + "total": 0, "worklogs": []}, "customfield_12319743": null, "customfield_12310213": + null, "archivedby": null, "customfield_12311940": "1|zcs0ek:"}}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:52 GMT + Expires: + - Mon, 23 Oct 2023 23:59:52 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '9074' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415634x1 + x-asessionid: + - 2996o1 + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105592.356e7aee + x-rh-edge-request-id: + - 356e7aee + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: GET + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-378/transitions + response: + body: + string: '{"expand": "transitions", "transitions": [{"id": "51", "name": "New", + "opsbarSequence": 10, "to": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10016", + "description": "Initial creation status. Implies nothing yet and should be + very short lived; also can be a Bugzilla status.", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "New", "id": "10016", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}}, {"id": + "61", "name": "Refinement", "opsbarSequence": 20, "to": {"self": "https://issues.stage.redhat.com/rest/api/2/status/15021", + "description": "Work is being scoped and discussed (To Do status category; + see also Draft)", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "Refinement", "id": "15021", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}}, {"id": + "31", "name": "In Progress", "opsbarSequence": 30, "to": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10018", + "description": "Work has started", "iconUrl": "https://issues.stage.redhat.com/images/icons/status_generic.gif", + "name": "In Progress", "id": "10018", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/4", + "id": 4, "key": "indeterminate", "colorName": "inprogress", "name": "In Progress"}}}, + {"id": "41", "name": "Closed", "opsbarSequence": 40, "to": {"self": "https://issues.stage.redhat.com/rest/api/2/status/6", + "description": "The issue is closed. See the resolution for context regarding + why (for example Done, Abandoned, Duplicate, etc)", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/closed.png", + "name": "Closed", "id": "6", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/3", + "id": 3, "key": "done", "colorName": "success", "name": "Done"}}}]}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:52 GMT + Expires: + - Mon, 23 Oct 2023 23:59:52 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '1920' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415635x1 + x-asessionid: + - ndqccn + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105592.356e7f49 + x-rh-edge-request-id: + - 356e7f49 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 200 + message: OK +- request: + body: '{"transition": {"id": "41"}, "fields": {"resolution": {"name": "Done"}}}' + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Length: + - '72' + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: POST + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-378/transitions + response: + body: + string: '' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:53 GMT + Expires: + - Mon, 23 Oct 2023 23:59:53 GMT + Pragma: + - no-cache + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415636x1 + x-asessionid: + - 5ic2ll + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105593.356e81c1 + x-rh-edge-request-id: + - 356e81c1 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 204 + message: No Content +- request: + body: null + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: GET + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-378 + response: + body: + string: '{"expand": "renderedFields,names,schema,operations,editmeta,changelog,versionedRepresentations", + "id": "15544457", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544457", + "key": "OSIM-378", "fields": {"issuetype": {"self": "https://issues.stage.redhat.com/rest/api/2/issuetype/17", + "id": "17", "description": "Created by Jira Software - do not edit or delete. + Issue type for a user story.", "iconUrl": "https://issues.stage.redhat.com/secure/viewavatar?size=xsmall&avatarId=13275&avatarType=issuetype", + "name": "Story", "subtask": false, "avatarId": 13275}, "customfield_12322244": + null, "customfield_12318341": null, "timespent": null, "customfield_12320940": + null, "project": {"self": "https://issues.stage.redhat.com/rest/api/2/project/12337520", + "id": "12337520", "key": "OSIM", "name": "Open Security Issue Manager", "projectTypeKey": + "software", "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/projectavatar?pid=12337520&avatarId=12560", + "24x24": "https://issues.stage.redhat.com/secure/projectavatar?size=small&pid=12337520&avatarId=12560", + "16x16": "https://issues.stage.redhat.com/secure/projectavatar?size=xsmall&pid=12337520&avatarId=12560", + "32x32": "https://issues.stage.redhat.com/secure/projectavatar?size=medium&pid=12337520&avatarId=12560"}}, + "fixVersions": [], "customfield_12320944": null, "aggregatetimespent": null, + "resolution": {"self": "https://issues.stage.redhat.com/rest/api/2/resolution/1", + "id": "1", "description": "This issue is closed, and complete.", "name": "Done"}, + "customfield_12310220": null, "customfield_12314740": "{summaryBean=com.atlassian.jira.plugin.devstatus.rest.SummaryBean@2ed8b084[summary={pullrequest=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@2dfbe9b5[overall=PullRequestOverallBean{stateCount=0, + state=''OPEN'', details=PullRequestOverallDetails{openCount=0, mergedCount=0, + declinedCount=0}},byInstanceType={}], build=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@1b440767[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BuildOverallBean@6980e3fb[failedBuildCount=0,successfulBuildCount=0,unknownBuildCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + review=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@429edcf4[overall=com.atlassian.jira.plugin.devstatus.summary.beans.ReviewsOverallBean@2c2821e7[stateCount=0,state=,dueDate=,overDue=false,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + deployment-environment=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@17ec743a[overall=com.atlassian.jira.plugin.devstatus.summary.beans.DeploymentOverallBean@799dd207[topEnvironments=[],showProjects=false,successfulCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + repository=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@4dd0c8bc[overall=com.atlassian.jira.plugin.devstatus.summary.beans.CommitOverallBean@201aeff8[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + branch=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@54230265[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BranchOverallBean@4339ef0c[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}]},errors=[],configErrors=[]], + devSummaryJson={\"cachedValue\":{\"errors\":[],\"configErrors\":[],\"summary\":{\"pullrequest\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":\"OPEN\",\"details\":{\"openCount\":0,\"mergedCount\":0,\"declinedCount\":0,\"total\":0},\"open\":true},\"byInstanceType\":{}},\"build\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"failedBuildCount\":0,\"successfulBuildCount\":0,\"unknownBuildCount\":0},\"byInstanceType\":{}},\"review\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":null,\"dueDate\":null,\"overDue\":false,\"completed\":false},\"byInstanceType\":{}},\"deployment-environment\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"topEnvironments\":[],\"showProjects\":false,\"successfulCount\":0},\"byInstanceType\":{}},\"repository\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}},\"branch\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}}}},\"isStale\":false}}", + "resolutiondate": "2023-10-23T23:59:52.967+0000", "workratio": -1, "customfield_12316840": + null, "customfield_12317379": null, "customfield_12315950": null, "customfield_12316841": + null, "customfield_12310940": null, "customfield_12319040": null, "lastViewed": + null, "watches": {"self": "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-378/watchers", + "watchCount": 1, "isWatching": true}, "created": "2023-10-23T23:59:42.539+0000", + "customfield_12321240": null, "customfield_12313140": null, "priority": {"self": + "https://issues.stage.redhat.com/rest/api/2/priority/10300", "iconUrl": "https://issues.stage.redhat.com/images/icons/priorities/trivial.svg", + "name": "Undefined", "id": "10300"}, "labels": ["flawuuid:5346463e-f233-4527-a807-a668b116f0be", + "impact:IMPORTANT", "major_incident"], "customfield_12320947": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27714", + "value": "Unclassified", "id": "27714", "disabled": false}], "customfield_12320946": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27705", + "value": "False", "id": "27705", "disabled": false}, "aggregatetimeoriginalestimate": + null, "timeestimate": null, "versions": [], "issuelinks": [], "assignee": + null, "updated": "2023-10-23T23:59:52.979+0000", "customfield_12313942": null, + "customfield_12313941": null, "status": {"self": "https://issues.stage.redhat.com/rest/api/2/status/6", + "description": "The issue is closed. See the resolution for context regarding + why (for example Done, Abandoned, Duplicate, etc)", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/closed.png", + "name": "Closed", "id": "6", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/3", + "id": 3, "key": "done", "colorName": "success", "name": "Done"}}, "components": + [], "timeoriginalestimate": null, "description": "custom description for test", + "customfield_12314040": null, "customfield_12320844": null, "archiveddate": + null, "timetracking": {}, "customfield_12320842": null, "customfield_12310243": + null, "attachment": [], "aggregatetimeestimate": null, "customfield_12316542": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14655", + "value": "False", "id": "14655", "disabled": false}, "customfield_12316543": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14657", + "value": "False", "id": "14657", "disabled": false}, "customfield_12317313": + null, "customfield_12316544": "None", "customfield_12310840": "9223372036854775807", + "summary": "CVE-2020-00010 kernel: some description", "customfield_12323640": + null, "customfield_12323840": null, "customfield_12323642": null, "creator": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12323641": null, "subtasks": [], "customfield_12321140": null, + "customfield_12323647": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/34754", + "value": "en-US (English)", "id": "34754", "disabled": false}], "reporter": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12320850": null, "aggregateprogress": {"progress": 0, "total": + 0}, "customfield_12323644": null, "customfield_12323841": null, "customfield_12323643": + null, "customfield_12323646": null, "customfield_12323645": null, "environment": + null, "customfield_12315542": null, "customfield_12315740": null, "customfield_12313441": + "", "customfield_12313440": "0.0", "customfield_12313240": {"id": 4077, "name": + "osidb_test_team"}, "duedate": null, "customfield_12311140": null, "customfield_12319742": + null, "progress": {"progress": 0, "total": 0}, "comment": {"comments": [], + "maxResults": 0, "total": 0, "startAt": 0}, "votes": {"self": "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-378/votes", + "votes": 0, "hasVoted": false}, "worklog": {"startAt": 0, "maxResults": 20, + "total": 0, "worklogs": []}, "customfield_12319743": null, "customfield_12310213": + null, "archivedby": null, "customfield_12311940": "1|zcs0ek:"}}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:53 GMT + Expires: + - Mon, 23 Oct 2023 23:59:53 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '9236' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415639x1 + x-asessionid: + - 1wre48l + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105593.356e8f91 + x-rh-edge-request-id: + - 356e8f91 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: GET + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-378 + response: + body: + string: '{"expand": "renderedFields,names,schema,operations,editmeta,changelog,versionedRepresentations", + "id": "15544457", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544457", + "key": "OSIM-378", "fields": {"issuetype": {"self": "https://issues.stage.redhat.com/rest/api/2/issuetype/17", + "id": "17", "description": "Created by Jira Software - do not edit or delete. + Issue type for a user story.", "iconUrl": "https://issues.stage.redhat.com/secure/viewavatar?size=xsmall&avatarId=13275&avatarType=issuetype", + "name": "Story", "subtask": false, "avatarId": 13275}, "customfield_12322244": + null, "customfield_12318341": null, "timespent": null, "customfield_12320940": + null, "project": {"self": "https://issues.stage.redhat.com/rest/api/2/project/12337520", + "id": "12337520", "key": "OSIM", "name": "Open Security Issue Manager", "projectTypeKey": + "software", "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/projectavatar?pid=12337520&avatarId=12560", + "24x24": "https://issues.stage.redhat.com/secure/projectavatar?size=small&pid=12337520&avatarId=12560", + "16x16": "https://issues.stage.redhat.com/secure/projectavatar?size=xsmall&pid=12337520&avatarId=12560", + "32x32": "https://issues.stage.redhat.com/secure/projectavatar?size=medium&pid=12337520&avatarId=12560"}}, + "fixVersions": [], "customfield_12320944": null, "aggregatetimespent": null, + "resolution": {"self": "https://issues.stage.redhat.com/rest/api/2/resolution/1", + "id": "1", "description": "This issue is closed, and complete.", "name": "Done"}, + "customfield_12310220": null, "customfield_12314740": "{summaryBean=com.atlassian.jira.plugin.devstatus.rest.SummaryBean@46f8ac16[summary={pullrequest=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@3e7350c8[overall=PullRequestOverallBean{stateCount=0, + state=''OPEN'', details=PullRequestOverallDetails{openCount=0, mergedCount=0, + declinedCount=0}},byInstanceType={}], build=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@7f59782[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BuildOverallBean@23a462a4[failedBuildCount=0,successfulBuildCount=0,unknownBuildCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + review=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@47112482[overall=com.atlassian.jira.plugin.devstatus.summary.beans.ReviewsOverallBean@3313e1ce[stateCount=0,state=,dueDate=,overDue=false,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + deployment-environment=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@187129a9[overall=com.atlassian.jira.plugin.devstatus.summary.beans.DeploymentOverallBean@18c0d941[topEnvironments=[],showProjects=false,successfulCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + repository=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@563bdbef[overall=com.atlassian.jira.plugin.devstatus.summary.beans.CommitOverallBean@7a8a4d77[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + branch=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@6b271fee[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BranchOverallBean@7533d91a[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}]},errors=[],configErrors=[]], + devSummaryJson={\"cachedValue\":{\"errors\":[],\"configErrors\":[],\"summary\":{\"pullrequest\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":\"OPEN\",\"details\":{\"openCount\":0,\"mergedCount\":0,\"declinedCount\":0,\"total\":0},\"open\":true},\"byInstanceType\":{}},\"build\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"failedBuildCount\":0,\"successfulBuildCount\":0,\"unknownBuildCount\":0},\"byInstanceType\":{}},\"review\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":null,\"dueDate\":null,\"overDue\":false,\"completed\":false},\"byInstanceType\":{}},\"deployment-environment\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"topEnvironments\":[],\"showProjects\":false,\"successfulCount\":0},\"byInstanceType\":{}},\"repository\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}},\"branch\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}}}},\"isStale\":false}}", + "resolutiondate": "2023-10-23T23:59:52.967+0000", "workratio": -1, "customfield_12316840": + null, "customfield_12317379": null, "customfield_12315950": null, "customfield_12316841": + null, "customfield_12310940": null, "customfield_12319040": null, "lastViewed": + null, "watches": {"self": "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-378/watchers", + "watchCount": 1, "isWatching": true}, "created": "2023-10-23T23:59:42.539+0000", + "customfield_12321240": null, "customfield_12313140": null, "priority": {"self": + "https://issues.stage.redhat.com/rest/api/2/priority/10300", "iconUrl": "https://issues.stage.redhat.com/images/icons/priorities/trivial.svg", + "name": "Undefined", "id": "10300"}, "labels": ["flawuuid:5346463e-f233-4527-a807-a668b116f0be", + "impact:IMPORTANT", "major_incident"], "customfield_12320947": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27714", + "value": "Unclassified", "id": "27714", "disabled": false}], "customfield_12320946": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27705", + "value": "False", "id": "27705", "disabled": false}, "aggregatetimeoriginalestimate": + null, "timeestimate": null, "versions": [], "issuelinks": [], "assignee": + null, "updated": "2023-10-23T23:59:52.979+0000", "customfield_12313942": null, + "customfield_12313941": null, "status": {"self": "https://issues.stage.redhat.com/rest/api/2/status/6", + "description": "The issue is closed. See the resolution for context regarding + why (for example Done, Abandoned, Duplicate, etc)", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/closed.png", + "name": "Closed", "id": "6", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/3", + "id": 3, "key": "done", "colorName": "success", "name": "Done"}}, "components": + [], "timeoriginalestimate": null, "description": "custom description for test", + "customfield_12314040": null, "customfield_12320844": null, "archiveddate": + null, "timetracking": {}, "customfield_12320842": null, "customfield_12310243": + null, "attachment": [], "aggregatetimeestimate": null, "customfield_12316542": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14655", + "value": "False", "id": "14655", "disabled": false}, "customfield_12316543": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14657", + "value": "False", "id": "14657", "disabled": false}, "customfield_12317313": + null, "customfield_12316544": "None", "customfield_12310840": "9223372036854775807", + "summary": "CVE-2020-00010 kernel: some description", "customfield_12323640": + null, "customfield_12323840": null, "customfield_12323642": null, "creator": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12323641": null, "subtasks": [], "customfield_12321140": null, + "customfield_12323647": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/34754", + "value": "en-US (English)", "id": "34754", "disabled": false}], "reporter": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12320850": null, "aggregateprogress": {"progress": 0, "total": + 0}, "customfield_12323644": null, "customfield_12323841": null, "customfield_12323643": + null, "customfield_12323646": null, "customfield_12323645": null, "environment": + null, "customfield_12315542": null, "customfield_12315740": null, "customfield_12313441": + "", "customfield_12313440": "0.0", "customfield_12313240": {"id": 4077, "name": + "osidb_test_team"}, "duedate": null, "customfield_12311140": null, "customfield_12319742": + null, "progress": {"progress": 0, "total": 0}, "comment": {"comments": [], + "maxResults": 0, "total": 0, "startAt": 0}, "votes": {"self": "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-378/votes", + "votes": 0, "hasVoted": false}, "worklog": {"startAt": 0, "maxResults": 20, + "total": 0, "worklogs": []}, "customfield_12319743": null, "customfield_12310213": + null, "archivedby": null, "customfield_12311940": "1|zcs0ek:"}}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:53 GMT + Expires: + - Mon, 23 Oct 2023 23:59:53 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '9235' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415641x1 + x-asessionid: + - 1vz8pyq + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105593.356e93b1 + x-rh-edge-request-id: + - 356e93b1 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 200 + message: OK +version: 1 diff --git a/apps/taskman/tests/cassettes/test_api/TestTaskmanAPI.test_task_update_reject.yaml b/apps/taskman/tests/cassettes/test_api/TestTaskmanAPI.test_task_update_reject.yaml new file mode 100644 index 000000000..77be32d92 --- /dev/null +++ b/apps/taskman/tests/cassettes/test_api/TestTaskmanAPI.test_task_update_reject.yaml @@ -0,0 +1,527 @@ +interactions: +- request: + body: '{"fields": {"issuetype": {"name": "Story"}, "project": {"key": "OSIM"}, + "description": "Description for CVE-2020-00011", "labels": ["flawuuid:7b6997a6-baac-4a3b-a61d-42d7d7782346", + "impact:CRITICAL", "major_incident", "flawuuid:7b6997a6-baac-4a3b-a61d-42d7d7782346", + "impact:CRITICAL"], "summary": "EMBARGOED CVE-2020-00011 kernel: some description"}}' + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Length: + - '351' + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: POST + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue + response: + body: + string: '{"id": "15544458", "key": "OSIM-379", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544458"}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:54 GMT + Expires: + - Mon, 23 Oct 2023 23:59:54 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '101' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415642x1 + x-asessionid: + - 68mu9x + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105594.356ea0d1 + x-rh-edge-request-id: + - 356ea0d1 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 201 + message: Created +- request: + body: null + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: GET + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-379 + response: + body: + string: '{"expand": "renderedFields,names,schema,operations,editmeta,changelog,versionedRepresentations", + "id": "15544458", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544458", + "key": "OSIM-379", "fields": {"issuetype": {"self": "https://issues.stage.redhat.com/rest/api/2/issuetype/17", + "id": "17", "description": "Created by Jira Software - do not edit or delete. + Issue type for a user story.", "iconUrl": "https://issues.stage.redhat.com/secure/viewavatar?size=xsmall&avatarId=13275&avatarType=issuetype", + "name": "Story", "subtask": false, "avatarId": 13275}, "customfield_12322244": + null, "customfield_12318341": null, "timespent": null, "customfield_12320940": + null, "project": {"self": "https://issues.stage.redhat.com/rest/api/2/project/12337520", + "id": "12337520", "key": "OSIM", "name": "Open Security Issue Manager", "projectTypeKey": + "software", "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/projectavatar?pid=12337520&avatarId=12560", + "24x24": "https://issues.stage.redhat.com/secure/projectavatar?size=small&pid=12337520&avatarId=12560", + "16x16": "https://issues.stage.redhat.com/secure/projectavatar?size=xsmall&pid=12337520&avatarId=12560", + "32x32": "https://issues.stage.redhat.com/secure/projectavatar?size=medium&pid=12337520&avatarId=12560"}}, + "fixVersions": [], "customfield_12320944": null, "aggregatetimespent": null, + "resolution": null, "customfield_12310220": null, "customfield_12314740": + "{summaryBean=com.atlassian.jira.plugin.devstatus.rest.SummaryBean@6f623700[summary={pullrequest=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@77f1cd36[overall=PullRequestOverallBean{stateCount=0, + state=''OPEN'', details=PullRequestOverallDetails{openCount=0, mergedCount=0, + declinedCount=0}},byInstanceType={}], build=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@77c0757d[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BuildOverallBean@e219ece[failedBuildCount=0,successfulBuildCount=0,unknownBuildCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + review=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@7dceaa77[overall=com.atlassian.jira.plugin.devstatus.summary.beans.ReviewsOverallBean@504cb301[stateCount=0,state=,dueDate=,overDue=false,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + deployment-environment=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@24535fe8[overall=com.atlassian.jira.plugin.devstatus.summary.beans.DeploymentOverallBean@26867242[topEnvironments=[],showProjects=false,successfulCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + repository=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@2e93e9f7[overall=com.atlassian.jira.plugin.devstatus.summary.beans.CommitOverallBean@1bf2839f[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + branch=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@25602316[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BranchOverallBean@30e1419a[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}]},errors=[],configErrors=[]], + devSummaryJson={\"cachedValue\":{\"errors\":[],\"configErrors\":[],\"summary\":{\"pullrequest\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":\"OPEN\",\"details\":{\"openCount\":0,\"mergedCount\":0,\"declinedCount\":0,\"total\":0},\"open\":true},\"byInstanceType\":{}},\"build\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"failedBuildCount\":0,\"successfulBuildCount\":0,\"unknownBuildCount\":0},\"byInstanceType\":{}},\"review\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":null,\"dueDate\":null,\"overDue\":false,\"completed\":false},\"byInstanceType\":{}},\"deployment-environment\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"topEnvironments\":[],\"showProjects\":false,\"successfulCount\":0},\"byInstanceType\":{}},\"repository\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}},\"branch\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}}}},\"isStale\":false}}", + "resolutiondate": null, "workratio": -1, "customfield_12316840": null, "customfield_12317379": + null, "customfield_12315950": null, "customfield_12316841": null, "customfield_12310940": + null, "customfield_12319040": null, "lastViewed": null, "watches": {"self": + "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-379/watchers", "watchCount": + 1, "isWatching": true}, "created": "2023-10-23T23:59:54.136+0000", "customfield_12321240": + null, "customfield_12313140": null, "priority": {"self": "https://issues.stage.redhat.com/rest/api/2/priority/10300", + "iconUrl": "https://issues.stage.redhat.com/images/icons/priorities/trivial.svg", + "name": "Undefined", "id": "10300"}, "labels": ["flawuuid:7b6997a6-baac-4a3b-a61d-42d7d7782346", + "impact:CRITICAL", "major_incident"], "customfield_12320947": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27714", + "value": "Unclassified", "id": "27714", "disabled": false}], "customfield_12320946": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27705", + "value": "False", "id": "27705", "disabled": false}, "aggregatetimeoriginalestimate": + null, "timeestimate": null, "versions": [], "issuelinks": [], "assignee": + null, "updated": "2023-10-23T23:59:54.136+0000", "customfield_12313942": null, + "customfield_12313941": null, "status": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10016", + "description": "Initial creation status. Implies nothing yet and should be + very short lived; also can be a Bugzilla status.", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "New", "id": "10016", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}, "components": + [], "timeoriginalestimate": null, "description": "Description for CVE-2020-00011", + "customfield_12314040": null, "customfield_12320844": null, "archiveddate": + null, "timetracking": {}, "customfield_12320842": null, "customfield_12310243": + null, "attachment": [], "aggregatetimeestimate": null, "customfield_12316542": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14655", + "value": "False", "id": "14655", "disabled": false}, "customfield_12316543": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14657", + "value": "False", "id": "14657", "disabled": false}, "customfield_12317313": + null, "customfield_12316544": "None", "customfield_12310840": "9223372036854775807", + "summary": "EMBARGOED CVE-2020-00011 kernel: some description", "customfield_12323640": + null, "customfield_12323840": null, "customfield_12323642": null, "creator": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12323641": null, "subtasks": [], "customfield_12321140": null, + "customfield_12323647": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/34754", + "value": "en-US (English)", "id": "34754", "disabled": false}], "reporter": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12320850": null, "aggregateprogress": {"progress": 0, "total": + 0}, "customfield_12323644": null, "customfield_12323841": null, "customfield_12323643": + null, "customfield_12323646": null, "customfield_12323645": null, "environment": + null, "customfield_12315542": null, "customfield_12315740": null, "customfield_12313441": + "", "customfield_12313440": "0.0", "customfield_12313240": null, "duedate": + null, "customfield_12311140": null, "customfield_12319742": null, "progress": + {"progress": 0, "total": 0}, "comment": {"comments": [], "maxResults": 0, + "total": 0, "startAt": 0}, "votes": {"self": "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-379/votes", + "votes": 0, "hasVoted": false}, "worklog": {"startAt": 0, "maxResults": 20, + "total": 0, "worklogs": []}, "customfield_12319743": null, "customfield_12310213": + null, "archivedby": null, "customfield_12311940": "1|zcs0es:"}}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:55 GMT + Expires: + - Mon, 23 Oct 2023 23:59:55 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '9054' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415643x1 + x-asessionid: + - 1xk8liv + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105595.356eb48e + x-rh-edge-request-id: + - 356eb48e + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: GET + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-379/transitions + response: + body: + string: '{"expand": "transitions", "transitions": [{"id": "51", "name": "New", + "opsbarSequence": 10, "to": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10016", + "description": "Initial creation status. Implies nothing yet and should be + very short lived; also can be a Bugzilla status.", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "New", "id": "10016", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}}, {"id": + "61", "name": "Refinement", "opsbarSequence": 20, "to": {"self": "https://issues.stage.redhat.com/rest/api/2/status/15021", + "description": "Work is being scoped and discussed (To Do status category; + see also Draft)", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/generic.png", + "name": "Refinement", "id": "15021", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/2", + "id": 2, "key": "new", "colorName": "default", "name": "To Do"}}}, {"id": + "31", "name": "In Progress", "opsbarSequence": 30, "to": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10018", + "description": "Work has started", "iconUrl": "https://issues.stage.redhat.com/images/icons/status_generic.gif", + "name": "In Progress", "id": "10018", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/4", + "id": 4, "key": "indeterminate", "colorName": "inprogress", "name": "In Progress"}}}, + {"id": "41", "name": "Closed", "opsbarSequence": 40, "to": {"self": "https://issues.stage.redhat.com/rest/api/2/status/6", + "description": "The issue is closed. See the resolution for context regarding + why (for example Done, Abandoned, Duplicate, etc)", "iconUrl": "https://issues.stage.redhat.com/images/icons/statuses/closed.png", + "name": "Closed", "id": "6", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/3", + "id": 3, "key": "done", "colorName": "success", "name": "Done"}}}]}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:55 GMT + Expires: + - Mon, 23 Oct 2023 23:59:55 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '1920' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415644x1 + x-asessionid: + - 1pa0ca6 + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105595.356eb9ee + x-rh-edge-request-id: + - 356eb9ee + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 200 + message: OK +- request: + body: '{"transition": {"id": "31"}, "fields": {}}' + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Length: + - '42' + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: POST + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-379/transitions + response: + body: + string: '' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:55 GMT + Expires: + - Mon, 23 Oct 2023 23:59:55 GMT + Pragma: + - no-cache + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415645x1 + x-asessionid: + - 2qobwp + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105595.356ebbfd + x-rh-edge-request-id: + - 356ebbfd + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 204 + message: No Content +- request: + body: null + headers: + Accept: + - application/json,*.*;q=0.9 + Accept-Encoding: + - gzip, deflate + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Type: + - application/json + User-Agent: + - python-requests/2.31.0 + X-Atlassian-Token: + - no-check + method: GET + uri: https://squid.corp.redhat.com:3128/rest/api/2/issue/OSIM-379 + response: + body: + string: '{"expand": "renderedFields,names,schema,operations,editmeta,changelog,versionedRepresentations", + "id": "15544458", "self": "https://issues.stage.redhat.com/rest/api/2/issue/15544458", + "key": "OSIM-379", "fields": {"issuetype": {"self": "https://issues.stage.redhat.com/rest/api/2/issuetype/17", + "id": "17", "description": "Created by Jira Software - do not edit or delete. + Issue type for a user story.", "iconUrl": "https://issues.stage.redhat.com/secure/viewavatar?size=xsmall&avatarId=13275&avatarType=issuetype", + "name": "Story", "subtask": false, "avatarId": 13275}, "customfield_12322244": + null, "customfield_12318341": null, "timespent": null, "customfield_12320940": + null, "project": {"self": "https://issues.stage.redhat.com/rest/api/2/project/12337520", + "id": "12337520", "key": "OSIM", "name": "Open Security Issue Manager", "projectTypeKey": + "software", "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/projectavatar?pid=12337520&avatarId=12560", + "24x24": "https://issues.stage.redhat.com/secure/projectavatar?size=small&pid=12337520&avatarId=12560", + "16x16": "https://issues.stage.redhat.com/secure/projectavatar?size=xsmall&pid=12337520&avatarId=12560", + "32x32": "https://issues.stage.redhat.com/secure/projectavatar?size=medium&pid=12337520&avatarId=12560"}}, + "fixVersions": [], "customfield_12320944": null, "aggregatetimespent": null, + "resolution": null, "customfield_12310220": null, "customfield_12314740": + "{summaryBean=com.atlassian.jira.plugin.devstatus.rest.SummaryBean@6cdf31ef[summary={pullrequest=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@3faab0d9[overall=PullRequestOverallBean{stateCount=0, + state=''OPEN'', details=PullRequestOverallDetails{openCount=0, mergedCount=0, + declinedCount=0}},byInstanceType={}], build=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@e7eb3cb[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BuildOverallBean@64b8e6a5[failedBuildCount=0,successfulBuildCount=0,unknownBuildCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + review=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@723477e4[overall=com.atlassian.jira.plugin.devstatus.summary.beans.ReviewsOverallBean@340173d1[stateCount=0,state=,dueDate=,overDue=false,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + deployment-environment=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@4f1a6e71[overall=com.atlassian.jira.plugin.devstatus.summary.beans.DeploymentOverallBean@6cb424f9[topEnvironments=[],showProjects=false,successfulCount=0,count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + repository=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@3d6ef5dc[overall=com.atlassian.jira.plugin.devstatus.summary.beans.CommitOverallBean@24e965b[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}], + branch=com.atlassian.jira.plugin.devstatus.rest.SummaryItemBean@1ebb0985[overall=com.atlassian.jira.plugin.devstatus.summary.beans.BranchOverallBean@53e57547[count=0,lastUpdated=,lastUpdatedTimestamp=],byInstanceType={}]},errors=[],configErrors=[]], + devSummaryJson={\"cachedValue\":{\"errors\":[],\"configErrors\":[],\"summary\":{\"pullrequest\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":\"OPEN\",\"details\":{\"openCount\":0,\"mergedCount\":0,\"declinedCount\":0,\"total\":0},\"open\":true},\"byInstanceType\":{}},\"build\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"failedBuildCount\":0,\"successfulBuildCount\":0,\"unknownBuildCount\":0},\"byInstanceType\":{}},\"review\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"stateCount\":0,\"state\":null,\"dueDate\":null,\"overDue\":false,\"completed\":false},\"byInstanceType\":{}},\"deployment-environment\":{\"overall\":{\"count\":0,\"lastUpdated\":null,\"topEnvironments\":[],\"showProjects\":false,\"successfulCount\":0},\"byInstanceType\":{}},\"repository\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}},\"branch\":{\"overall\":{\"count\":0,\"lastUpdated\":null},\"byInstanceType\":{}}}},\"isStale\":false}}", + "resolutiondate": null, "workratio": -1, "customfield_12316840": null, "customfield_12317379": + null, "customfield_12315950": null, "customfield_12316841": null, "customfield_12310940": + null, "customfield_12319040": null, "lastViewed": null, "watches": {"self": + "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-379/watchers", "watchCount": + 1, "isWatching": true}, "created": "2023-10-23T23:59:54.136+0000", "customfield_12321240": + null, "customfield_12313140": null, "priority": {"self": "https://issues.stage.redhat.com/rest/api/2/priority/10300", + "iconUrl": "https://issues.stage.redhat.com/images/icons/priorities/trivial.svg", + "name": "Undefined", "id": "10300"}, "labels": ["flawuuid:7b6997a6-baac-4a3b-a61d-42d7d7782346", + "impact:CRITICAL", "major_incident"], "customfield_12320947": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27714", + "value": "Unclassified", "id": "27714", "disabled": false}], "customfield_12320946": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/27705", + "value": "False", "id": "27705", "disabled": false}, "aggregatetimeoriginalestimate": + null, "timeestimate": null, "versions": [], "issuelinks": [], "assignee": + null, "updated": "2023-10-23T23:59:55.230+0000", "customfield_12313942": null, + "customfield_12313941": null, "status": {"self": "https://issues.stage.redhat.com/rest/api/2/status/10018", + "description": "Work has started", "iconUrl": "https://issues.stage.redhat.com/images/icons/status_generic.gif", + "name": "In Progress", "id": "10018", "statusCategory": {"self": "https://issues.stage.redhat.com/rest/api/2/statuscategory/4", + "id": 4, "key": "indeterminate", "colorName": "inprogress", "name": "In Progress"}}, + "components": [], "timeoriginalestimate": null, "description": "Description + for CVE-2020-00011", "customfield_12314040": null, "customfield_12320844": + null, "archiveddate": null, "timetracking": {}, "customfield_12320842": null, + "customfield_12310243": null, "attachment": [], "aggregatetimeestimate": null, + "customfield_12316542": {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14655", + "value": "False", "id": "14655", "disabled": false}, "customfield_12316543": + {"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/14657", + "value": "False", "id": "14657", "disabled": false}, "customfield_12317313": + null, "customfield_12316544": "None", "customfield_12310840": "9223372036854775807", + "summary": "EMBARGOED CVE-2020-00011 kernel: some description", "customfield_12323640": + null, "customfield_12323840": null, "customfield_12323642": null, "creator": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12323641": null, "subtasks": [], "customfield_12321140": null, + "customfield_12323647": [{"self": "https://issues.stage.redhat.com/rest/api/2/customFieldOption/34754", + "value": "en-US (English)", "id": "34754", "disabled": false}], "reporter": + {"self": "https://issues.stage.redhat.com/rest/api/2/user?username=concosta%40redhat.com", + "name": "concosta@redhat.com", "key": "JIRAUSER196381", "emailAddress": "concosta+stage@redhat.com", + "avatarUrls": {"48x48": "https://issues.stage.redhat.com/secure/useravatar?ownerId=JIRAUSER196381&avatarId=41326", + "24x24": "https://issues.stage.redhat.com/secure/useravatar?size=small&ownerId=JIRAUSER196381&avatarId=41326", + "16x16": "https://issues.stage.redhat.com/secure/useravatar?size=xsmall&ownerId=JIRAUSER196381&avatarId=41326", + "32x32": "https://issues.stage.redhat.com/secure/useravatar?size=medium&ownerId=JIRAUSER196381&avatarId=41326"}, + "displayName": "Conrado Costa", "active": true, "timeZone": "America/New_York"}, + "customfield_12320850": null, "aggregateprogress": {"progress": 0, "total": + 0}, "customfield_12323644": null, "customfield_12323841": null, "customfield_12323643": + null, "customfield_12323646": null, "customfield_12323645": null, "environment": + null, "customfield_12315542": null, "customfield_12315740": null, "customfield_12313441": + "", "customfield_12313440": "0.0", "customfield_12313240": null, "duedate": + null, "customfield_12311140": null, "customfield_12319742": null, "progress": + {"progress": 0, "total": 0}, "comment": {"comments": [], "maxResults": 0, + "total": 0, "startAt": 0}, "votes": {"self": "https://issues.stage.redhat.com/rest/api/2/issue/OSIM-379/votes", + "votes": 0, "hasVoted": false}, "worklog": {"startAt": 0, "maxResults": 20, + "total": 0, "worklogs": []}, "customfield_12319743": null, "customfield_12310213": + null, "archivedby": null, "customfield_12311940": "1|zcs0es:"}}' + headers: + Cache-Control: + - max-age=0, no-cache, no-store + Connection: + - keep-alive + Content-Security-Policy: + - sandbox + Content-Type: + - application/json;charset=UTF-8 + Date: + - Mon, 23 Oct 2023 23:59:56 GMT + Expires: + - Mon, 23 Oct 2023 23:59:56 GMT + Pragma: + - no-cache + Vary: + - User-Agent + - Accept-Encoding + content-length: + - '8987' + referrer-policy: + - strict-origin-when-cross-origin + strict-transport-security: + - max-age=31536000 + x-anodeid: + - rh1-jira-dc-stg-mpp-1 + x-arequestid: + - 1439x415648x1 + x-asessionid: + - 180mep0 + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-rh-edge-cache-status: + - NotCacheable from child + x-rh-edge-reference-id: + - 0.5124c317.1698105596.356ec6c0 + x-rh-edge-request-id: + - 356ec6c0 + x-seraph-loginreason: + - OK + x-xss-protection: + - 1; mode=block + status: + code: 200 + message: OK +version: 1 diff --git a/apps/taskman/tests/conftest.py b/apps/taskman/tests/conftest.py index 0c7b1e0ea..ea69651f9 100644 --- a/apps/taskman/tests/conftest.py +++ b/apps/taskman/tests/conftest.py @@ -4,6 +4,8 @@ from django.conf import settings from taskman.constants import TASKMAN_API_VERSION +from apps.osim.models import Workflow +from apps.osim.workflow import WorkflowModel from osidb.constants import OSIDB_API_VERSION @@ -90,3 +92,32 @@ def osidb_api_version(): @pytest.fixture def test_osidb_api_uri(test_osidb_scheme_host, osidb_api_version): return f"{test_osidb_scheme_host}/api/{osidb_api_version}" + + +@pytest.fixture +def simple_workflow(): + """Simple test workflow that reuses WorkflowModel.OSIMState names""" + state_new = { + "name": WorkflowModel.OSIMState.NEW, + "requirements": [], + } + state_first = {"name": WorkflowModel.OSIMState.TRIAGE, "requirements": ["has cwe"]} + state_second = { + "name": WorkflowModel.OSIMState.SECOND_ASSESSMENT, + "requirements": ["has summary"], + } + state_manual = { + "name": WorkflowModel.OSIMState.DONE, + "requirements": ["state equals " + WorkflowModel.OSIMState.DONE], + } + + workflow = Workflow( + { + "name": "test workflow", + "description": "a three step workflow to test classification", + "priority": 0, + "conditions": [], + "states": [state_new, state_first, state_second, state_manual], + } + ) + return workflow diff --git a/apps/taskman/tests/test_api.py b/apps/taskman/tests/test_api.py new file mode 100644 index 000000000..0d39e7747 --- /dev/null +++ b/apps/taskman/tests/test_api.py @@ -0,0 +1,347 @@ +""" +Tests of Jira Task Manager service (Taskman) +This class uses VCR in order to not call real Jira endpoints +during regular tests, and it is recommendend to use Stage Jira +instance for generating new cassettes. +""" + +import pytest +from django.conf import settings + +from apps.osim.workflow import WorkflowFramework, WorkflowModel +from apps.taskman.models import WORKFLOW_TO_JIRA_STATUS, JiraCustomFields, Task +from apps.taskman.service import JiraTaskmanQuerier +from osidb.models import Flaw +from osidb.tests.factories import AffectFactory, FlawFactory + +pytestmark = pytest.mark.unit + + +class TestTaskmanAPI(object): + @pytest.mark.vcr + def test_task_get(self, user_token, auth_client, test_api_uri): + """ + Test CRUD operations using REST APIs for task management. + GET -> /task/ + """ + flaw1 = FlawFactory(uuid="cee8a256-c483-4c0a-8604-e82ee4ef90c6") + AffectFactory(flaw=flaw1) + headers = {"HTTP_JIRA_API_KEY": user_token} + flaw1 = Flaw.objects.get(uuid=flaw1.uuid) + response1 = auth_client.post( + f"{test_api_uri}/task", + data={"flaw": flaw1.uuid}, + format="json", + **headers, + ) + assert response1.status_code == 201, response1.data + data = response1.data["data"] + assert "jira_key" in data + assert "state" in data + + response2 = auth_client.get( + f"{test_api_uri}/task/{flaw1.task.uuid}", + format="json", + **headers, + ) + assert response2.status_code == 200 + + issue = response2.json() + + assert "fields" in issue + assert "issuetype" in issue["fields"] + assert "summary" in issue["fields"] + assert "description" in issue["fields"] + assert "assignee" in issue["fields"] + assert "creator" in issue["fields"] + assert "reporter" in issue["fields"] + assert "customfield_12311140" in issue["fields"] + + @pytest.mark.vcr + def test_task_list(self, user_token, auth_client, test_api_uri, simple_workflow): + """ + Test CRUD operations using REST APIs for task management. + GET -> /task?filters=values + """ + workflow_framework = WorkflowFramework() + workflow_framework._workflows = [] + workflow_framework.register_workflow(simple_workflow) + + Task.objects.all().delete() + + # remove randomness from flaw + flaw_list = [ + ("7d9bc18e-7315-40e3-9db4-1fb5e9cad452", "", "", "4077"), + ("2cb38331-b6e4-424f-9466-fb86c719c44e", "", "", ""), + ("b1856cd8-47cf-4512-a256-67fee6aedd65", "CWE-1", "", ""), + ("389158fd-c67a-47b7-a8e5-bbc19c5dd3fd", "CWE-1", "", "4077"), + ("ef501fc3-2629-42a1-95d5-01fb3d3e614e", "CWE-1", "sumary", ""), + ("b15b51cc-ee0d-43cb-84ca-9c5dae4ab703", "CWE-1", "sumary", "4077"), + ] + headers = {"HTTP_JIRA_API_KEY": user_token} + for attr in flaw_list: + flaw = FlawFactory( + uuid=attr[0], + embargoed=False, + cwe_id=attr[1], + summary=attr[2], + ) + data = {"flaw": flaw.uuid} + if attr[3]: + data["team_id"] = attr[3] + response = auth_client.post( + f"{test_api_uri}/task", + data=data, + format="json", + **headers, + ) + assert response.status_code == 201, response.data + assert response.data["data"]["state"] == flaw.classification["state"] + + response1 = auth_client.get( + f"{test_api_uri}/task?state=NEW", + format="json", + **headers, + ) + assert response1.data["total"] == 2 + + response2 = auth_client.get( + f"{test_api_uri}/task?state=TRIAGE", + format="json", + **headers, + ) + assert response2.data["total"] == 2 + + response3 = auth_client.get( + f"{test_api_uri}/task?state=SECONDARY_ASSESSMENT", + format="json", + **headers, + ) + assert response3.data["total"] == 2 + + response4 = auth_client.get( + f"{test_api_uri}/task?team_id=4077", + format="json", + **headers, + ) + assert response4.data["total"] == 3 + + response5 = auth_client.get( + f"{test_api_uri}/task?team_id=4077&state=NEW", + format="json", + **headers, + ) + assert response5.data["total"] == 1 + + # Test pagination + settings.REST_FRAMEWORK["PAGE_SIZE"] = 2 + + response6 = auth_client.get( + f"{test_api_uri}/task?page=1", + format="json", + **headers, + ) + assert response6.data["total"] == 6 + assert response6.data["startAt"] == 0 + assert response6.data["maxResults"] == 2 + + response7 = auth_client.get( + f"{test_api_uri}/task?page=2", + format="json", + **headers, + ) + assert response7.data["total"] == 6 + assert response7.data["startAt"] == 2 + assert response7.data["maxResults"] == 2 + + @pytest.mark.vcr + def test_task_create(self, user_token, auth_client, test_api_uri, simple_workflow): + """ + Test CRUD operations using REST APIs for task management. + POST -> /task/ + """ + workflow_framework = WorkflowFramework() + workflow_framework._workflows = [] + workflow_framework.register_workflow(simple_workflow) + + # remove randomness from flaw + flaw1 = FlawFactory( + uuid="a56760bc-868b-4797-8026-e8c7b5d889b9", + embargoed=False, + cwe_id="", + summary="", + ) + _, classified_state = workflow_framework.classify(flaw1) + assert classified_state.name == WorkflowModel.OSIMState.NEW + + headers = {"HTTP_JIRA_API_KEY": user_token} + response1 = auth_client.post( + f"{test_api_uri}/task", + data={"flaw": flaw1.uuid, "owner": "concosta@redhat.com"}, + format="json", + **headers, + ) + assert response1.status_code == 201, response1.data + data = response1.data["data"] + assert "jira_key" in data + assert "state" in data + assert data["state"] == classified_state.name + + # remove randomness from flaw + flaw2 = FlawFactory( + uuid="60ac2517-67ca-4f61-86a9-d6a8542ed04a", + embargoed=False, + cwe_id="CWE-1", + summary="", + ) + _, classified_state = workflow_framework.classify(flaw2) + assert classified_state.name == WorkflowModel.OSIMState.TRIAGE + response2 = auth_client.post( + f"{test_api_uri}/task", + data={"flaw": flaw2.uuid}, + format="json", + **headers, + ) + assert response2.status_code == 201, response2.data + data = response2.data["data"] + assert "jira_key" in data + assert "state" in data + + assert data["state"] == classified_state.name + + # remove randomness from flaw + flaw3 = FlawFactory( + uuid="340cc961-c0b4-4c20-a2d3-8f5ce30f2aa8", + embargoed=False, + cwe_id="CWE-1", + summary="", + ) + _, classified_state = workflow_framework.classify(flaw3) + assert classified_state.name == WorkflowModel.OSIMState.TRIAGE + response3 = auth_client.post( + f"{test_api_uri}/task", + data={"flaw": flaw3.uuid, "team_id": 4077}, + format="json", + **headers, + ) + assert response3.status_code == 201, response3.data + data = response3.data["data"] + assert "jira_key" in data + assert "state" in data + # test that custom fields can be set on creation + assert data["team_id"] == 4077 + + @pytest.mark.vcr + def test_task_update(self, user_token, auth_client, test_api_uri, simple_workflow): + """ + Test CRUD operations using REST APIs for task management. + PUT -> /task/ + """ + workflow_framework = WorkflowFramework() + workflow_framework._workflows = [] + workflow_framework.register_workflow(simple_workflow) + + # remove randomness from flaw + flaw1 = FlawFactory( + uuid="5346463e-f233-4527-a807-a668b116f0be", + embargoed=False, + cwe_id="", + summary="", + ) + AffectFactory(flaw=flaw1) + _, classified_state = workflow_framework.classify(flaw1) + assert classified_state.name == WorkflowModel.OSIMState.NEW + + headers = {"HTTP_JIRA_API_KEY": user_token} + response1 = auth_client.post( + f"{test_api_uri}/task", + data={"flaw": flaw1.uuid}, + format="json", + **headers, + ) + assert response1.status_code == 201, response1 + data = response1.data["data"] + assert "jira_key" in data + assert "state" in data + assert data["state"] == classified_state.name + + jtq = JiraTaskmanQuerier(token=user_token) + flaw1.description = "custom description for test" + flaw1.save() + response2 = auth_client.put( + f"{test_api_uri}/task/{flaw1.task.uuid}", + data={}, + format="json", + **headers, + ) + assert response2.status_code == 200, response2 + + # test flaw/task refresh on non-cached fields + issue = jtq.jira_conn.issue(flaw1.task.jira_key).raw + assert issue["fields"]["description"] == "custom description for test" + + flaw1.cwe_id = "CWE-1" + flaw1.summary = "valid summary" + flaw1.adjust_classification() + flaw1.save() + classified_state = flaw1.classification["state"] + assert classified_state == WorkflowModel.OSIMState.SECOND_ASSESSMENT + + manual_state = WorkflowModel.OSIMState.DONE + response2 = auth_client.put( + f"{test_api_uri}/task/{flaw1.task.uuid}", + data={"team_id": 4077, "state": manual_state}, + format="json", + **headers, + ) + + assert response2.status_code == 200, response2.data + + # test state manual update + status, resolution = WORKFLOW_TO_JIRA_STATUS[manual_state] + issue = jtq.jira_conn.issue(flaw1.task.jira_key).raw + assert issue["fields"]["status"]["name"] == status + assert issue["fields"][JiraCustomFields.TEAM]["id"] == 4077 + if resolution == "": + assert issue["fields"]["resolution"] is None + else: + assert issue["fields"]["resolution"]["name"] == resolution + + data = response2.data["data"] + assert data["state"] == manual_state + assert data["team_id"] == 4077 + + @pytest.mark.vcr + def test_task_update_reject(self, user_token, auth_client, test_api_uri): + """ + Test that update endpoint does NOT reject tasks + PUT -> /task/ + """ + flaw1 = FlawFactory(uuid="7b6997a6-baac-4a3b-a61d-42d7d7782346") + AffectFactory(flaw=flaw1) + headers = {"HTTP_JIRA_API_KEY": user_token} + response1 = auth_client.post( + f"{test_api_uri}/task", + data={"flaw": flaw1.uuid}, + format="json", + **headers, + ) + assert response1.status_code == 201, response1 + data = response1.data["data"] + assert "jira_key" in data + assert "state" in data + flaw1 = Flaw.objects.get(uuid=flaw1.uuid) + response2 = auth_client.put( + f"{test_api_uri}/task/{flaw1.task.uuid}", + data={ + "state": WorkflowModel.OSIMState.REJECTED, + }, + format="json", + **headers, + ) + assert ( + response2.status_code == 400 + ), "Update method rejected task without reasining" + assert "requires reasoning" in str( + response2.data["state"] + ), "Update method rejected task without reasining" diff --git a/apps/taskman/tests/test_integration.py b/apps/taskman/tests/test_integration.py index dfb508154..e25c402ae 100644 --- a/apps/taskman/tests/test_integration.py +++ b/apps/taskman/tests/test_integration.py @@ -9,6 +9,7 @@ pytestmark = pytest.mark.integration +@pytest.mark.skip class TestIntegration(object): @pytest.mark.vcr def test_task(self, user_token, auth_client, test_api_uri): diff --git a/apps/taskman/urls.py b/apps/taskman/urls.py index 0f01df7b9..18788276d 100644 --- a/apps/taskman/urls.py +++ b/apps/taskman/urls.py @@ -2,37 +2,23 @@ Taskman URLs """ -import logging from django.urls import path -from .api import ( - healthy, - task, - task_assignee, - task_comment, - task_comment_new, - task_flaw, - task_group, - task_group_new, - task_status, - task_unassigneed, -) +from .api import TaskViewSet, healthy, task_comment, task_comment_new, task_group_new from .constants import TASKMAN_API_VERSION -logger = logging.getLogger(__name__) - urlpatterns = [ path("healthy", healthy.as_view()), - path(f"api/{TASKMAN_API_VERSION}/task/flaw/", task_flaw.as_view()), - path(f"api/{TASKMAN_API_VERSION}/task/", task.as_view()), path( - f"api/{TASKMAN_API_VERSION}/task/assignee/", task_assignee.as_view() + f"api/{TASKMAN_API_VERSION}/task/", + TaskViewSet.as_view({"get": "get", "put": "update"}), ), - path(f"api/{TASKMAN_API_VERSION}/task/unassigned/", task_unassigneed.as_view()), path( - f"api/{TASKMAN_API_VERSION}/task//status", task_status.as_view() + f"api/{TASKMAN_API_VERSION}/task", + TaskViewSet.as_view({"get": "list", "post": "create"}), ), + path(rf"api/{TASKMAN_API_VERSION}/task", TaskViewSet), path( f"api/{TASKMAN_API_VERSION}/task//comment", task_comment_new.as_view(), @@ -42,5 +28,4 @@ task_comment.as_view(), ), path(f"api/{TASKMAN_API_VERSION}/group", task_group_new.as_view()), - path(f"api/{TASKMAN_API_VERSION}/group/", task_group.as_view()), ] diff --git a/openapi.yml b/openapi.yml index 9b9a9766f..731468b33 100644 --- a/openapi.yml +++ b/openapi.yml @@ -6724,10 +6724,10 @@ paths: version: type: string description: '' - /taskman/api/v1/group/{group_key}: + /taskman/api/v1/task: get: - operationId: taskman_api_v1_group_retrieve - description: Get a list of tasks from a group + operationId: taskman_api_v1_task_list + description: filters a task by cached values and return a Jira request parameters: - in: header name: Jira-Api-Key @@ -6735,102 +6735,51 @@ paths: type: string description: User generated token for Jira authentication. required: true - - in: path - name: group_key - schema: - type: string - required: true - tags: - - taskman - security: - - OsidbTokenAuthentication: [] - responses: - '200': - content: - application/json: - schema: - allOf: - - $ref: '#/components/schemas/JiraIssueQueryResult' - - type: object - properties: - dt: - type: string - format: date-time - env: - type: string - revision: - type: string - version: - type: string - description: '' - put: - operationId: taskman_api_v1_group_update - description: Add a task into a group - parameters: - - in: header - name: Jira-Api-Key + - in: query + name: flaw schema: type: string - description: User generated token for Jira authentication. - required: true - - in: path - name: group_key + format: uuid + - in: query + name: jira_group_key schema: type: string - required: true - in: query - name: task_key + name: jira_key schema: type: string - required: true - tags: - - taskman - security: - - OsidbTokenAuthentication: [] - responses: - '200': - content: - application/json: - schema: - type: object - properties: - dt: - type: string - format: date-time - env: - type: string - revision: - type: string - version: - type: string - description: '' - /taskman/api/v1/task/{task_key}: - get: - operationId: taskman_api_v1_task_retrieve - description: Get a task from Jira given a task key - parameters: - - in: header - name: Jira-Api-Key + - name: limit + required: false + in: query + description: Number of results to return per page. + schema: + type: integer + - name: offset + required: false + in: query + description: The initial index from which to return the results. + schema: + type: integer + - in: query + name: owner schema: type: string - description: User generated token for Jira authentication. - required: true - - in: path - name: task_key + - in: query + name: team_id schema: type: string - required: true tags: - taskman security: - OsidbTokenAuthentication: [] + - {} responses: '200': content: application/json: schema: allOf: - - $ref: '#/components/schemas/JiraIssue' + - $ref: '#/components/schemas/PaginatedJiraIssueQueryResultList' - type: object properties: dt: @@ -6843,10 +6792,9 @@ paths: version: type: string description: '' - /taskman/api/v1/task/{task_key}/comment: post: - operationId: taskman_api_v1_task_comment_create - description: Create a new comment in a task + operationId: taskman_api_v1_task_create + description: creates a task in Jira parameters: - in: header name: Jira-Api-Key @@ -6854,27 +6802,28 @@ paths: type: string description: User generated token for Jira authentication. required: true - - in: query - name: content - schema: - type: string - required: true - - in: path - name: task_key - schema: - type: string - required: true tags: - taskman + requestBody: + content: + application/json: + schema: + $ref: '#/components/schemas/Task' + application/x-www-form-urlencoded: + schema: + $ref: '#/components/schemas/Task' + multipart/form-data: + schema: + $ref: '#/components/schemas/Task' security: - OsidbTokenAuthentication: [] responses: - '200': + '201': content: application/json: schema: allOf: - - $ref: '#/components/schemas/JiraComment' + - $ref: '#/components/schemas/Task' - type: object properties: dt: @@ -6887,10 +6836,10 @@ paths: version: type: string description: '' - /taskman/api/v1/task/{task_key}/comment/{comment_id}: - put: - operationId: taskman_api_v1_task_comment_update - description: Edit a comment in a task + /taskman/api/v1/task/{id}: + get: + operationId: taskman_api_v1_task_retrieve + description: filters a task by cached values and return a Jira request parameters: - in: header name: Jira-Api-Key @@ -6899,17 +6848,7 @@ paths: description: User generated token for Jira authentication. required: true - in: path - name: comment_id - schema: - type: string - required: true - - in: query - name: content - schema: - type: string - required: true - - in: path - name: task_key + name: id schema: type: string required: true @@ -6917,13 +6856,14 @@ paths: - taskman security: - OsidbTokenAuthentication: [] + - {} responses: '200': content: application/json: schema: allOf: - - $ref: '#/components/schemas/JiraComment' + - $ref: '#/components/schemas/JiraIssue' - type: object properties: dt: @@ -6936,83 +6876,9 @@ paths: version: type: string description: '' - /taskman/api/v1/task/{task_key}/status: put: - operationId: taskman_api_v1_task_status_update - description: Change a task workflow status - parameters: - - in: header - name: Jira-Api-Key - schema: - type: string - description: User generated token for Jira authentication. - required: true - - in: query - name: reason - schema: - type: string - enum: - - Closed - - In Progress - - New - - Refinement - description: Reason of status change. Mandatory for rejecting a task. - - in: query - name: resolution - schema: - type: string - enum: - - Can't Do - - Cannot Reproduce - - Done - - Done-Errata - - Duplicate - - MirrorOrphan - - Not a Bug - - Obsolete - - Test Pending - - Won't Do - description: Resolution of a CLOSED task. - - in: query - name: status - schema: - type: string - enum: - - Closed - - In Progress - - New - - Refinement - required: true - - in: path - name: task_key - schema: - type: string - required: true - tags: - - taskman - security: - - OsidbTokenAuthentication: [] - responses: - '200': - content: - application/json: - schema: - type: object - properties: - dt: - type: string - format: date-time - env: - type: string - revision: - type: string - version: - type: string - description: '' - /taskman/api/v1/task/assignee/{user}: - get: - operationId: taskman_api_v1_task_assignee_retrieve - description: Get a list of tasks from a user + operationId: taskman_api_v1_task_update + description: updates a task in Jira parameters: - in: header name: Jira-Api-Key @@ -7021,12 +6887,23 @@ paths: description: User generated token for Jira authentication. required: true - in: path - name: user + name: id schema: type: string required: true tags: - taskman + requestBody: + content: + application/json: + schema: + $ref: '#/components/schemas/Task' + application/x-www-form-urlencoded: + schema: + $ref: '#/components/schemas/Task' + multipart/form-data: + schema: + $ref: '#/components/schemas/Task' security: - OsidbTokenAuthentication: [] responses: @@ -7035,7 +6912,7 @@ paths: application/json: schema: allOf: - - $ref: '#/components/schemas/JiraIssueQueryResult' + - $ref: '#/components/schemas/Task' - type: object properties: dt: @@ -7048,9 +6925,10 @@ paths: version: type: string description: '' - put: - operationId: taskman_api_v1_task_assignee_update - description: Assign a task to a user + /taskman/api/v1/task/{task_key}/comment: + post: + operationId: taskman_api_v1_task_comment_create + description: Create a new comment in a task parameters: - in: header name: Jira-Api-Key @@ -7059,49 +6937,12 @@ paths: description: User generated token for Jira authentication. required: true - in: query - name: task_key - schema: - type: string - required: true - - in: path - name: user - schema: - type: string - required: true - tags: - - taskman - security: - - OsidbTokenAuthentication: [] - responses: - '200': - content: - application/json: - schema: - type: object - properties: - dt: - type: string - format: date-time - env: - type: string - revision: - type: string - version: - type: string - description: '' - /taskman/api/v1/task/flaw/{flaw_uuid}: - get: - operationId: taskman_api_v1_task_flaw_retrieve - description: Get a task from Jira given a Flaw uuid - parameters: - - in: header - name: Jira-Api-Key + name: content schema: type: string - description: User generated token for Jira authentication. required: true - in: path - name: flaw_uuid + name: task_key schema: type: string required: true @@ -7115,7 +6956,7 @@ paths: application/json: schema: allOf: - - $ref: '#/components/schemas/JiraIssue' + - $ref: '#/components/schemas/JiraComment' - type: object properties: dt: @@ -7128,9 +6969,10 @@ paths: version: type: string description: '' - post: - operationId: taskman_api_v1_task_flaw_create - description: Create a task in Jira from a Flaw + /taskman/api/v1/task/{task_key}/comment/{comment_id}: + put: + operationId: taskman_api_v1_task_comment_update + description: Edit a comment in a task parameters: - in: header name: Jira-Api-Key @@ -7139,77 +6981,19 @@ paths: description: User generated token for Jira authentication. required: true - in: path - name: flaw_uuid + name: comment_id schema: type: string required: true - tags: - - taskman - security: - - OsidbTokenAuthentication: [] - responses: - '200': - content: - application/json: - schema: - type: object - properties: - dt: - type: string - format: date-time - env: - type: string - revision: - type: string - version: - type: string - description: '' - put: - operationId: taskman_api_v1_task_flaw_update - description: Update a task in Jira from a Flaw - parameters: - - in: header - name: Jira-Api-Key + - in: query + name: content schema: type: string - description: User generated token for Jira authentication. required: true - in: path - name: flaw_uuid - schema: - type: string - required: true - tags: - - taskman - security: - - OsidbTokenAuthentication: [] - responses: - '200': - content: - application/json: - schema: - type: object - properties: - dt: - type: string - format: date-time - env: - type: string - revision: - type: string - version: - type: string - description: '' - /taskman/api/v1/task/unassigned/: - get: - operationId: taskman_api_v1_task_unassigned_retrieve - description: Get a list of tasks without an user assigned - parameters: - - in: header - name: Jira-Api-Key + name: task_key schema: type: string - description: User generated token for Jira authentication. required: true tags: - taskman @@ -7221,7 +7005,7 @@ paths: application/json: schema: allOf: - - $ref: '#/components/schemas/JiraIssueQueryResult' + - $ref: '#/components/schemas/JiraComment' - type: object properties: dt: @@ -8947,6 +8731,10 @@ components: JiraIssueQueryResult: type: object properties: + startAt: + type: integer + maxResults: + type: integer total: type: integer issues: @@ -8955,6 +8743,8 @@ components: $ref: '#/components/schemas/JiraIssue' required: - issues + - maxResults + - startAt - total JiraIssueType: type: object @@ -9315,6 +9105,26 @@ components: type: array items: $ref: '#/components/schemas/FlawReportData' + PaginatedJiraIssueQueryResultList: + type: object + properties: + count: + type: integer + example: 123 + next: + type: string + nullable: true + format: uri + example: http://api.example.org/accounts/?offset=400&limit=100 + previous: + type: string + nullable: true + format: uri + example: http://api.example.org/accounts/?offset=200&limit=100 + results: + type: array + items: + $ref: '#/components/schemas/JiraIssueQueryResult' PaginatedSupportedProductsList: type: object properties: @@ -9478,6 +9288,15 @@ components: - XEN - XPDF type: string + StateEnum: + enum: + - NEW + - TRIAGE + - PRE_SECONDARY_ASSESSMENT + - SECONDARY_ASSESSMENT + - DONE + - REJECTED + type: string SupportedProducts: type: object properties: @@ -9486,6 +9305,35 @@ components: maxLength: 100 required: - name + Task: + type: object + properties: + uuid: + type: string + format: uuid + readOnly: true + state: + allOf: + - $ref: '#/components/schemas/StateEnum' + writeOnly: true + jira_key: + type: string + readOnly: true + jira_group_key: + type: string + maxLength: 60 + team_id: + type: string + maxLength: 8 + owner: + type: string + maxLength: 60 + flaw: + type: string + format: uuid + required: + - jira_key + - uuid TokenObtainPair: type: object properties: