mirror of
https://github.com/n8n-io/n8n.git
synced 2025-01-11 12:57:29 -08:00
feat: Nudge users to become template creators if eligible (#8357)
This commit is contained in:
parent
3912c5e7ab
commit
99457019f7
18
cypress/composables/becomeTemplateCreatorCta.ts
Normal file
18
cypress/composables/becomeTemplateCreatorCta.ts
Normal file
|
@ -0,0 +1,18 @@
|
||||||
|
//#region Getters
|
||||||
|
|
||||||
|
export const getBecomeTemplateCreatorCta = () => cy.getByTestId('become-template-creator-cta');
|
||||||
|
|
||||||
|
export const getCloseBecomeTemplateCreatorCtaButton = () =>
|
||||||
|
cy.getByTestId('close-become-template-creator-cta');
|
||||||
|
|
||||||
|
//#endregion
|
||||||
|
|
||||||
|
//#region Actions
|
||||||
|
|
||||||
|
export const interceptCtaRequestWithResponse = (becomeCreator: boolean) => {
|
||||||
|
return cy.intercept('GET', `/rest/cta/become-creator`, {
|
||||||
|
body: becomeCreator,
|
||||||
|
});
|
||||||
|
};
|
||||||
|
|
||||||
|
//#endregion
|
32
cypress/e2e/37-become-creator-cta.cy.ts
Normal file
32
cypress/e2e/37-become-creator-cta.cy.ts
Normal file
|
@ -0,0 +1,32 @@
|
||||||
|
import {
|
||||||
|
getBecomeTemplateCreatorCta,
|
||||||
|
getCloseBecomeTemplateCreatorCtaButton,
|
||||||
|
interceptCtaRequestWithResponse,
|
||||||
|
} from '../composables/becomeTemplateCreatorCta';
|
||||||
|
import { WorkflowsPage as WorkflowsPageClass } from '../pages/workflows';
|
||||||
|
|
||||||
|
const WorkflowsPage = new WorkflowsPageClass();
|
||||||
|
|
||||||
|
describe('Become creator CTA', () => {
|
||||||
|
it('should not show the CTA if user is not eligible', () => {
|
||||||
|
interceptCtaRequestWithResponse(false).as('cta');
|
||||||
|
cy.visit(WorkflowsPage.url);
|
||||||
|
|
||||||
|
cy.wait('@cta');
|
||||||
|
|
||||||
|
getBecomeTemplateCreatorCta().should('not.exist');
|
||||||
|
});
|
||||||
|
|
||||||
|
it('should show the CTA if the user is eligible', () => {
|
||||||
|
interceptCtaRequestWithResponse(true).as('cta');
|
||||||
|
cy.visit(WorkflowsPage.url);
|
||||||
|
|
||||||
|
cy.wait('@cta');
|
||||||
|
|
||||||
|
getBecomeTemplateCreatorCta().should('be.visible');
|
||||||
|
|
||||||
|
getCloseBecomeTemplateCreatorCtaButton().click();
|
||||||
|
|
||||||
|
getBecomeTemplateCreatorCta().should('not.exist');
|
||||||
|
});
|
||||||
|
});
|
|
@ -280,6 +280,11 @@ export class Server extends AbstractServer {
|
||||||
controllers.push(MFAController);
|
controllers.push(MFAController);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
if (!config.getEnv('endpoints.disableUi')) {
|
||||||
|
const { CtaController } = await import('@/controllers/cta.controller');
|
||||||
|
controllers.push(CtaController);
|
||||||
|
}
|
||||||
|
|
||||||
controllers.forEach((controller) => registerController(app, controller));
|
controllers.forEach((controller) => registerController(app, controller));
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
21
packages/cli/src/controllers/cta.controller.ts
Normal file
21
packages/cli/src/controllers/cta.controller.ts
Normal file
|
@ -0,0 +1,21 @@
|
||||||
|
import express from 'express';
|
||||||
|
import { Authorized, Get, RestController } from '@/decorators';
|
||||||
|
import { AuthenticatedRequest } from '@/requests';
|
||||||
|
import { CtaService } from '@/services/cta.service';
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Controller for Call to Action (CTA) endpoints. CTAs are certain
|
||||||
|
* messages that are shown to users in the UI.
|
||||||
|
*/
|
||||||
|
@Authorized()
|
||||||
|
@RestController('/cta')
|
||||||
|
export class CtaController {
|
||||||
|
constructor(private readonly ctaService: CtaService) {}
|
||||||
|
|
||||||
|
@Get('/become-creator')
|
||||||
|
async getCta(req: AuthenticatedRequest, res: express.Response) {
|
||||||
|
const becomeCreator = await this.ctaService.getBecomeCreatorCta(req.user.id);
|
||||||
|
|
||||||
|
res.json(becomeCreator);
|
||||||
|
}
|
||||||
|
}
|
|
@ -1,8 +1,11 @@
|
||||||
import { Service } from 'typedi';
|
import { Service } from 'typedi';
|
||||||
import { DataSource, QueryFailedError, Repository } from 'typeorm';
|
import { DataSource, QueryFailedError, Repository } from 'typeorm';
|
||||||
import config from '@/config';
|
import config from '@/config';
|
||||||
import type { StatisticsNames } from '../entities/WorkflowStatistics';
|
import { StatisticsNames, WorkflowStatistics } from '../entities/WorkflowStatistics';
|
||||||
import { WorkflowStatistics } from '../entities/WorkflowStatistics';
|
import type { User } from '@/databases/entities/User';
|
||||||
|
import { WorkflowEntity } from '@/databases/entities/WorkflowEntity';
|
||||||
|
import { SharedWorkflow } from '@/databases/entities/SharedWorkflow';
|
||||||
|
import { Role } from '@/databases/entities/Role';
|
||||||
|
|
||||||
type StatisticsInsertResult = 'insert' | 'failed' | 'alreadyExists';
|
type StatisticsInsertResult = 'insert' | 'failed' | 'alreadyExists';
|
||||||
type StatisticsUpsertResult = StatisticsInsertResult | 'update';
|
type StatisticsUpsertResult = StatisticsInsertResult | 'update';
|
||||||
|
@ -98,4 +101,21 @@ export class WorkflowStatisticsRepository extends Repository<WorkflowStatistics>
|
||||||
throw error;
|
throw error;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
async queryNumWorkflowsUserHasWithFiveOrMoreProdExecs(userId: User['id']): Promise<number> {
|
||||||
|
return await this.createQueryBuilder('workflow_statistics')
|
||||||
|
.innerJoin(WorkflowEntity, 'workflow', 'workflow.id = workflow_statistics.workflowId')
|
||||||
|
.innerJoin(
|
||||||
|
SharedWorkflow,
|
||||||
|
'shared_workflow',
|
||||||
|
'shared_workflow.workflowId = workflow_statistics.workflowId',
|
||||||
|
)
|
||||||
|
.innerJoin(Role, 'role', 'role.id = shared_workflow.roleId')
|
||||||
|
.where('shared_workflow.userId = :userId', { userId })
|
||||||
|
.andWhere('workflow.active = :isActive', { isActive: true })
|
||||||
|
.andWhere('workflow_statistics.name = :name', { name: StatisticsNames.productionSuccess })
|
||||||
|
.andWhere('workflow_statistics.count >= 5')
|
||||||
|
.andWhere('role.name = :roleName', { roleName: 'owner' })
|
||||||
|
.getCount();
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
18
packages/cli/src/services/cta.service.ts
Normal file
18
packages/cli/src/services/cta.service.ts
Normal file
|
@ -0,0 +1,18 @@
|
||||||
|
import { Service } from 'typedi';
|
||||||
|
import { WorkflowStatisticsRepository } from '@/databases/repositories/workflowStatistics.repository';
|
||||||
|
import type { User } from '@/databases/entities/User';
|
||||||
|
|
||||||
|
@Service()
|
||||||
|
export class CtaService {
|
||||||
|
constructor(private readonly workflowStatisticsRepository: WorkflowStatisticsRepository) {}
|
||||||
|
|
||||||
|
async getBecomeCreatorCta(userId: User['id']) {
|
||||||
|
// There need to be at least 3 workflows with at least 5 executions
|
||||||
|
const numWfsWithOver5ProdExecutions =
|
||||||
|
await this.workflowStatisticsRepository.queryNumWorkflowsUserHasWithFiveOrMoreProdExecs(
|
||||||
|
userId,
|
||||||
|
);
|
||||||
|
|
||||||
|
return numWfsWithOver5ProdExecutions >= 3;
|
||||||
|
}
|
||||||
|
}
|
54
packages/cli/test/integration/cta.service.test.ts
Normal file
54
packages/cli/test/integration/cta.service.test.ts
Normal file
|
@ -0,0 +1,54 @@
|
||||||
|
import Container from 'typedi';
|
||||||
|
import * as testDb from './shared/testDb';
|
||||||
|
import { CtaService } from '@/services/cta.service';
|
||||||
|
import { createUser } from './shared/db/users';
|
||||||
|
import { createManyWorkflows } from './shared/db/workflows';
|
||||||
|
import type { User } from '@/databases/entities/User';
|
||||||
|
import { createWorkflowStatisticsItem } from './shared/db/workflowStatistics';
|
||||||
|
import { StatisticsNames } from '@/databases/entities/WorkflowStatistics';
|
||||||
|
|
||||||
|
describe('CtaService', () => {
|
||||||
|
let ctaService: CtaService;
|
||||||
|
let user: User;
|
||||||
|
|
||||||
|
beforeAll(async () => {
|
||||||
|
await testDb.init();
|
||||||
|
|
||||||
|
ctaService = Container.get(CtaService);
|
||||||
|
user = await createUser();
|
||||||
|
});
|
||||||
|
|
||||||
|
afterAll(async () => {
|
||||||
|
await testDb.terminate();
|
||||||
|
});
|
||||||
|
|
||||||
|
describe('getBecomeCreatorCta()', () => {
|
||||||
|
afterEach(async () => {
|
||||||
|
await testDb.truncate(['Workflow', 'SharedWorkflow']);
|
||||||
|
});
|
||||||
|
|
||||||
|
test.each([
|
||||||
|
[false, 0, 0],
|
||||||
|
[false, 2, 5],
|
||||||
|
[false, 3, 4],
|
||||||
|
[true, 3, 5],
|
||||||
|
])(
|
||||||
|
'should return %p if user has %d active workflows with %d successful production executions',
|
||||||
|
async (expected, numWorkflows, numExecutions) => {
|
||||||
|
const workflows = await createManyWorkflows(numWorkflows, { active: true }, user);
|
||||||
|
|
||||||
|
await Promise.all(
|
||||||
|
workflows.map(
|
||||||
|
async (workflow) =>
|
||||||
|
await createWorkflowStatisticsItem(workflow.id, {
|
||||||
|
count: numExecutions,
|
||||||
|
name: StatisticsNames.productionSuccess,
|
||||||
|
}),
|
||||||
|
),
|
||||||
|
);
|
||||||
|
|
||||||
|
expect(await ctaService.getBecomeCreatorCta(user.id)).toBe(expected);
|
||||||
|
},
|
||||||
|
);
|
||||||
|
});
|
||||||
|
});
|
|
@ -0,0 +1,21 @@
|
||||||
|
import Container from 'typedi';
|
||||||
|
import { StatisticsNames, type WorkflowStatistics } from '@/databases/entities/WorkflowStatistics';
|
||||||
|
import type { Workflow } from 'n8n-workflow';
|
||||||
|
import { WorkflowStatisticsRepository } from '@/databases/repositories/workflowStatistics.repository';
|
||||||
|
|
||||||
|
export async function createWorkflowStatisticsItem(
|
||||||
|
workflowId: Workflow['id'],
|
||||||
|
data?: Partial<WorkflowStatistics>,
|
||||||
|
) {
|
||||||
|
const entity = Container.get(WorkflowStatisticsRepository).create({
|
||||||
|
count: 0,
|
||||||
|
latestEvent: new Date().toISOString(),
|
||||||
|
name: StatisticsNames.manualSuccess,
|
||||||
|
...(data ?? {}),
|
||||||
|
workflowId,
|
||||||
|
});
|
||||||
|
|
||||||
|
await Container.get(WorkflowStatisticsRepository).insert(entity);
|
||||||
|
|
||||||
|
return entity;
|
||||||
|
}
|
8
packages/editor-ui/src/api/ctas.ts
Normal file
8
packages/editor-ui/src/api/ctas.ts
Normal file
|
@ -0,0 +1,8 @@
|
||||||
|
import type { IRestApiContext } from '@/Interface';
|
||||||
|
import { get } from '@/utils/apiUtils';
|
||||||
|
|
||||||
|
export async function getBecomeCreatorCta(context: IRestApiContext): Promise<boolean> {
|
||||||
|
const response = await get(context.baseUrl, '/cta/become-creator');
|
||||||
|
|
||||||
|
return response;
|
||||||
|
}
|
|
@ -0,0 +1,78 @@
|
||||||
|
<script setup lang="ts">
|
||||||
|
import { useBecomeTemplateCreatorStore } from './becomeTemplateCreatorStore';
|
||||||
|
import { useI18n } from '@/composables/useI18n';
|
||||||
|
|
||||||
|
const i18n = useI18n();
|
||||||
|
const store = useBecomeTemplateCreatorStore();
|
||||||
|
</script>
|
||||||
|
|
||||||
|
<template>
|
||||||
|
<div
|
||||||
|
v-if="store.showBecomeCreatorCta"
|
||||||
|
:class="$style.container"
|
||||||
|
data-test-id="become-template-creator-cta"
|
||||||
|
>
|
||||||
|
<div :class="$style.textAndCloseButton">
|
||||||
|
<p :class="$style.text">
|
||||||
|
{{ i18n.baseText('becomeCreator.text') }}
|
||||||
|
</p>
|
||||||
|
|
||||||
|
<button
|
||||||
|
:class="$style.closeButton"
|
||||||
|
data-test-id="close-become-template-creator-cta"
|
||||||
|
@click="store.dismissCta()"
|
||||||
|
>
|
||||||
|
<n8n-icon icon="times" size="xsmall" :title="i18n.baseText('generic.close')" />
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<n8n-button
|
||||||
|
:class="$style.becomeCreatorButton"
|
||||||
|
:label="i18n.baseText('becomeCreator.buttonText')"
|
||||||
|
size="xmini"
|
||||||
|
type="secondary"
|
||||||
|
element="a"
|
||||||
|
href="https://creators.n8n.io/hub"
|
||||||
|
target="_blank"
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
</template>
|
||||||
|
|
||||||
|
<style module lang="scss">
|
||||||
|
.container {
|
||||||
|
display: flex;
|
||||||
|
flex-direction: column;
|
||||||
|
background-color: var(--color-background-light);
|
||||||
|
border: var(--border-base);
|
||||||
|
border-right: 0;
|
||||||
|
}
|
||||||
|
|
||||||
|
.textAndCloseButton {
|
||||||
|
display: flex;
|
||||||
|
margin-top: var(--spacing-xs);
|
||||||
|
margin-left: var(--spacing-s);
|
||||||
|
margin-right: var(--spacing-2xs);
|
||||||
|
}
|
||||||
|
|
||||||
|
.text {
|
||||||
|
flex: 1;
|
||||||
|
font-size: var(--font-size-3xs);
|
||||||
|
line-height: var(--font-line-height-compact);
|
||||||
|
}
|
||||||
|
|
||||||
|
.closeButton {
|
||||||
|
flex: 0;
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
justify-content: center;
|
||||||
|
width: var(--spacing-2xs);
|
||||||
|
height: var(--spacing-2xs);
|
||||||
|
border: none;
|
||||||
|
color: var(--color-text-light);
|
||||||
|
background-color: transparent;
|
||||||
|
}
|
||||||
|
|
||||||
|
.becomeCreatorButton {
|
||||||
|
margin: var(--spacing-s);
|
||||||
|
}
|
||||||
|
</style>
|
|
@ -0,0 +1,94 @@
|
||||||
|
import { DateTime } from 'luxon';
|
||||||
|
import { defineStore } from 'pinia';
|
||||||
|
import { computed, ref } from 'vue';
|
||||||
|
import { STORES } from '@/constants';
|
||||||
|
import { useCloudPlanStore } from '@/stores/cloudPlan.store';
|
||||||
|
import { useStorage } from '@/composables/useStorage';
|
||||||
|
import { useRootStore } from '@/stores/n8nRoot.store';
|
||||||
|
import { getBecomeCreatorCta } from '@/api/ctas';
|
||||||
|
|
||||||
|
const LOCAL_STORAGE_KEY = 'N8N_BECOME_TEMPLATE_CREATOR_CTA_DISMISSED_AT';
|
||||||
|
const RESHOW_DISMISSED_AFTER_DAYS = 30;
|
||||||
|
const POLL_INTERVAL_IN_MS = 15 * 60 * 1000; // 15 minutes
|
||||||
|
|
||||||
|
export const useBecomeTemplateCreatorStore = defineStore(STORES.BECOME_TEMPLATE_CREATOR, () => {
|
||||||
|
const cloudPlanStore = useCloudPlanStore();
|
||||||
|
const rootStore = useRootStore();
|
||||||
|
|
||||||
|
//#region State
|
||||||
|
|
||||||
|
const dismissedAt = useStorage(LOCAL_STORAGE_KEY);
|
||||||
|
const ctaMeetsCriteria = ref(false);
|
||||||
|
const monitorCtasTimer = ref<ReturnType<typeof setInterval> | null>(null);
|
||||||
|
|
||||||
|
//#endregion State
|
||||||
|
|
||||||
|
//#region Computed
|
||||||
|
|
||||||
|
const isDismissed = computed(() => {
|
||||||
|
return dismissedAt.value ? !hasEnoughTimePassedSinceDismissal(dismissedAt.value) : false;
|
||||||
|
});
|
||||||
|
|
||||||
|
const showBecomeCreatorCta = computed(() => {
|
||||||
|
return ctaMeetsCriteria.value && !cloudPlanStore.userIsTrialing && !isDismissed.value;
|
||||||
|
});
|
||||||
|
|
||||||
|
//#endregion Computed
|
||||||
|
|
||||||
|
//#region Actions
|
||||||
|
|
||||||
|
const dismissCta = () => {
|
||||||
|
dismissedAt.value = DateTime.now().toISO();
|
||||||
|
};
|
||||||
|
|
||||||
|
const fetchBecomeCreatorCta = async () => {
|
||||||
|
const becomeCreatorCta = await getBecomeCreatorCta(rootStore.getRestApiContext);
|
||||||
|
|
||||||
|
ctaMeetsCriteria.value = becomeCreatorCta;
|
||||||
|
};
|
||||||
|
|
||||||
|
const fetchUserCtasIfNeeded = async () => {
|
||||||
|
if (isDismissed.value || cloudPlanStore.userIsTrialing || ctaMeetsCriteria.value) {
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
await fetchBecomeCreatorCta();
|
||||||
|
};
|
||||||
|
|
||||||
|
const startMonitoringCta = () => {
|
||||||
|
if (monitorCtasTimer.value) {
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
// Initial check after 1s so we don't bombard the API immediately during startup
|
||||||
|
setTimeout(fetchUserCtasIfNeeded, 1000);
|
||||||
|
|
||||||
|
monitorCtasTimer.value = setInterval(fetchUserCtasIfNeeded, POLL_INTERVAL_IN_MS);
|
||||||
|
};
|
||||||
|
|
||||||
|
const stopMonitoringCta = () => {
|
||||||
|
if (!monitorCtasTimer.value) {
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
clearInterval(monitorCtasTimer.value);
|
||||||
|
monitorCtasTimer.value = null;
|
||||||
|
};
|
||||||
|
|
||||||
|
//#endregion Actions
|
||||||
|
|
||||||
|
return {
|
||||||
|
showBecomeCreatorCta,
|
||||||
|
dismissCta,
|
||||||
|
startMonitoringCta,
|
||||||
|
stopMonitoringCta,
|
||||||
|
};
|
||||||
|
});
|
||||||
|
|
||||||
|
function hasEnoughTimePassedSinceDismissal(dismissedAt: string) {
|
||||||
|
const reshowAtTime = DateTime.fromISO(dismissedAt).plus({
|
||||||
|
days: RESHOW_DISMISSED_AFTER_DAYS,
|
||||||
|
});
|
||||||
|
|
||||||
|
return reshowAtTime <= DateTime.now();
|
||||||
|
}
|
|
@ -23,6 +23,7 @@
|
||||||
</template>
|
</template>
|
||||||
|
|
||||||
<template #beforeLowerMenu>
|
<template #beforeLowerMenu>
|
||||||
|
<BecomeTemplateCreatorCta v-if="fullyExpanded && !userIsTrialing" />
|
||||||
<ExecutionsUsage
|
<ExecutionsUsage
|
||||||
v-if="fullyExpanded && userIsTrialing"
|
v-if="fullyExpanded && userIsTrialing"
|
||||||
:cloud-plan-data="currentPlanAndUsageData"
|
:cloud-plan-data="currentPlanAndUsageData"
|
||||||
|
@ -119,10 +120,12 @@ import { useVersionsStore } from '@/stores/versions.store';
|
||||||
import { useWorkflowsStore } from '@/stores/workflows.store';
|
import { useWorkflowsStore } from '@/stores/workflows.store';
|
||||||
import { isNavigationFailure } from 'vue-router';
|
import { isNavigationFailure } from 'vue-router';
|
||||||
import ExecutionsUsage from '@/components/ExecutionsUsage.vue';
|
import ExecutionsUsage from '@/components/ExecutionsUsage.vue';
|
||||||
|
import BecomeTemplateCreatorCta from '@/components/BecomeTemplateCreatorCta/BecomeTemplateCreatorCta.vue';
|
||||||
import MainSidebarSourceControl from '@/components/MainSidebarSourceControl.vue';
|
import MainSidebarSourceControl from '@/components/MainSidebarSourceControl.vue';
|
||||||
import { hasPermission } from '@/rbac/permissions';
|
import { hasPermission } from '@/rbac/permissions';
|
||||||
import { useExternalHooks } from '@/composables/useExternalHooks';
|
import { useExternalHooks } from '@/composables/useExternalHooks';
|
||||||
import { useDebounce } from '@/composables/useDebounce';
|
import { useDebounce } from '@/composables/useDebounce';
|
||||||
|
import { useBecomeTemplateCreatorStore } from '@/components/BecomeTemplateCreatorCta/becomeTemplateCreatorStore';
|
||||||
|
|
||||||
export default defineComponent({
|
export default defineComponent({
|
||||||
name: 'MainSidebar',
|
name: 'MainSidebar',
|
||||||
|
@ -130,6 +133,7 @@ export default defineComponent({
|
||||||
GiftNotificationIcon,
|
GiftNotificationIcon,
|
||||||
ExecutionsUsage,
|
ExecutionsUsage,
|
||||||
MainSidebarSourceControl,
|
MainSidebarSourceControl,
|
||||||
|
BecomeTemplateCreatorCta,
|
||||||
},
|
},
|
||||||
mixins: [userHelpers],
|
mixins: [userHelpers],
|
||||||
setup(props, ctx) {
|
setup(props, ctx) {
|
||||||
|
@ -158,6 +162,7 @@ export default defineComponent({
|
||||||
useWorkflowsStore,
|
useWorkflowsStore,
|
||||||
useCloudPlanStore,
|
useCloudPlanStore,
|
||||||
useSourceControlStore,
|
useSourceControlStore,
|
||||||
|
useBecomeTemplateCreatorStore,
|
||||||
),
|
),
|
||||||
logoPath(): string {
|
logoPath(): string {
|
||||||
if (this.isCollapsed) return this.basePath + 'n8n-logo-collapsed.svg';
|
if (this.isCollapsed) return this.basePath + 'n8n-logo-collapsed.svg';
|
||||||
|
@ -368,11 +373,14 @@ export default defineComponent({
|
||||||
|
|
||||||
this.fullyExpanded = !this.isCollapsed;
|
this.fullyExpanded = !this.isCollapsed;
|
||||||
});
|
});
|
||||||
|
|
||||||
|
this.becomeTemplateCreatorStore.startMonitoringCta();
|
||||||
},
|
},
|
||||||
created() {
|
created() {
|
||||||
window.addEventListener('resize', this.onResize);
|
window.addEventListener('resize', this.onResize);
|
||||||
},
|
},
|
||||||
beforeUnmount() {
|
beforeUnmount() {
|
||||||
|
this.becomeTemplateCreatorStore.stopMonitoringCta();
|
||||||
window.removeEventListener('resize', this.onResize);
|
window.removeEventListener('resize', this.onResize);
|
||||||
},
|
},
|
||||||
methods: {
|
methods: {
|
||||||
|
|
|
@ -603,6 +603,7 @@ export const enum STORES {
|
||||||
RBAC = 'rbac',
|
RBAC = 'rbac',
|
||||||
COLLABORATION = 'collaboration',
|
COLLABORATION = 'collaboration',
|
||||||
PUSH = 'push',
|
PUSH = 'push',
|
||||||
|
BECOME_TEMPLATE_CREATOR = 'becomeTemplateCreator',
|
||||||
}
|
}
|
||||||
|
|
||||||
export const enum SignInType {
|
export const enum SignInType {
|
||||||
|
|
|
@ -30,6 +30,7 @@
|
||||||
},
|
},
|
||||||
"generic.any": "Any",
|
"generic.any": "Any",
|
||||||
"generic.cancel": "Cancel",
|
"generic.cancel": "Cancel",
|
||||||
|
"generic.close": "Close",
|
||||||
"generic.confirm": "Confirm",
|
"generic.confirm": "Confirm",
|
||||||
"generic.deleteWorkflowError": "Problem deleting workflow",
|
"generic.deleteWorkflowError": "Problem deleting workflow",
|
||||||
"generic.filtersApplied": "Filters are currently applied.",
|
"generic.filtersApplied": "Filters are currently applied.",
|
||||||
|
@ -2371,5 +2372,8 @@
|
||||||
"templateSetup.continue.button": "Continue",
|
"templateSetup.continue.button": "Continue",
|
||||||
"templateSetup.credential.description": "The credential you select will be used in the {0} node of the workflow template. | The credential you select will be used in the {0} nodes of the workflow template.",
|
"templateSetup.credential.description": "The credential you select will be used in the {0} node of the workflow template. | The credential you select will be used in the {0} nodes of the workflow template.",
|
||||||
"templateSetup.continue.button.fillRemaining": "Fill remaining credentials to continue",
|
"templateSetup.continue.button.fillRemaining": "Fill remaining credentials to continue",
|
||||||
"setupCredentialsModal.title": "Set up template"
|
"setupCredentialsModal.title": "Set up template",
|
||||||
|
"becomeCreator.text": "Share your workflows with 40k+ users, unlock perks, and shine as a featured template creator!",
|
||||||
|
"becomeCreator.buttonText": "Become a creator",
|
||||||
|
"becomeCreator.closeButtonTitle": "Close"
|
||||||
}
|
}
|
||||||
|
|
Loading…
Reference in a new issue