Commit 154dd2c2 authored by Coung Ngo's avatar Coung Ngo Committed by Nathan Friend

Convert to use GraphQL in issues page refactor

parent 475ba0d9
...@@ -50,6 +50,9 @@ export default { ...@@ -50,6 +50,9 @@ export default {
}, },
}, },
computed: { computed: {
issuableId() {
return getIdFromGraphQLId(this.issuable.id);
},
createdInPastDay() { createdInPastDay() {
const createdSecondsAgo = differenceInSeconds(new Date(this.issuable.createdAt), new Date()); const createdSecondsAgo = differenceInSeconds(new Date(this.issuable.createdAt), new Date());
return createdSecondsAgo < SECONDS_IN_DAY; return createdSecondsAgo < SECONDS_IN_DAY;
...@@ -61,7 +64,7 @@ export default { ...@@ -61,7 +64,7 @@ export default {
return this.issuable.gitlabWebUrl || this.issuable.webUrl; return this.issuable.gitlabWebUrl || this.issuable.webUrl;
}, },
authorId() { authorId() {
return getIdFromGraphQLId(`${this.author.id}`); return getIdFromGraphQLId(this.author.id);
}, },
isIssuableUrlExternal() { isIssuableUrlExternal() {
return isExternal(this.webUrl); return isExternal(this.webUrl);
...@@ -70,10 +73,10 @@ export default { ...@@ -70,10 +73,10 @@ export default {
return this.issuable.labels?.nodes || this.issuable.labels || []; return this.issuable.labels?.nodes || this.issuable.labels || [];
}, },
labelIdsString() { labelIdsString() {
return JSON.stringify(this.labels.map((label) => label.id)); return JSON.stringify(this.labels.map((label) => getIdFromGraphQLId(label.id)));
}, },
assignees() { assignees() {
return this.issuable.assignees || []; return this.issuable.assignees?.nodes || this.issuable.assignees || [];
}, },
createdAt() { createdAt() {
return sprintf(__('created %{timeAgo}'), { return sprintf(__('created %{timeAgo}'), {
...@@ -157,7 +160,7 @@ export default { ...@@ -157,7 +160,7 @@ export default {
<template> <template>
<li <li
:id="`issuable_${issuable.id}`" :id="`issuable_${issuableId}`"
class="issue gl-px-5!" class="issue gl-px-5!"
:class="{ closed: issuable.closedAt, today: createdInPastDay }" :class="{ closed: issuable.closedAt, today: createdInPastDay }"
:data-labels="labelIdsString" :data-labels="labelIdsString"
...@@ -167,7 +170,7 @@ export default { ...@@ -167,7 +170,7 @@ export default {
<gl-form-checkbox <gl-form-checkbox
class="gl-mr-0" class="gl-mr-0"
:checked="checked" :checked="checked"
:data-id="issuable.id" :data-id="issuableId"
@input="$emit('checked-input', $event)" @input="$emit('checked-input', $event)"
> >
<span class="gl-sr-only">{{ issuable.title }}</span> <span class="gl-sr-only">{{ issuable.title }}</span>
......
<script> <script>
import { GlSkeletonLoading, GlPagination } from '@gitlab/ui'; import { GlKeysetPagination, GlSkeletonLoading, GlPagination } from '@gitlab/ui';
import { uniqueId } from 'lodash'; import { uniqueId } from 'lodash';
import { getIdFromGraphQLId } from '~/graphql_shared/utils';
import { updateHistory, setUrlParams } from '~/lib/utils/url_utility'; import { updateHistory, setUrlParams } from '~/lib/utils/url_utility';
import FilteredSearchBar from '~/vue_shared/components/filtered_search_bar/filtered_search_bar_root.vue'; import FilteredSearchBar from '~/vue_shared/components/filtered_search_bar/filtered_search_bar_root.vue';
...@@ -19,6 +19,7 @@ export default { ...@@ -19,6 +19,7 @@ export default {
tag: 'ul', tag: 'ul',
}, },
components: { components: {
GlKeysetPagination,
GlSkeletonLoading, GlSkeletonLoading,
IssuableTabs, IssuableTabs,
FilteredSearchBar, FilteredSearchBar,
...@@ -140,6 +141,21 @@ export default { ...@@ -140,6 +141,21 @@ export default {
required: false, required: false,
default: false, default: false,
}, },
useKeysetPagination: {
type: Boolean,
required: false,
default: false,
},
hasNextPage: {
type: Boolean,
required: false,
default: false,
},
hasPreviousPage: {
type: Boolean,
required: false,
default: false,
},
}, },
data() { data() {
return { return {
...@@ -211,7 +227,7 @@ export default { ...@@ -211,7 +227,7 @@ export default {
}, },
methods: { methods: {
issuableId(issuable) { issuableId(issuable) {
return issuable.id || issuable.iid || uniqueId(); return getIdFromGraphQLId(issuable.id) || issuable.iid || uniqueId();
}, },
issuableChecked(issuable) { issuableChecked(issuable) {
return this.checkedIssuables[this.issuableId(issuable)]?.checked; return this.checkedIssuables[this.issuableId(issuable)]?.checked;
...@@ -315,8 +331,16 @@ export default { ...@@ -315,8 +331,16 @@ export default {
<slot v-else name="empty-state"></slot> <slot v-else name="empty-state"></slot>
</template> </template>
<div v-if="showPaginationControls && useKeysetPagination" class="gl-text-center gl-mt-3">
<gl-keyset-pagination
:has-next-page="hasNextPage"
:has-previous-page="hasPreviousPage"
@next="$emit('next-page')"
@prev="$emit('previous-page')"
/>
</div>
<gl-pagination <gl-pagination
v-if="showPaginationControls" v-else-if="showPaginationControls"
:per-page="defaultPageSize" :per-page="defaultPageSize"
:total-items="totalItems" :total-items="totalItems"
:value="currentPage" :value="currentPage"
......
...@@ -42,6 +42,9 @@ export default { ...@@ -42,6 +42,9 @@ export default {
} }
return __('Milestone'); return __('Milestone');
}, },
milestoneLink() {
return this.issue.milestone.webPath || this.issue.milestone.webUrl;
},
dueDate() { dueDate() {
return this.issue.dueDate && dateInWords(new Date(this.issue.dueDate), true); return this.issue.dueDate && dateInWords(new Date(this.issue.dueDate), true);
}, },
...@@ -49,7 +52,7 @@ export default { ...@@ -49,7 +52,7 @@ export default {
return isInPast(new Date(this.issue.dueDate)); return isInPast(new Date(this.issue.dueDate));
}, },
timeEstimate() { timeEstimate() {
return this.issue.timeStats?.humanTimeEstimate; return this.issue.humanTimeEstimate || this.issue.timeStats?.humanTimeEstimate;
}, },
showHealthStatus() { showHealthStatus() {
return this.hasIssuableHealthStatusFeature && this.issue.healthStatus; return this.hasIssuableHealthStatusFeature && this.issue.healthStatus;
...@@ -85,7 +88,7 @@ export default { ...@@ -85,7 +88,7 @@ export default {
class="issuable-milestone gl-display-none gl-sm-display-inline-block! gl-mr-3" class="issuable-milestone gl-display-none gl-sm-display-inline-block! gl-mr-3"
data-testid="issuable-milestone" data-testid="issuable-milestone"
> >
<gl-link v-gl-tooltip :href="issue.milestone.webUrl" :title="milestoneDate"> <gl-link v-gl-tooltip :href="milestoneLink" :title="milestoneDate">
<gl-icon name="clock" /> <gl-icon name="clock" />
{{ issue.milestone.title }} {{ issue.milestone.title }}
</gl-link> </gl-link>
......
...@@ -9,7 +9,7 @@ import { ...@@ -9,7 +9,7 @@ import {
GlTooltipDirective, GlTooltipDirective,
} from '@gitlab/ui'; } from '@gitlab/ui';
import fuzzaldrinPlus from 'fuzzaldrin-plus'; import fuzzaldrinPlus from 'fuzzaldrin-plus';
import { toNumber } from 'lodash'; import getIssuesQuery from 'ee_else_ce/issues_list/queries/get_issues.query.graphql';
import createFlash from '~/flash'; import createFlash from '~/flash';
import CsvImportExportButtons from '~/issuable/components/csv_import_export_buttons.vue'; import CsvImportExportButtons from '~/issuable/components/csv_import_export_buttons.vue';
import IssuableByEmail from '~/issuable/components/issuable_by_email.vue'; import IssuableByEmail from '~/issuable/components/issuable_by_email.vue';
...@@ -17,13 +17,12 @@ import IssuableList from '~/issuable_list/components/issuable_list_root.vue'; ...@@ -17,13 +17,12 @@ import IssuableList from '~/issuable_list/components/issuable_list_root.vue';
import { IssuableListTabs, IssuableStates } from '~/issuable_list/constants'; import { IssuableListTabs, IssuableStates } from '~/issuable_list/constants';
import { import {
API_PARAM, API_PARAM,
apiSortParams,
CREATED_DESC, CREATED_DESC,
i18n, i18n,
initialPageParams,
MAX_LIST_SIZE, MAX_LIST_SIZE,
PAGE_SIZE, PAGE_SIZE,
PARAM_DUE_DATE, PARAM_DUE_DATE,
PARAM_PAGE,
PARAM_SORT, PARAM_SORT,
PARAM_STATE, PARAM_STATE,
RELATIVE_POSITION_DESC, RELATIVE_POSITION_DESC,
...@@ -49,7 +48,8 @@ import { ...@@ -49,7 +48,8 @@ import {
getSortOptions, getSortOptions,
} from '~/issues_list/utils'; } from '~/issues_list/utils';
import axios from '~/lib/utils/axios_utils'; import axios from '~/lib/utils/axios_utils';
import { convertObjectPropsToCamelCase, getParameterByName } from '~/lib/utils/common_utils'; import { getParameterByName } from '~/lib/utils/common_utils';
import { scrollUp } from '~/lib/utils/scroll_utils';
import { import {
DEFAULT_NONE_ANY, DEFAULT_NONE_ANY,
OPERATOR_IS_ONLY, OPERATOR_IS_ONLY,
...@@ -107,9 +107,6 @@ export default { ...@@ -107,9 +107,6 @@ export default {
emptyStateSvgPath: { emptyStateSvgPath: {
default: '', default: '',
}, },
endpoint: {
default: '',
},
exportCsvPath: { exportCsvPath: {
default: '', default: '',
}, },
...@@ -173,15 +170,43 @@ export default { ...@@ -173,15 +170,43 @@ export default {
dueDateFilter: getDueDateValue(getParameterByName(PARAM_DUE_DATE)), dueDateFilter: getDueDateValue(getParameterByName(PARAM_DUE_DATE)),
exportCsvPathWithQuery: this.getExportCsvPathWithQuery(), exportCsvPathWithQuery: this.getExportCsvPathWithQuery(),
filterTokens: getFilterTokens(window.location.search), filterTokens: getFilterTokens(window.location.search),
isLoading: false,
issues: [], issues: [],
page: toNumber(getParameterByName(PARAM_PAGE)) || 1, pageInfo: {},
pageParams: initialPageParams,
showBulkEditSidebar: false, showBulkEditSidebar: false,
sortKey: getSortKey(getParameterByName(PARAM_SORT)) || defaultSortKey, sortKey: getSortKey(getParameterByName(PARAM_SORT)) || defaultSortKey,
state: state || IssuableStates.Opened, state: state || IssuableStates.Opened,
totalIssues: 0, totalIssues: 0,
}; };
}, },
apollo: {
issues: {
query: getIssuesQuery,
variables() {
return {
projectPath: this.projectPath,
search: this.searchQuery,
sort: this.sortKey,
state: this.state,
...this.pageParams,
...this.apiFilterParams,
};
},
update: ({ project }) => project.issues.nodes,
result({ data }) {
this.pageInfo = data.project.issues.pageInfo;
this.totalIssues = data.project.issues.count;
this.exportCsvPathWithQuery = this.getExportCsvPathWithQuery();
},
error(error) {
createFlash({ message: this.$options.i18n.errorFetchingIssues, captureError: true, error });
},
skip() {
return !this.hasProjectIssues;
},
debounce: 200,
},
},
computed: { computed: {
hasSearch() { hasSearch() {
return this.searchQuery || Object.keys(this.urlFilterParams).length; return this.searchQuery || Object.keys(this.urlFilterParams).length;
...@@ -348,7 +373,6 @@ export default { ...@@ -348,7 +373,6 @@ export default {
return { return {
due_date: this.dueDateFilter, due_date: this.dueDateFilter,
page: this.page,
search: this.searchQuery, search: this.searchQuery,
state: this.state, state: this.state,
...urlSortParams[this.sortKey], ...urlSortParams[this.sortKey],
...@@ -361,7 +385,6 @@ export default { ...@@ -361,7 +385,6 @@ export default {
}, },
mounted() { mounted() {
eventHub.$on('issuables:toggleBulkEdit', this.toggleBulkEditSidebar); eventHub.$on('issuables:toggleBulkEdit', this.toggleBulkEditSidebar);
this.fetchIssues();
}, },
beforeDestroy() { beforeDestroy() {
eventHub.$off('issuables:toggleBulkEdit', this.toggleBulkEditSidebar); eventHub.$off('issuables:toggleBulkEdit', this.toggleBulkEditSidebar);
...@@ -406,54 +429,11 @@ export default { ...@@ -406,54 +429,11 @@ export default {
fetchUsers(search) { fetchUsers(search) {
return axios.get(this.autocompleteUsersPath, { params: { search } }); return axios.get(this.autocompleteUsersPath, { params: { search } });
}, },
fetchIssues() {
if (!this.hasProjectIssues) {
return undefined;
}
this.isLoading = true;
const filterParams = {
...this.apiFilterParams,
};
if (filterParams.epic_id) {
filterParams.epic_id = filterParams.epic_id.split('::&').pop();
} else if (filterParams['not[epic_id]']) {
filterParams['not[epic_id]'] = filterParams['not[epic_id]'].split('::&').pop();
}
return axios
.get(this.endpoint, {
params: {
due_date: this.dueDateFilter,
page: this.page,
per_page: PAGE_SIZE,
search: this.searchQuery,
state: this.state,
with_labels_details: true,
...apiSortParams[this.sortKey],
...filterParams,
},
})
.then(({ data, headers }) => {
this.page = Number(headers['x-page']);
this.totalIssues = Number(headers['x-total']);
this.issues = data.map((issue) => convertObjectPropsToCamelCase(issue, { deep: true }));
this.exportCsvPathWithQuery = this.getExportCsvPathWithQuery();
})
.catch(() => {
createFlash({ message: this.$options.i18n.errorFetchingIssues });
})
.finally(() => {
this.isLoading = false;
});
},
getExportCsvPathWithQuery() { getExportCsvPathWithQuery() {
return `${this.exportCsvPath}${window.location.search}`; return `${this.exportCsvPath}${window.location.search}`;
}, },
getStatus(issue) { getStatus(issue) {
if (issue.closedAt && issue.movedToId) { if (issue.closedAt && issue.moved) {
return this.$options.i18n.closedMoved; return this.$options.i18n.closedMoved;
} }
if (issue.closedAt) { if (issue.closedAt) {
...@@ -484,18 +464,26 @@ export default { ...@@ -484,18 +464,26 @@ export default {
}, },
handleClickTab(state) { handleClickTab(state) {
if (this.state !== state) { if (this.state !== state) {
this.page = 1; this.pageParams = initialPageParams;
} }
this.state = state; this.state = state;
this.fetchIssues();
}, },
handleFilter(filter) { handleFilter(filter) {
this.filterTokens = filter; this.filterTokens = filter;
this.fetchIssues();
}, },
handlePageChange(page) { handleNextPage() {
this.page = page; this.pageParams = {
this.fetchIssues(); afterCursor: this.pageInfo.endCursor,
firstPageSize: PAGE_SIZE,
};
scrollUp();
},
handlePreviousPage() {
this.pageParams = {
beforeCursor: this.pageInfo.startCursor,
lastPageSize: PAGE_SIZE,
};
scrollUp();
}, },
handleReorder({ newIndex, oldIndex }) { handleReorder({ newIndex, oldIndex }) {
const issueToMove = this.issues[oldIndex]; const issueToMove = this.issues[oldIndex];
...@@ -530,9 +518,11 @@ export default { ...@@ -530,9 +518,11 @@ export default {
createFlash({ message: this.$options.i18n.reorderError }); createFlash({ message: this.$options.i18n.reorderError });
}); });
}, },
handleSort(value) { handleSort(sortKey) {
this.sortKey = value; if (this.sortKey !== sortKey) {
this.fetchIssues(); this.pageParams = initialPageParams;
}
this.sortKey = sortKey;
}, },
toggleBulkEditSidebar(showBulkEditSidebar) { toggleBulkEditSidebar(showBulkEditSidebar) {
this.showBulkEditSidebar = showBulkEditSidebar; this.showBulkEditSidebar = showBulkEditSidebar;
...@@ -556,18 +546,18 @@ export default { ...@@ -556,18 +546,18 @@ export default {
:tabs="$options.IssuableListTabs" :tabs="$options.IssuableListTabs"
:current-tab="state" :current-tab="state"
:tab-counts="tabCounts" :tab-counts="tabCounts"
:issuables-loading="isLoading" :issuables-loading="$apollo.queries.issues.loading"
:is-manual-ordering="isManualOrdering" :is-manual-ordering="isManualOrdering"
:show-bulk-edit-sidebar="showBulkEditSidebar" :show-bulk-edit-sidebar="showBulkEditSidebar"
:show-pagination-controls="showPaginationControls" :show-pagination-controls="showPaginationControls"
:total-items="totalIssues" :use-keyset-pagination="true"
:current-page="page" :has-next-page="pageInfo.hasNextPage"
:previous-page="page - 1" :has-previous-page="pageInfo.hasPreviousPage"
:next-page="page + 1"
:url-params="urlParams" :url-params="urlParams"
@click-tab="handleClickTab" @click-tab="handleClickTab"
@filter="handleFilter" @filter="handleFilter"
@page-change="handlePageChange" @next-page="handleNextPage"
@previous-page="handlePreviousPage"
@reorder="handleReorder" @reorder="handleReorder"
@sort="handleSort" @sort="handleSort"
@update-legacy-bulk-edit="handleUpdateLegacyBulkEdit" @update-legacy-bulk-edit="handleUpdateLegacyBulkEdit"
...@@ -646,7 +636,7 @@ export default { ...@@ -646,7 +636,7 @@ export default {
</li> </li>
<blocking-issues-count <blocking-issues-count
class="gl-display-none gl-sm-display-block" class="gl-display-none gl-sm-display-block"
:blocking-issues-count="issuable.blockingIssuesCount" :blocking-issues-count="issuable.blockedByCount"
:is-list-item="true" :is-list-item="true"
/> />
</template> </template>
......
...@@ -101,10 +101,13 @@ export const i18n = { ...@@ -101,10 +101,13 @@ export const i18n = {
export const JIRA_IMPORT_SUCCESS_ALERT_HIDE_MAP_KEY = 'jira-import-success-alert-hide-map'; export const JIRA_IMPORT_SUCCESS_ALERT_HIDE_MAP_KEY = 'jira-import-success-alert-hide-map';
export const PARAM_DUE_DATE = 'due_date'; export const PARAM_DUE_DATE = 'due_date';
export const PARAM_PAGE = 'page';
export const PARAM_SORT = 'sort'; export const PARAM_SORT = 'sort';
export const PARAM_STATE = 'state'; export const PARAM_STATE = 'state';
export const initialPageParams = {
firstPageSize: PAGE_SIZE,
};
export const DUE_DATE_NONE = '0'; export const DUE_DATE_NONE = '0';
export const DUE_DATE_ANY = ''; export const DUE_DATE_ANY = '';
export const DUE_DATE_OVERDUE = 'overdue'; export const DUE_DATE_OVERDUE = 'overdue';
......
...@@ -73,6 +73,13 @@ export function mountIssuesListApp() { ...@@ -73,6 +73,13 @@ export function mountIssuesListApp() {
return false; return false;
} }
Vue.use(VueApollo);
const defaultClient = createDefaultClient({}, { assumeImmutableResults: true });
const apolloProvider = new VueApollo({
defaultClient,
});
const { const {
autocompleteAwardEmojisPath, autocompleteAwardEmojisPath,
autocompleteUsersPath, autocompleteUsersPath,
...@@ -83,7 +90,6 @@ export function mountIssuesListApp() { ...@@ -83,7 +90,6 @@ export function mountIssuesListApp() {
email, email,
emailsHelpPagePath, emailsHelpPagePath,
emptyStateSvgPath, emptyStateSvgPath,
endpoint,
exportCsvPath, exportCsvPath,
groupEpicsPath, groupEpicsPath,
hasBlockedIssuesFeature, hasBlockedIssuesFeature,
...@@ -113,16 +119,13 @@ export function mountIssuesListApp() { ...@@ -113,16 +119,13 @@ export function mountIssuesListApp() {
return new Vue({ return new Vue({
el, el,
// Currently does not use Vue Apollo, but need to provide {} for now until the apolloProvider,
// issue is fixed upstream in https://github.com/vuejs/vue-apollo/pull/1153
apolloProvider: {},
provide: { provide: {
autocompleteAwardEmojisPath, autocompleteAwardEmojisPath,
autocompleteUsersPath, autocompleteUsersPath,
calendarPath, calendarPath,
canBulkUpdate: parseBoolean(canBulkUpdate), canBulkUpdate: parseBoolean(canBulkUpdate),
emptyStateSvgPath, emptyStateSvgPath,
endpoint,
groupEpicsPath, groupEpicsPath,
hasBlockedIssuesFeature: parseBoolean(hasBlockedIssuesFeature), hasBlockedIssuesFeature: parseBoolean(hasBlockedIssuesFeature),
hasIssuableHealthStatusFeature: parseBoolean(hasIssuableHealthStatusFeature), hasIssuableHealthStatusFeature: parseBoolean(hasIssuableHealthStatusFeature),
......
#import "~/graphql_shared/fragments/pageInfo.fragment.graphql"
#import "./issue.fragment.graphql"
query getProjectIssues(
$projectPath: ID!
$search: String
$sort: IssueSort
$state: IssuableState
$assigneeId: String
$assigneeUsernames: [String!]
$authorUsername: String
$labelName: [String]
$milestoneTitle: [String]
$not: NegatedIssueFilterInput
$beforeCursor: String
$afterCursor: String
$firstPageSize: Int
$lastPageSize: Int
) {
project(fullPath: $projectPath) {
issues(
search: $search
sort: $sort
state: $state
assigneeId: $assigneeId
assigneeUsernames: $assigneeUsernames
authorUsername: $authorUsername
labelName: $labelName
milestoneTitle: $milestoneTitle
not: $not
before: $beforeCursor
after: $afterCursor
first: $firstPageSize
last: $lastPageSize
) {
count
pageInfo {
...PageInfo
}
nodes {
...IssueFragment
}
}
}
}
fragment IssueFragment on Issue {
id
iid
closedAt
confidential
createdAt
downvotes
dueDate
humanTimeEstimate
moved
title
updatedAt
upvotes
userDiscussionsCount
webUrl
assignees {
nodes {
id
avatarUrl
name
username
webUrl
}
}
author {
id
avatarUrl
name
username
webUrl
}
labels {
nodes {
id
color
title
description
}
}
milestone {
id
dueDate
startDate
webPath
title
}
taskCompletionStatus {
completedCount
count
}
}
...@@ -190,7 +190,6 @@ module IssuesHelper ...@@ -190,7 +190,6 @@ module IssuesHelper
email: current_user&.notification_email, email: current_user&.notification_email,
emails_help_page_path: help_page_path('development/emails', anchor: 'email-namespace'), emails_help_page_path: help_page_path('development/emails', anchor: 'email-namespace'),
empty_state_svg_path: image_path('illustrations/issues.svg'), empty_state_svg_path: image_path('illustrations/issues.svg'),
endpoint: expose_path(api_v4_projects_issues_path(id: project.id)),
export_csv_path: export_csv_project_issues_path(project), export_csv_path: export_csv_project_issues_path(project),
has_project_issues: project_issues(project).exists?.to_s, has_project_issues: project_issues(project).exists?.to_s,
import_csv_issues_path: import_csv_namespace_project_issues_path, import_csv_issues_path: import_csv_namespace_project_issues_path,
......
#import "~/graphql_shared/fragments/pageInfo.fragment.graphql"
#import "~/issues_list/queries/issue.fragment.graphql"
query getProjectIssues(
$projectPath: ID!
$search: String
$sort: IssueSort
$state: IssuableState
$assigneeId: String
$assigneeUsernames: [String!]
$authorUsername: String
$labelName: [String]
$milestoneTitle: [String]
$epicId: String
$iterationId: [ID]
$iterationWildcardId: IterationWildcardId
$weight: String
$not: NegatedIssueFilterInput
$beforeCursor: String
$afterCursor: String
$firstPageSize: Int
$lastPageSize: Int
) {
project(fullPath: $projectPath) {
issues(
search: $search
sort: $sort
state: $state
assigneeId: $assigneeId
assigneeUsernames: $assigneeUsernames
authorUsername: $authorUsername
labelName: $labelName
milestoneTitle: $milestoneTitle
epicId: $epicId
iterationId: $iterationId
iterationWildcardId: $iterationWildcardId
weight: $weight
not: $not
before: $beforeCursor
after: $afterCursor
first: $firstPageSize
last: $lastPageSize
) {
count
pageInfo {
...PageInfo
}
nodes {
...IssueFragment
blockedByCount
healthStatus
weight
}
}
}
}
...@@ -6,6 +6,8 @@ Object { ...@@ -6,6 +6,8 @@ Object {
"currentTab": "opened", "currentTab": "opened",
"defaultPageSize": 2, "defaultPageSize": 2,
"enableLabelPermalinks": true, "enableLabelPermalinks": true,
"hasNextPage": false,
"hasPreviousPage": false,
"initialFilterValue": Array [ "initialFilterValue": Array [
Object { Object {
"type": "filtered-search-term", "type": "filtered-search-term",
...@@ -75,5 +77,6 @@ Object { ...@@ -75,5 +77,6 @@ Object {
"sort": "created_desc", "sort": "created_desc",
"state": "opened", "state": "opened",
}, },
"useKeysetPagination": false,
} }
`; `;
import { GlSkeletonLoading, GlPagination } from '@gitlab/ui'; import { GlKeysetPagination, GlSkeletonLoading, GlPagination } from '@gitlab/ui';
import { shallowMount } from '@vue/test-utils'; import { shallowMount } from '@vue/test-utils';
import VueDraggable from 'vuedraggable'; import VueDraggable from 'vuedraggable';
...@@ -11,9 +11,12 @@ import FilteredSearchBar from '~/vue_shared/components/filtered_search_bar/filte ...@@ -11,9 +11,12 @@ import FilteredSearchBar from '~/vue_shared/components/filtered_search_bar/filte
import { mockIssuableListProps, mockIssuables } from '../mock_data'; import { mockIssuableListProps, mockIssuables } from '../mock_data';
const createComponent = ({ props = mockIssuableListProps, data = {} } = {}) => const createComponent = ({ props = {}, data = {} } = {}) =>
shallowMount(IssuableListRoot, { shallowMount(IssuableListRoot, {
propsData: props, propsData: {
...mockIssuableListProps,
...props,
},
data() { data() {
return data; return data;
}, },
...@@ -34,6 +37,7 @@ describe('IssuableListRoot', () => { ...@@ -34,6 +37,7 @@ describe('IssuableListRoot', () => {
let wrapper; let wrapper;
const findFilteredSearchBar = () => wrapper.findComponent(FilteredSearchBar); const findFilteredSearchBar = () => wrapper.findComponent(FilteredSearchBar);
const findGlKeysetPagination = () => wrapper.findComponent(GlKeysetPagination);
const findGlPagination = () => wrapper.findComponent(GlPagination); const findGlPagination = () => wrapper.findComponent(GlPagination);
const findIssuableItem = () => wrapper.findComponent(IssuableItem); const findIssuableItem = () => wrapper.findComponent(IssuableItem);
const findIssuableTabs = () => wrapper.findComponent(IssuableTabs); const findIssuableTabs = () => wrapper.findComponent(IssuableTabs);
...@@ -189,15 +193,15 @@ describe('IssuableListRoot', () => { ...@@ -189,15 +193,15 @@ describe('IssuableListRoot', () => {
}); });
describe('template', () => { describe('template', () => {
beforeEach(() => { it('renders component container element with class "issuable-list-container"', () => {
wrapper = createComponent(); wrapper = createComponent();
});
it('renders component container element with class "issuable-list-container"', () => {
expect(wrapper.classes()).toContain('issuable-list-container'); expect(wrapper.classes()).toContain('issuable-list-container');
}); });
it('renders issuable-tabs component', () => { it('renders issuable-tabs component', () => {
wrapper = createComponent();
const tabsEl = findIssuableTabs(); const tabsEl = findIssuableTabs();
expect(tabsEl.exists()).toBe(true); expect(tabsEl.exists()).toBe(true);
...@@ -209,6 +213,8 @@ describe('IssuableListRoot', () => { ...@@ -209,6 +213,8 @@ describe('IssuableListRoot', () => {
}); });
it('renders contents for slot "nav-actions" within issuable-tab component', () => { it('renders contents for slot "nav-actions" within issuable-tab component', () => {
wrapper = createComponent();
const buttonEl = findIssuableTabs().find('button.js-new-issuable'); const buttonEl = findIssuableTabs().find('button.js-new-issuable');
expect(buttonEl.exists()).toBe(true); expect(buttonEl.exists()).toBe(true);
...@@ -216,6 +222,8 @@ describe('IssuableListRoot', () => { ...@@ -216,6 +222,8 @@ describe('IssuableListRoot', () => {
}); });
it('renders filtered-search-bar component', () => { it('renders filtered-search-bar component', () => {
wrapper = createComponent();
const searchEl = findFilteredSearchBar(); const searchEl = findFilteredSearchBar();
const { const {
namespace, namespace,
...@@ -239,12 +247,8 @@ describe('IssuableListRoot', () => { ...@@ -239,12 +247,8 @@ describe('IssuableListRoot', () => {
}); });
}); });
it('renders gl-loading-icon when `issuablesLoading` prop is true', async () => { it('renders gl-loading-icon when `issuablesLoading` prop is true', () => {
wrapper.setProps({ wrapper = createComponent({ props: { issuablesLoading: true } });
issuablesLoading: true,
});
await wrapper.vm.$nextTick();
expect(wrapper.findAllComponents(GlSkeletonLoading)).toHaveLength( expect(wrapper.findAllComponents(GlSkeletonLoading)).toHaveLength(
wrapper.vm.skeletonItemCount, wrapper.vm.skeletonItemCount,
...@@ -252,6 +256,8 @@ describe('IssuableListRoot', () => { ...@@ -252,6 +256,8 @@ describe('IssuableListRoot', () => {
}); });
it('renders issuable-item component for each item within `issuables` array', () => { it('renders issuable-item component for each item within `issuables` array', () => {
wrapper = createComponent();
const itemsEl = wrapper.findAllComponents(IssuableItem); const itemsEl = wrapper.findAllComponents(IssuableItem);
const mockIssuable = mockIssuableListProps.issuables[0]; const mockIssuable = mockIssuableListProps.issuables[0];
...@@ -262,28 +268,23 @@ describe('IssuableListRoot', () => { ...@@ -262,28 +268,23 @@ describe('IssuableListRoot', () => {
}); });
}); });
it('renders contents for slot "empty-state" when `issuablesLoading` is false and `issuables` is empty', async () => { it('renders contents for slot "empty-state" when `issuablesLoading` is false and `issuables` is empty', () => {
wrapper.setProps({ wrapper = createComponent({ props: { issuables: [] } });
issuables: [],
});
await wrapper.vm.$nextTick();
expect(wrapper.find('p.js-issuable-empty-state').exists()).toBe(true); expect(wrapper.find('p.js-issuable-empty-state').exists()).toBe(true);
expect(wrapper.find('p.js-issuable-empty-state').text()).toBe('Issuable empty state'); expect(wrapper.find('p.js-issuable-empty-state').text()).toBe('Issuable empty state');
}); });
it('renders gl-pagination when `showPaginationControls` prop is true', async () => { it('renders only gl-pagination when `showPaginationControls` prop is true', () => {
wrapper.setProps({ wrapper = createComponent({
showPaginationControls: true, props: {
totalItems: 10, showPaginationControls: true,
totalItems: 10,
},
}); });
await wrapper.vm.$nextTick(); expect(findGlKeysetPagination().exists()).toBe(false);
expect(findGlPagination().props()).toMatchObject({
const paginationEl = findGlPagination();
expect(paginationEl.exists()).toBe(true);
expect(paginationEl.props()).toMatchObject({
perPage: 20, perPage: 20,
value: 1, value: 1,
prevPage: 0, prevPage: 0,
...@@ -292,32 +293,47 @@ describe('IssuableListRoot', () => { ...@@ -292,32 +293,47 @@ describe('IssuableListRoot', () => {
align: 'center', align: 'center',
}); });
}); });
});
describe('events', () => { it('renders only gl-keyset-pagination when `showPaginationControls` and `useKeysetPagination` props are true', () => {
beforeEach(() => {
wrapper = createComponent({ wrapper = createComponent({
data: { props: {
checkedIssuables: { hasNextPage: true,
[mockIssuables[0].iid]: { checked: true, issuable: mockIssuables[0] }, hasPreviousPage: true,
}, showPaginationControls: true,
useKeysetPagination: true,
}, },
}); });
expect(findGlPagination().exists()).toBe(false);
expect(findGlKeysetPagination().props()).toMatchObject({
hasNextPage: true,
hasPreviousPage: true,
});
}); });
});
describe('events', () => {
const data = {
checkedIssuables: {
[mockIssuables[0].iid]: { checked: true, issuable: mockIssuables[0] },
},
};
it('issuable-tabs component emits `click-tab` event on `click-tab` event', () => { it('issuable-tabs component emits `click-tab` event on `click-tab` event', () => {
wrapper = createComponent({ data });
findIssuableTabs().vm.$emit('click'); findIssuableTabs().vm.$emit('click');
expect(wrapper.emitted('click-tab')).toBeTruthy(); expect(wrapper.emitted('click-tab')).toBeTruthy();
}); });
it('sets all issuables as checked when filtered-search-bar component emits `checked-input` event', async () => { it('sets all issuables as checked when filtered-search-bar component emits `checked-input` event', () => {
wrapper = createComponent({ data });
const searchEl = findFilteredSearchBar(); const searchEl = findFilteredSearchBar();
searchEl.vm.$emit('checked-input', true); searchEl.vm.$emit('checked-input', true);
await wrapper.vm.$nextTick();
expect(searchEl.emitted('checked-input')).toBeTruthy(); expect(searchEl.emitted('checked-input')).toBeTruthy();
expect(searchEl.emitted('checked-input').length).toBe(1); expect(searchEl.emitted('checked-input').length).toBe(1);
...@@ -328,6 +344,8 @@ describe('IssuableListRoot', () => { ...@@ -328,6 +344,8 @@ describe('IssuableListRoot', () => {
}); });
it('filtered-search-bar component emits `filter` event on `onFilter` & `sort` event on `onSort` events', () => { it('filtered-search-bar component emits `filter` event on `onFilter` & `sort` event on `onSort` events', () => {
wrapper = createComponent({ data });
const searchEl = findFilteredSearchBar(); const searchEl = findFilteredSearchBar();
searchEl.vm.$emit('onFilter'); searchEl.vm.$emit('onFilter');
...@@ -336,13 +354,13 @@ describe('IssuableListRoot', () => { ...@@ -336,13 +354,13 @@ describe('IssuableListRoot', () => {
expect(wrapper.emitted('sort')).toBeTruthy(); expect(wrapper.emitted('sort')).toBeTruthy();
}); });
it('sets an issuable as checked when issuable-item component emits `checked-input` event', async () => { it('sets an issuable as checked when issuable-item component emits `checked-input` event', () => {
wrapper = createComponent({ data });
const issuableItem = wrapper.findAllComponents(IssuableItem).at(0); const issuableItem = wrapper.findAllComponents(IssuableItem).at(0);
issuableItem.vm.$emit('checked-input', true); issuableItem.vm.$emit('checked-input', true);
await wrapper.vm.$nextTick();
expect(issuableItem.emitted('checked-input')).toBeTruthy(); expect(issuableItem.emitted('checked-input')).toBeTruthy();
expect(issuableItem.emitted('checked-input').length).toBe(1); expect(issuableItem.emitted('checked-input').length).toBe(1);
...@@ -353,27 +371,45 @@ describe('IssuableListRoot', () => { ...@@ -353,27 +371,45 @@ describe('IssuableListRoot', () => {
}); });
it('emits `update-legacy-bulk-edit` when filtered-search-bar checkbox is checked', () => { it('emits `update-legacy-bulk-edit` when filtered-search-bar checkbox is checked', () => {
wrapper = createComponent({ data });
findFilteredSearchBar().vm.$emit('checked-input'); findFilteredSearchBar().vm.$emit('checked-input');
expect(wrapper.emitted('update-legacy-bulk-edit')).toEqual([[]]); expect(wrapper.emitted('update-legacy-bulk-edit')).toEqual([[]]);
}); });
it('emits `update-legacy-bulk-edit` when issuable-item checkbox is checked', () => { it('emits `update-legacy-bulk-edit` when issuable-item checkbox is checked', () => {
wrapper = createComponent({ data });
findIssuableItem().vm.$emit('checked-input'); findIssuableItem().vm.$emit('checked-input');
expect(wrapper.emitted('update-legacy-bulk-edit')).toEqual([[]]); expect(wrapper.emitted('update-legacy-bulk-edit')).toEqual([[]]);
}); });
it('gl-pagination component emits `page-change` event on `input` event', async () => { it('gl-pagination component emits `page-change` event on `input` event', () => {
wrapper.setProps({ wrapper = createComponent({ data, props: { showPaginationControls: true } });
showPaginationControls: true,
});
await wrapper.vm.$nextTick();
findGlPagination().vm.$emit('input'); findGlPagination().vm.$emit('input');
expect(wrapper.emitted('page-change')).toBeTruthy(); expect(wrapper.emitted('page-change')).toBeTruthy();
}); });
it.each`
event | glKeysetPaginationEvent
${'next-page'} | ${'next'}
${'previous-page'} | ${'prev'}
`(
'emits `$event` event when gl-keyset-pagination emits `$glKeysetPaginationEvent` event',
({ event, glKeysetPaginationEvent }) => {
wrapper = createComponent({
data,
props: { showPaginationControls: true, useKeysetPagination: true },
});
findGlKeysetPagination().vm.$emit(glKeysetPaginationEvent);
expect(wrapper.emitted(event)).toEqual([[]]);
},
);
}); });
describe('manual sorting', () => { describe('manual sorting', () => {
......
...@@ -13,12 +13,10 @@ describe('IssuesListApp component', () => { ...@@ -13,12 +13,10 @@ describe('IssuesListApp component', () => {
dueDate: '2020-12-17', dueDate: '2020-12-17',
startDate: '2020-12-10', startDate: '2020-12-10',
title: 'My milestone', title: 'My milestone',
webUrl: '/milestone/webUrl', webPath: '/milestone/webPath',
}, },
dueDate: '2020-12-12', dueDate: '2020-12-12',
timeStats: { humanTimeEstimate: '1w',
humanTimeEstimate: '1w',
},
}; };
const findMilestone = () => wrapper.find('[data-testid="issuable-milestone"]'); const findMilestone = () => wrapper.find('[data-testid="issuable-milestone"]');
...@@ -56,7 +54,7 @@ describe('IssuesListApp component', () => { ...@@ -56,7 +54,7 @@ describe('IssuesListApp component', () => {
expect(milestone.text()).toBe(issue.milestone.title); expect(milestone.text()).toBe(issue.milestone.title);
expect(milestone.find(GlIcon).props('name')).toBe('clock'); expect(milestone.find(GlIcon).props('name')).toBe('clock');
expect(milestone.find(GlLink).attributes('href')).toBe(issue.milestone.webUrl); expect(milestone.find(GlLink).attributes('href')).toBe(issue.milestone.webPath);
}); });
describe.each` describe.each`
...@@ -102,7 +100,7 @@ describe('IssuesListApp component', () => { ...@@ -102,7 +100,7 @@ describe('IssuesListApp component', () => {
const timeEstimate = wrapper.find('[data-testid="time-estimate"]'); const timeEstimate = wrapper.find('[data-testid="time-estimate"]');
expect(timeEstimate.text()).toBe(issue.timeStats.humanTimeEstimate); expect(timeEstimate.text()).toBe(issue.humanTimeEstimate);
expect(timeEstimate.attributes('title')).toBe('Estimate'); expect(timeEstimate.attributes('title')).toBe('Estimate');
expect(timeEstimate.find(GlIcon).props('name')).toBe('timer'); expect(timeEstimate.find(GlIcon).props('name')).toBe('timer');
}); });
......
...@@ -3,6 +3,73 @@ import { ...@@ -3,6 +3,73 @@ import {
OPERATOR_IS_NOT, OPERATOR_IS_NOT,
} from '~/vue_shared/components/filtered_search_bar/constants'; } from '~/vue_shared/components/filtered_search_bar/constants';
export const getIssuesQueryResponse = {
data: {
project: {
issues: {
count: 1,
pageInfo: {
hasNextPage: false,
hasPreviousPage: false,
startCursor: 'startcursor',
endCursor: 'endcursor',
},
nodes: [
{
id: 'gid://gitlab/Issue/123456',
iid: '789',
closedAt: null,
confidential: false,
createdAt: '2021-05-22T04:08:01Z',
downvotes: 2,
dueDate: '2021-05-29',
humanTimeEstimate: null,
moved: false,
title: 'Issue title',
updatedAt: '2021-05-22T04:08:01Z',
upvotes: 3,
userDiscussionsCount: 4,
webUrl: 'project/-/issues/789',
assignees: {
nodes: [
{
id: 'gid://gitlab/User/234',
avatarUrl: 'avatar/url',
name: 'Marge Simpson',
username: 'msimpson',
webUrl: 'url/msimpson',
},
],
},
author: {
id: 'gid://gitlab/User/456',
avatarUrl: 'avatar/url',
name: 'Homer Simpson',
username: 'hsimpson',
webUrl: 'url/hsimpson',
},
labels: {
nodes: [
{
id: 'gid://gitlab/ProjectLabel/456',
color: '#333',
title: 'Label title',
description: 'Label description',
},
],
},
milestone: null,
taskCompletionStatus: {
completedCount: 1,
count: 2,
},
},
],
},
},
},
};
export const locationSearch = [ export const locationSearch = [
'?search=find+issues', '?search=find+issues',
'author_username=homer', 'author_username=homer',
......
...@@ -302,7 +302,6 @@ RSpec.describe IssuesHelper do ...@@ -302,7 +302,6 @@ RSpec.describe IssuesHelper do
email: current_user&.notification_email, email: current_user&.notification_email,
emails_help_page_path: help_page_path('development/emails', anchor: 'email-namespace'), emails_help_page_path: help_page_path('development/emails', anchor: 'email-namespace'),
empty_state_svg_path: '#', empty_state_svg_path: '#',
endpoint: expose_path(api_v4_projects_issues_path(id: project.id)),
export_csv_path: export_csv_project_issues_path(project), export_csv_path: export_csv_project_issues_path(project),
has_project_issues: project_issues(project).exists?.to_s, has_project_issues: project_issues(project).exists?.to_s,
import_csv_issues_path: '#', import_csv_issues_path: '#',
......
Markdown is supported
0%
or
You are about to add 0 people to the discussion. Proceed with caution.
Finish editing this message first!
Please register or to comment