2021-09-21 13:48:28 +00:00
|
|
|
/* eslint-disable @typescript-eslint/no-unused-vars */
|
2021-07-08 05:40:27 +00:00
|
|
|
import * as request from 'supertest';
|
2021-07-08 16:43:23 +00:00
|
|
|
import { INestApplication } from '@nestjs/common';
|
2022-06-02 09:50:51 +00:00
|
|
|
import { getManager, Repository, Not } from 'typeorm';
|
2021-07-12 10:36:53 +00:00
|
|
|
import { User } from 'src/entities/user.entity';
|
2023-04-06 11:12:58 +00:00
|
|
|
import { clearDB, createUser, createNestAppInstanceWithEnvMock } from '../test.helper';
|
2022-01-07 09:16:23 +00:00
|
|
|
import { OrganizationUser } from 'src/entities/organization_user.entity';
|
2022-05-05 07:08:42 +00:00
|
|
|
import { Organization } from 'src/entities/organization.entity';
|
|
|
|
|
import { SSOConfigs } from 'src/entities/sso_config.entity';
|
2022-04-20 09:16:57 +00:00
|
|
|
import { EmailService } from '@services/email.service';
|
2022-06-02 09:50:51 +00:00
|
|
|
import { v4 as uuidv4 } from 'uuid';
|
2021-07-08 05:40:27 +00:00
|
|
|
|
2021-07-08 16:43:23 +00:00
|
|
|
describe('Authentication', () => {
|
2021-07-08 05:40:27 +00:00
|
|
|
let app: INestApplication;
|
2021-07-08 16:43:23 +00:00
|
|
|
let userRepository: Repository<User>;
|
2022-05-05 07:08:42 +00:00
|
|
|
let orgRepository: Repository<Organization>;
|
2022-01-07 09:16:23 +00:00
|
|
|
let orgUserRepository: Repository<OrganizationUser>;
|
2022-05-05 07:08:42 +00:00
|
|
|
let ssoConfigsRepository: Repository<SSOConfigs>;
|
|
|
|
|
let mockConfig;
|
|
|
|
|
let current_organization: Organization;
|
|
|
|
|
let current_user: User;
|
2021-07-22 07:25:29 +00:00
|
|
|
|
|
|
|
|
beforeEach(async () => {
|
|
|
|
|
await clearDB();
|
|
|
|
|
});
|
2021-07-08 05:40:27 +00:00
|
|
|
|
2021-07-08 16:43:23 +00:00
|
|
|
beforeAll(async () => {
|
2022-05-05 07:08:42 +00:00
|
|
|
({ app, mockConfig } = await createNestAppInstanceWithEnvMock());
|
2021-07-08 16:43:23 +00:00
|
|
|
|
|
|
|
|
userRepository = app.get('UserRepository');
|
2022-05-05 07:08:42 +00:00
|
|
|
orgRepository = app.get('OrganizationRepository');
|
2022-01-07 09:16:23 +00:00
|
|
|
orgUserRepository = app.get('OrganizationUserRepository');
|
2022-05-05 07:08:42 +00:00
|
|
|
ssoConfigsRepository = app.get('SSOConfigsRepository');
|
2021-07-08 05:40:27 +00:00
|
|
|
});
|
|
|
|
|
|
2022-05-05 07:08:42 +00:00
|
|
|
afterEach(() => {
|
|
|
|
|
jest.resetAllMocks();
|
|
|
|
|
jest.clearAllMocks();
|
|
|
|
|
});
|
2021-10-11 15:15:58 +00:00
|
|
|
|
2022-05-05 07:08:42 +00:00
|
|
|
describe('Multi organization', () => {
|
|
|
|
|
beforeEach(async () => {
|
|
|
|
|
const { organization, user } = await createUser(app, {
|
|
|
|
|
email: 'admin@tooljet.io',
|
|
|
|
|
firstName: 'user',
|
|
|
|
|
lastName: 'name',
|
|
|
|
|
});
|
|
|
|
|
current_organization = organization;
|
|
|
|
|
current_user = user;
|
|
|
|
|
jest.spyOn(mockConfig, 'get').mockImplementation((key: string) => {
|
|
|
|
|
switch (key) {
|
|
|
|
|
case 'DISABLE_SIGNUPS':
|
|
|
|
|
return 'false';
|
|
|
|
|
default:
|
|
|
|
|
return process.env[key];
|
|
|
|
|
}
|
|
|
|
|
});
|
2021-12-15 17:23:07 +00:00
|
|
|
});
|
2022-05-05 07:08:42 +00:00
|
|
|
describe('sign up disabled', () => {
|
|
|
|
|
beforeEach(async () => {
|
|
|
|
|
jest.spyOn(mockConfig, 'get').mockImplementation((key: string) => {
|
|
|
|
|
switch (key) {
|
|
|
|
|
case 'DISABLE_SIGNUPS':
|
|
|
|
|
return 'true';
|
|
|
|
|
default:
|
|
|
|
|
return process.env[key];
|
|
|
|
|
}
|
|
|
|
|
});
|
|
|
|
|
});
|
|
|
|
|
it('should not create new users', async () => {
|
|
|
|
|
const response = await request(app.getHttpServer()).post('/api/signup').send({ email: 'test@tooljet.io' });
|
2022-06-02 09:50:51 +00:00
|
|
|
expect(response.statusCode).toBe(403);
|
2022-05-05 07:08:42 +00:00
|
|
|
});
|
2021-12-15 17:23:07 +00:00
|
|
|
});
|
2022-05-05 07:08:42 +00:00
|
|
|
describe('sign up enabled and authorization', () => {
|
|
|
|
|
it('should create new users', async () => {
|
Feature :: Onboarding revamp (#4044)
* typo
* password length check , ui fixes
* fixing typos
* fixing navbar ui
* updated icon , changed history to Link
* fix :: repopulating data
* fix :: key added for non sso logins
* ui improvements , added loading states , bugfixes
* changing folder names
* fix :: removing scroll and fixing to 100%
* fix :: all spell mistakes corrected
* fix :: bug on password show/hide
* fix :: bug in button animation state
* fix :: added loader states for all onboarding buttons
* fix :: imports
* feat :: centering ui for signup and login pages
* bugfixes :: minor
* feat :: added mediaquery for mobile screens
* fix :: typo spell check
* PR changes
- instance configs
- reused jwt payload
* fix :: loading bugfix
* feat :: added loader for verification sucess screen
* styles :: loader
* fix :: typo corrections
* fix :: image path
* fix :: darmode & enter press in onboard
* Fixed organization name issue
* fix :: keystroke not taken initially
* fix :: trim company name
* fix :: setting autocomplete to off
* removing redirectsso and confirmation page as its unused now
* few ui corrections , laoding states
* Fixed organization login sso issue
* Add db transaction wrap
* refactoring the code
* flow changes
* Added db tranxn wrap to auth services
* adding accept invite screen
* added verify organization token route
* fixes
* adding disable_multiworkspace to default config
* cleanup
* intermediate commit :: revamping organization page , api integration
* fixes
* feat :: organization token send in invite from org account setup
* fix :: making orgtoken conditional and ui changes / functional updates organization invte
* removed unwanted code
* fix :: login/account setup for sso user in single workspace flow
* fixes
* fix :: CTA loader misaligned
* fix :: sso login single workspace
* fix
* fix :: role check db
* fix :: role check DB
* fix :: setting fallback screen for organizational invite
* feat :: org signup
* fix :: loading states bug
* fix :: loading bug
* fixes
* added password length validation
* fixes
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* fix: sub path for static asset serve (#4668)
* Bugfix :: Sort event fired on sort removal (#4542)
* onsort applied on sort removal
* bugcheck
* removing unused toast
* Feature :: Table image column type addition (#4547)
* feat :: adding column type image
* feat :: adding image fit property
* Fix :: Closing of textarea ontype Table widget (#4549)
* fix :: closing of textarea ontype
* fix :: bug not able to clear value
* bug fixed : generate file in text is not supported (#4346)
* add eslintignore for frontend (#4669)
* [cypress] Fix failing manage SSO spec in single workspace #4390 (#4509)
* added [data-cy=login-page-logo] also removed one dropdown of same name
* Revert command.js
* call loginpagelogo
* Fixed toast test case
* updated text
* remove timer
* revert linting
* Github text fixed
* Replaced the woocommerce connection screenshot from dark to light one (#4654)
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
* gifs for Keyboard Shortcuts Added (#4643)
* Fix. Image to button group docs (#4630) (#4631)
* Add. Image to button group docs (#4630)
* Update docs/docs/widgets/button-group.md
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
* [added] Translated global strings in french #4169 (#4232)
* [added] Translated global strings in french
Added global strings translated to French language , Issue: #4169
* [localization ] Fixed the Proposed Changes in French Translation
* [localization ] Fixed the Remaining Proposed Changes in French Translation v2
* Update selectHost
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
* [localization] issue-4188 added spanish keys for card app (#4229)
* issue-4188 added spanish keys for card app
* IT-4188 fixed PR
* Improve toast message shortcut on component deletion (#4513)
* Improve toast message shortcut
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* feat: Add DTO for organization create (#4651)
* feat: Add DTO for organization create
* chore: fix eslint error
* chore: eslint ...
* Fixed failing manage SSO spec in multi workspace (#4658)
* Fixed failing manage SSO spec in multi workspace
* github to gitHib
* persist data without saving the query (#4649)
* Fixed failing dashboard specs (#4667)
* Add and modify data-cy
* Fix failing manage users spec in multiworkspace
* Fix failing user permission spec in multi workspace
* Fix failing dashboard spec
* Fix failing manage group spec
* Fix failing manage users spec in single workspace
* Fix failing user permission spec in single workspace
* indentation changes
* Remove wait
* [Marketplace] AWS S3 (#4670)
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* marketplace: s3
* rename operations file to query_operations
* fix: crash on click of existing plugin
* remove unused console
* adds missing async await
* add isoptional for repo
* plugin card ui style fixes
* update plugin name
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
* fix: Added a modal with warning message on disabling password (#4552)
* Copy to clipboard (#4588)
* Update EventManager.jsx
* Update EventManager.jsx
* Update EventManager.jsx
* fix :: adding sso configs based on org id
* loader and password check
* multiworkspace invite flow updated
* restrict only active users
* fix
* added error message for password length check
* fix :: password trim
* fix :: all happy flows tested , single and multi exept sso
* fix: message on invalid password
* revert: package-lock.json file
* feat :: changing ui for user present for org invite in multi workspace
* fix :: remove password check for existing user multiworkspace
* fix :: added fallback
* fix :: typo
* fix :: adding checks
* fix
* feat :: for single workspace user logged in directly
* fix :: code meaning fix
* fix
* fixes
* fix
* fix
* fix
* fix :: sso fix and bug updates
* fix :: json resolution for only single workspace
* token :: app level
* fix
* fix
* fixes
* fix
* ui fixes , removed loading and added checks
* showing sso options
* fix :: back to
* fix single workspace
* adding sso check ui
* sso single workspace fix
* code refactoring
* fix :: bugfix on click enter submit in signup and signin
* qa fix :: typo
* fix for sending welcome email on invite
* bug fixes
* fix
* qa bug fixes and translations
* switch workspace fixes
* fix :: company name taking empty spaces
* adding some more translations
* making all screens center aligned
* fix :: login page not loading
* fix :: singup conditional
* fixes
* typo fix
* fix :: for diabled cases of sso , password login , disabled signup
* fix
* fix :: added max input length for workspace name
* fix
* fix :: missing validation on edit email
* fix :: all screens vertically aligned
* fix :: alignment link expiry screen
* fix
* fix :: styling terms and condition
* fix :: for redirect url loginto workspace fixed according to new design
* typo
* feat :: removed onboarding modal , redundant
* typo fix
* fix
* name is now mandatory for sign up
* fix for password retry count not updating
* showing onboarding questions for sign up users
* fix :: spaces in password in diff screens
* fix :: darkmode initial
* fix for accept organization invite success message
* fix :: dark mode
* fix :: dark mode
* feat :: updating all dark mode images
* bugfix img
* bugfix ::img
* dark mode :: improvements
* single workspace signup fix
* updating images
* stylefix
* self review :: bugfixes
* sign up page fix
* fix for asking password for single ws activation
* or separator fix for signup page
* fix
* feat :: updating cta images
* fix :: loader bugs
* hiding sso options in org invite, sign in via sso
* fix :: dark mode img
* bugfixes :: cta changed
* Fix :: onboarding styles fixes (#4773)
* fix: styling in authWrappers
* cleanup
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* fix :: conflicting styles
* fix :: loaders , and added header to link expired screen , style fixes
* fix :: mobile onboarding btn
* fix :: loading onboarding completion
* fix :: subpath not taking img path
* fix :: path
* fix :: removing trailing img / for subpath
* fix :: cta img
* fix :: remove scrollbar
* last name as undefined in comments
* fixed loading bug and cursor of company input onboard form
* comments fixes
* fix :: removing verify email screen on org invite
* comments fix
* fix :: no login methods
* fix :: bug in expired org invite verification link
* fix :: edge case name being empty when user types multiple spaces
* fix :: comments breaking
* fix :: notification breaking
* fix :: user groups table lastname
* fix for sso redirection
* fix :: empty first and last name during org invite
* bug fixed :On updating any permissions under permission tab, currentTab switches to app tab (#4734)
* fix: popout editor closing for tables (#4674)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added default value for backgroundColor In NumberInput (#4378)
* fix: added background styles for number input
* fix: removed additional f from the background color property
* fix: added backgroundColor property from styles
* fixes: default bg color for dark mode
Co-authored-by: arpitnath <arpitnath42@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added the hover effects on datasources (#4303)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added Background Color to Text Input (#4194)
* Added Background Color to Text Input
* Added Default Value for Background Color
* added default value and make background of text input consistent with the dark theme
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* feat: Add update version button on installable plugin (#4766)
* feat: Add update version button on installable plugin
* use id from update method
* removes redundant check
* use plugin id for fetching files from s3
* fetch latest plugins once updated
* disable update and remove buttons while update in progress
* replace href with link-span cx + send body in patch request
* fix: Dark mode on table's `Striped` and `Striped & Bordered` table type mode (#4611)
* [ Hotfix ] :: Hard to resize table columns (#4438)
* fix :: hard to resize , scrollbar should not be visible
* fix :: resizer not working in pewview
* Enhancement : [RangeSlider widget] Bind onChange event (#4192)
* add onChange event and its handler
* add handler for slider change as well
* fix lint
* added onChange fire event when slider value is changed
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
* Added data-cy for table widget elements (#4792)
* Add data-cy to tooltip label
* Add data-cy to table filter pop-over
* Add data-cy to table elements
* Add review changes
* [docs] Widget updates (#4793)
* widget updates
* minor update
* Update README.md (#4784)
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Fixed grammatical errors in localization doc (#4800)
* [docs] widget property updates (#4806)
* fixes
* added resend invite API
* Onboarding revamp test cases (#4770)
* fix: test cases for oauth
* fix: app controller test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: single workspace test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* add: test cases for sso
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: linting in files
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: test cases for oauth
* fix: linting in files
* rebase: from feature/onboarding-revamp
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* feat :: api update resend invite
* loading state resend mail
* adding loading state
* checkpoints shown only till tablet
* fix: failing test cases for sso
* pr:: changes changed all imports and removed unwanted fragments
* pr changes
* fix :: naming images
* fix :: style organized for onboarding
* fix for user seed issue
* removing unwanted styles
* Setting darkmode from props :: onboarding (#4885)
* passing darkmode as props to components
* error toast
* Review comment :: rename env variable
* Pr :: changes , code cleanup onborading form
* develop merge
* pr changes ::form splitted to components
* password warning added
* chore :: lint folder renaming
* review comments
* fixes
* fix for test cases failure
* changes :: removed empty divs
* cleanup
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Muhsin Shah <muhsinshah21@gmail.com>
Co-authored-by: gsmithun4 <gsmithun4@gmail.com>
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
Co-authored-by: Manish Kushare <kushare.manish9@gmail.com>
Co-authored-by: Akshay <akshaysasidharan93@gmail.com>
Co-authored-by: alammoiz <moixalam@gmail.com>
Co-authored-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Akhilesh Kumar Mishra <79476272+iamakhileshmishra@users.noreply.github.com>
Co-authored-by: Hemanth Kumar <49117799+Hemanthhari2000@users.noreply.github.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: akk312000 <akk312000@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Jose Morales <jmoralesmnz@gmail.com>
Co-authored-by: 3t8 <62209650+3t8@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
Co-authored-by: Santosh Bhandari <bsantosh909@gmail.com>
Co-authored-by: Arpit <arpitnath42@gmail.com>
Co-authored-by: Ajith KV <ajith.jaban@gmail.com>
Co-authored-by: Akarsh Jain <72064462+akarsh-jain-790@users.noreply.github.com>
Co-authored-by: Utsav Paul <91927689+Smartmind12@users.noreply.github.com>
Co-authored-by: Vijaykant Yadav <vjaris42@Vijaykants-MacBook-Pro.local>
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
Co-authored-by: geisterfurz007 <geisterfurz007@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
Co-authored-by: Abhushan Gautam <carefreeav09@gmail.com>
Co-authored-by: Syed Ansar <82027712+Syed-Ansar@users.noreply.github.com>
Co-authored-by: Rahul Sunil <rahulsunil2@gmail.com>
Co-authored-by: Srisuma Atluri <40341173+Srisuma13@users.noreply.github.com>
Co-authored-by: Midhun Kumar E <midhun752@gmail.com>
Co-authored-by: Navaneeth Pk <navaneeth@tooljet.io>
Co-authored-by: Akasshhg <91525166+gogoiakash2311@users.noreply.github.com>
2022-12-08 07:54:31 +00:00
|
|
|
const response = await request(app.getHttpServer())
|
|
|
|
|
.post('/api/signup')
|
|
|
|
|
.send({ email: 'test@tooljet.io', name: 'test', password: 'password' });
|
2022-05-05 07:08:42 +00:00
|
|
|
expect(response.statusCode).toBe(201);
|
|
|
|
|
|
|
|
|
|
const user = await userRepository.findOneOrFail({
|
|
|
|
|
where: { email: 'test@tooljet.io' },
|
|
|
|
|
relations: ['organizationUsers'],
|
|
|
|
|
});
|
2021-12-15 17:23:07 +00:00
|
|
|
|
2022-05-05 07:08:42 +00:00
|
|
|
const organization = await orgRepository.findOneOrFail({
|
|
|
|
|
where: { id: user?.organizationUsers?.[0]?.organizationId },
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
expect(user.defaultOrganizationId).toBe(user?.organizationUsers?.[0]?.organizationId);
|
2023-06-05 12:00:17 +00:00
|
|
|
expect(organization?.name).toContain('My workspace');
|
2022-05-05 07:08:42 +00:00
|
|
|
|
|
|
|
|
const groupPermissions = await user.groupPermissions;
|
|
|
|
|
const groupNames = groupPermissions.map((x) => x.group);
|
|
|
|
|
|
|
|
|
|
expect(new Set(['all_users', 'admin'])).toEqual(new Set(groupNames));
|
|
|
|
|
|
|
|
|
|
const adminGroup = groupPermissions.find((x) => x.group == 'admin');
|
|
|
|
|
expect(adminGroup.appCreate).toBeTruthy();
|
|
|
|
|
expect(adminGroup.appDelete).toBeTruthy();
|
|
|
|
|
expect(adminGroup.folderCreate).toBeTruthy();
|
2022-07-01 10:50:37 +00:00
|
|
|
expect(adminGroup.orgEnvironmentVariableCreate).toBeTruthy();
|
|
|
|
|
expect(adminGroup.orgEnvironmentVariableUpdate).toBeTruthy();
|
|
|
|
|
expect(adminGroup.orgEnvironmentVariableDelete).toBeTruthy();
|
2022-06-16 14:11:38 +00:00
|
|
|
expect(adminGroup.folderUpdate).toBeTruthy();
|
|
|
|
|
expect(adminGroup.folderDelete).toBeTruthy();
|
2022-05-05 07:08:42 +00:00
|
|
|
|
|
|
|
|
const allUserGroup = groupPermissions.find((x) => x.group == 'all_users');
|
|
|
|
|
expect(allUserGroup.appCreate).toBeFalsy();
|
|
|
|
|
expect(allUserGroup.appDelete).toBeFalsy();
|
|
|
|
|
expect(allUserGroup.folderCreate).toBeFalsy();
|
2022-07-01 10:50:37 +00:00
|
|
|
expect(allUserGroup.orgEnvironmentVariableCreate).toBeFalsy();
|
|
|
|
|
expect(allUserGroup.orgEnvironmentVariableUpdate).toBeFalsy();
|
|
|
|
|
expect(allUserGroup.orgEnvironmentVariableDelete).toBeFalsy();
|
2022-06-16 14:11:38 +00:00
|
|
|
expect(allUserGroup.folderUpdate).toBeFalsy();
|
|
|
|
|
expect(allUserGroup.folderDelete).toBeFalsy();
|
2022-05-05 07:08:42 +00:00
|
|
|
});
|
|
|
|
|
it('authenticate if valid credentials', async () => {
|
2023-04-06 11:12:58 +00:00
|
|
|
const response = await request(app.getHttpServer())
|
2022-05-05 07:08:42 +00:00
|
|
|
.post('/api/authenticate')
|
2023-04-06 11:12:58 +00:00
|
|
|
.send({ email: 'admin@tooljet.io', password: 'password' });
|
|
|
|
|
|
|
|
|
|
expect(response.statusCode).toBe(201);
|
2023-04-07 07:40:43 +00:00
|
|
|
expect(response.headers['set-cookie'][0]).toMatch(/^tj_auth_token=/);
|
2022-05-05 07:08:42 +00:00
|
|
|
});
|
|
|
|
|
it('authenticate to organization if valid credentials', async () => {
|
2023-04-06 11:12:58 +00:00
|
|
|
const response = await request(app.getHttpServer())
|
2022-05-05 07:08:42 +00:00
|
|
|
.post('/api/authenticate/' + current_organization.id)
|
2023-04-06 11:12:58 +00:00
|
|
|
.send({ email: 'admin@tooljet.io', password: 'password' });
|
|
|
|
|
|
|
|
|
|
expect(response.statusCode).toBe(201);
|
2023-04-07 07:40:43 +00:00
|
|
|
expect(response.headers['set-cookie'][0]).toMatch(/^tj_auth_token=/);
|
2022-05-05 07:08:42 +00:00
|
|
|
});
|
2022-06-07 19:19:14 +00:00
|
|
|
it('throw unauthorized error if user does not exist in given organization if valid credentials', async () => {
|
2022-05-05 07:08:42 +00:00
|
|
|
await request(app.getHttpServer())
|
|
|
|
|
.post('/api/authenticate/82249621-efc1-4cd2-9986-5c22182fa8a7')
|
|
|
|
|
.send({ email: 'admin@tooljet.io', password: 'password' })
|
|
|
|
|
.expect(401);
|
|
|
|
|
});
|
|
|
|
|
it('throw 401 if user is archived', async () => {
|
2022-06-14 08:35:38 +00:00
|
|
|
const { orgUser } = await createUser(app, { email: 'user@tooljet.io', status: 'archived' });
|
2022-05-05 07:08:42 +00:00
|
|
|
|
|
|
|
|
await request(app.getHttpServer())
|
2022-06-14 08:35:38 +00:00
|
|
|
.post(`/api/authenticate/${orgUser.organizationId}`)
|
2022-05-05 07:08:42 +00:00
|
|
|
.send({ email: 'user@tooljet.io', password: 'password' })
|
|
|
|
|
.expect(401);
|
|
|
|
|
|
|
|
|
|
const adminUser = await userRepository.findOneOrFail({
|
|
|
|
|
email: 'admin@tooljet.io',
|
|
|
|
|
});
|
|
|
|
|
await orgUserRepository.update({ userId: adminUser.id }, { status: 'archived' });
|
|
|
|
|
|
2023-04-06 11:12:58 +00:00
|
|
|
await request(app.getHttpServer()).get('/api/organizations/users').expect(401);
|
2022-05-05 07:08:42 +00:00
|
|
|
});
|
2022-06-14 08:35:38 +00:00
|
|
|
it('throw 401 if user is invited', async () => {
|
|
|
|
|
const { orgUser } = await createUser(app, { email: 'user@tooljet.io', status: 'invited' });
|
|
|
|
|
|
|
|
|
|
const response = await request(app.getHttpServer())
|
|
|
|
|
.post(`/api/authenticate/${orgUser.organizationId}`)
|
|
|
|
|
.send({ email: 'user@tooljet.io', password: 'password' })
|
|
|
|
|
.expect(401);
|
|
|
|
|
|
|
|
|
|
const adminUser = await userRepository.findOneOrFail({
|
|
|
|
|
email: 'admin@tooljet.io',
|
|
|
|
|
});
|
|
|
|
|
await orgUserRepository.update({ userId: adminUser.id }, { status: 'invited' });
|
|
|
|
|
|
2023-04-06 11:12:58 +00:00
|
|
|
await request(app.getHttpServer()).get('/api/organizations/users').expect(401);
|
2022-06-14 08:35:38 +00:00
|
|
|
});
|
|
|
|
|
it('login to new organization if user is archived', async () => {
|
|
|
|
|
const { orgUser } = await createUser(app, { email: 'user@tooljet.io', status: 'archived' });
|
|
|
|
|
|
|
|
|
|
const response = await request(app.getHttpServer())
|
|
|
|
|
.post('/api/authenticate')
|
|
|
|
|
.send({ email: 'user@tooljet.io', password: 'password' });
|
|
|
|
|
|
|
|
|
|
expect(response.statusCode).toBe(201);
|
2023-04-06 11:12:58 +00:00
|
|
|
expect(response.body.current_organization_id).not.toBe(orgUser.organizationId);
|
2022-06-14 08:35:38 +00:00
|
|
|
});
|
|
|
|
|
it('login to new organization if user is invited', async () => {
|
|
|
|
|
const { orgUser } = await createUser(app, { email: 'user@tooljet.io', status: 'invited' });
|
|
|
|
|
|
|
|
|
|
const response = await request(app.getHttpServer())
|
|
|
|
|
.post('/api/authenticate')
|
|
|
|
|
.send({ email: 'user@tooljet.io', password: 'password' });
|
|
|
|
|
|
|
|
|
|
expect(response.statusCode).toBe(201);
|
2023-04-06 11:12:58 +00:00
|
|
|
expect(response.body.current_organization_id).not.toBe(orgUser.organizationId);
|
2022-06-14 08:35:38 +00:00
|
|
|
});
|
2022-05-05 07:08:42 +00:00
|
|
|
it('throw 401 if invalid credentials', async () => {
|
|
|
|
|
await request(app.getHttpServer())
|
|
|
|
|
.post('/api/authenticate')
|
Feature :: Onboarding revamp (#4044)
* typo
* password length check , ui fixes
* fixing typos
* fixing navbar ui
* updated icon , changed history to Link
* fix :: repopulating data
* fix :: key added for non sso logins
* ui improvements , added loading states , bugfixes
* changing folder names
* fix :: removing scroll and fixing to 100%
* fix :: all spell mistakes corrected
* fix :: bug on password show/hide
* fix :: bug in button animation state
* fix :: added loader states for all onboarding buttons
* fix :: imports
* feat :: centering ui for signup and login pages
* bugfixes :: minor
* feat :: added mediaquery for mobile screens
* fix :: typo spell check
* PR changes
- instance configs
- reused jwt payload
* fix :: loading bugfix
* feat :: added loader for verification sucess screen
* styles :: loader
* fix :: typo corrections
* fix :: image path
* fix :: darmode & enter press in onboard
* Fixed organization name issue
* fix :: keystroke not taken initially
* fix :: trim company name
* fix :: setting autocomplete to off
* removing redirectsso and confirmation page as its unused now
* few ui corrections , laoding states
* Fixed organization login sso issue
* Add db transaction wrap
* refactoring the code
* flow changes
* Added db tranxn wrap to auth services
* adding accept invite screen
* added verify organization token route
* fixes
* adding disable_multiworkspace to default config
* cleanup
* intermediate commit :: revamping organization page , api integration
* fixes
* feat :: organization token send in invite from org account setup
* fix :: making orgtoken conditional and ui changes / functional updates organization invte
* removed unwanted code
* fix :: login/account setup for sso user in single workspace flow
* fixes
* fix :: CTA loader misaligned
* fix :: sso login single workspace
* fix
* fix :: role check db
* fix :: role check DB
* fix :: setting fallback screen for organizational invite
* feat :: org signup
* fix :: loading states bug
* fix :: loading bug
* fixes
* added password length validation
* fixes
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* fix: sub path for static asset serve (#4668)
* Bugfix :: Sort event fired on sort removal (#4542)
* onsort applied on sort removal
* bugcheck
* removing unused toast
* Feature :: Table image column type addition (#4547)
* feat :: adding column type image
* feat :: adding image fit property
* Fix :: Closing of textarea ontype Table widget (#4549)
* fix :: closing of textarea ontype
* fix :: bug not able to clear value
* bug fixed : generate file in text is not supported (#4346)
* add eslintignore for frontend (#4669)
* [cypress] Fix failing manage SSO spec in single workspace #4390 (#4509)
* added [data-cy=login-page-logo] also removed one dropdown of same name
* Revert command.js
* call loginpagelogo
* Fixed toast test case
* updated text
* remove timer
* revert linting
* Github text fixed
* Replaced the woocommerce connection screenshot from dark to light one (#4654)
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
* gifs for Keyboard Shortcuts Added (#4643)
* Fix. Image to button group docs (#4630) (#4631)
* Add. Image to button group docs (#4630)
* Update docs/docs/widgets/button-group.md
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
* [added] Translated global strings in french #4169 (#4232)
* [added] Translated global strings in french
Added global strings translated to French language , Issue: #4169
* [localization ] Fixed the Proposed Changes in French Translation
* [localization ] Fixed the Remaining Proposed Changes in French Translation v2
* Update selectHost
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
* [localization] issue-4188 added spanish keys for card app (#4229)
* issue-4188 added spanish keys for card app
* IT-4188 fixed PR
* Improve toast message shortcut on component deletion (#4513)
* Improve toast message shortcut
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* feat: Add DTO for organization create (#4651)
* feat: Add DTO for organization create
* chore: fix eslint error
* chore: eslint ...
* Fixed failing manage SSO spec in multi workspace (#4658)
* Fixed failing manage SSO spec in multi workspace
* github to gitHib
* persist data without saving the query (#4649)
* Fixed failing dashboard specs (#4667)
* Add and modify data-cy
* Fix failing manage users spec in multiworkspace
* Fix failing user permission spec in multi workspace
* Fix failing dashboard spec
* Fix failing manage group spec
* Fix failing manage users spec in single workspace
* Fix failing user permission spec in single workspace
* indentation changes
* Remove wait
* [Marketplace] AWS S3 (#4670)
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* marketplace: s3
* rename operations file to query_operations
* fix: crash on click of existing plugin
* remove unused console
* adds missing async await
* add isoptional for repo
* plugin card ui style fixes
* update plugin name
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
* fix: Added a modal with warning message on disabling password (#4552)
* Copy to clipboard (#4588)
* Update EventManager.jsx
* Update EventManager.jsx
* Update EventManager.jsx
* fix :: adding sso configs based on org id
* loader and password check
* multiworkspace invite flow updated
* restrict only active users
* fix
* added error message for password length check
* fix :: password trim
* fix :: all happy flows tested , single and multi exept sso
* fix: message on invalid password
* revert: package-lock.json file
* feat :: changing ui for user present for org invite in multi workspace
* fix :: remove password check for existing user multiworkspace
* fix :: added fallback
* fix :: typo
* fix :: adding checks
* fix
* feat :: for single workspace user logged in directly
* fix :: code meaning fix
* fix
* fixes
* fix
* fix
* fix
* fix :: sso fix and bug updates
* fix :: json resolution for only single workspace
* token :: app level
* fix
* fix
* fixes
* fix
* ui fixes , removed loading and added checks
* showing sso options
* fix :: back to
* fix single workspace
* adding sso check ui
* sso single workspace fix
* code refactoring
* fix :: bugfix on click enter submit in signup and signin
* qa fix :: typo
* fix for sending welcome email on invite
* bug fixes
* fix
* qa bug fixes and translations
* switch workspace fixes
* fix :: company name taking empty spaces
* adding some more translations
* making all screens center aligned
* fix :: login page not loading
* fix :: singup conditional
* fixes
* typo fix
* fix :: for diabled cases of sso , password login , disabled signup
* fix
* fix :: added max input length for workspace name
* fix
* fix :: missing validation on edit email
* fix :: all screens vertically aligned
* fix :: alignment link expiry screen
* fix
* fix :: styling terms and condition
* fix :: for redirect url loginto workspace fixed according to new design
* typo
* feat :: removed onboarding modal , redundant
* typo fix
* fix
* name is now mandatory for sign up
* fix for password retry count not updating
* showing onboarding questions for sign up users
* fix :: spaces in password in diff screens
* fix :: darkmode initial
* fix for accept organization invite success message
* fix :: dark mode
* fix :: dark mode
* feat :: updating all dark mode images
* bugfix img
* bugfix ::img
* dark mode :: improvements
* single workspace signup fix
* updating images
* stylefix
* self review :: bugfixes
* sign up page fix
* fix for asking password for single ws activation
* or separator fix for signup page
* fix
* feat :: updating cta images
* fix :: loader bugs
* hiding sso options in org invite, sign in via sso
* fix :: dark mode img
* bugfixes :: cta changed
* Fix :: onboarding styles fixes (#4773)
* fix: styling in authWrappers
* cleanup
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* fix :: conflicting styles
* fix :: loaders , and added header to link expired screen , style fixes
* fix :: mobile onboarding btn
* fix :: loading onboarding completion
* fix :: subpath not taking img path
* fix :: path
* fix :: removing trailing img / for subpath
* fix :: cta img
* fix :: remove scrollbar
* last name as undefined in comments
* fixed loading bug and cursor of company input onboard form
* comments fixes
* fix :: removing verify email screen on org invite
* comments fix
* fix :: no login methods
* fix :: bug in expired org invite verification link
* fix :: edge case name being empty when user types multiple spaces
* fix :: comments breaking
* fix :: notification breaking
* fix :: user groups table lastname
* fix for sso redirection
* fix :: empty first and last name during org invite
* bug fixed :On updating any permissions under permission tab, currentTab switches to app tab (#4734)
* fix: popout editor closing for tables (#4674)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added default value for backgroundColor In NumberInput (#4378)
* fix: added background styles for number input
* fix: removed additional f from the background color property
* fix: added backgroundColor property from styles
* fixes: default bg color for dark mode
Co-authored-by: arpitnath <arpitnath42@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added the hover effects on datasources (#4303)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added Background Color to Text Input (#4194)
* Added Background Color to Text Input
* Added Default Value for Background Color
* added default value and make background of text input consistent with the dark theme
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* feat: Add update version button on installable plugin (#4766)
* feat: Add update version button on installable plugin
* use id from update method
* removes redundant check
* use plugin id for fetching files from s3
* fetch latest plugins once updated
* disable update and remove buttons while update in progress
* replace href with link-span cx + send body in patch request
* fix: Dark mode on table's `Striped` and `Striped & Bordered` table type mode (#4611)
* [ Hotfix ] :: Hard to resize table columns (#4438)
* fix :: hard to resize , scrollbar should not be visible
* fix :: resizer not working in pewview
* Enhancement : [RangeSlider widget] Bind onChange event (#4192)
* add onChange event and its handler
* add handler for slider change as well
* fix lint
* added onChange fire event when slider value is changed
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
* Added data-cy for table widget elements (#4792)
* Add data-cy to tooltip label
* Add data-cy to table filter pop-over
* Add data-cy to table elements
* Add review changes
* [docs] Widget updates (#4793)
* widget updates
* minor update
* Update README.md (#4784)
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Fixed grammatical errors in localization doc (#4800)
* [docs] widget property updates (#4806)
* fixes
* added resend invite API
* Onboarding revamp test cases (#4770)
* fix: test cases for oauth
* fix: app controller test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: single workspace test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* add: test cases for sso
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: linting in files
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: test cases for oauth
* fix: linting in files
* rebase: from feature/onboarding-revamp
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* feat :: api update resend invite
* loading state resend mail
* adding loading state
* checkpoints shown only till tablet
* fix: failing test cases for sso
* pr:: changes changed all imports and removed unwanted fragments
* pr changes
* fix :: naming images
* fix :: style organized for onboarding
* fix for user seed issue
* removing unwanted styles
* Setting darkmode from props :: onboarding (#4885)
* passing darkmode as props to components
* error toast
* Review comment :: rename env variable
* Pr :: changes , code cleanup onborading form
* develop merge
* pr changes ::form splitted to components
* password warning added
* chore :: lint folder renaming
* review comments
* fixes
* fix for test cases failure
* changes :: removed empty divs
* cleanup
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Muhsin Shah <muhsinshah21@gmail.com>
Co-authored-by: gsmithun4 <gsmithun4@gmail.com>
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
Co-authored-by: Manish Kushare <kushare.manish9@gmail.com>
Co-authored-by: Akshay <akshaysasidharan93@gmail.com>
Co-authored-by: alammoiz <moixalam@gmail.com>
Co-authored-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Akhilesh Kumar Mishra <79476272+iamakhileshmishra@users.noreply.github.com>
Co-authored-by: Hemanth Kumar <49117799+Hemanthhari2000@users.noreply.github.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: akk312000 <akk312000@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Jose Morales <jmoralesmnz@gmail.com>
Co-authored-by: 3t8 <62209650+3t8@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
Co-authored-by: Santosh Bhandari <bsantosh909@gmail.com>
Co-authored-by: Arpit <arpitnath42@gmail.com>
Co-authored-by: Ajith KV <ajith.jaban@gmail.com>
Co-authored-by: Akarsh Jain <72064462+akarsh-jain-790@users.noreply.github.com>
Co-authored-by: Utsav Paul <91927689+Smartmind12@users.noreply.github.com>
Co-authored-by: Vijaykant Yadav <vjaris42@Vijaykants-MacBook-Pro.local>
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
Co-authored-by: geisterfurz007 <geisterfurz007@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
Co-authored-by: Abhushan Gautam <carefreeav09@gmail.com>
Co-authored-by: Syed Ansar <82027712+Syed-Ansar@users.noreply.github.com>
Co-authored-by: Rahul Sunil <rahulsunil2@gmail.com>
Co-authored-by: Srisuma Atluri <40341173+Srisuma13@users.noreply.github.com>
Co-authored-by: Midhun Kumar E <midhun752@gmail.com>
Co-authored-by: Navaneeth Pk <navaneeth@tooljet.io>
Co-authored-by: Akasshhg <91525166+gogoiakash2311@users.noreply.github.com>
2022-12-08 07:54:31 +00:00
|
|
|
.send({ email: 'amdin@tooljet.io', password: 'password' })
|
2022-05-05 07:08:42 +00:00
|
|
|
.expect(401);
|
|
|
|
|
});
|
2022-06-29 19:19:45 +00:00
|
|
|
it('throw 401 if invalid credentials, maximum retry limit reached error after 5 retries', async () => {
|
Feature :: Onboarding revamp (#4044)
* typo
* password length check , ui fixes
* fixing typos
* fixing navbar ui
* updated icon , changed history to Link
* fix :: repopulating data
* fix :: key added for non sso logins
* ui improvements , added loading states , bugfixes
* changing folder names
* fix :: removing scroll and fixing to 100%
* fix :: all spell mistakes corrected
* fix :: bug on password show/hide
* fix :: bug in button animation state
* fix :: added loader states for all onboarding buttons
* fix :: imports
* feat :: centering ui for signup and login pages
* bugfixes :: minor
* feat :: added mediaquery for mobile screens
* fix :: typo spell check
* PR changes
- instance configs
- reused jwt payload
* fix :: loading bugfix
* feat :: added loader for verification sucess screen
* styles :: loader
* fix :: typo corrections
* fix :: image path
* fix :: darmode & enter press in onboard
* Fixed organization name issue
* fix :: keystroke not taken initially
* fix :: trim company name
* fix :: setting autocomplete to off
* removing redirectsso and confirmation page as its unused now
* few ui corrections , laoding states
* Fixed organization login sso issue
* Add db transaction wrap
* refactoring the code
* flow changes
* Added db tranxn wrap to auth services
* adding accept invite screen
* added verify organization token route
* fixes
* adding disable_multiworkspace to default config
* cleanup
* intermediate commit :: revamping organization page , api integration
* fixes
* feat :: organization token send in invite from org account setup
* fix :: making orgtoken conditional and ui changes / functional updates organization invte
* removed unwanted code
* fix :: login/account setup for sso user in single workspace flow
* fixes
* fix :: CTA loader misaligned
* fix :: sso login single workspace
* fix
* fix :: role check db
* fix :: role check DB
* fix :: setting fallback screen for organizational invite
* feat :: org signup
* fix :: loading states bug
* fix :: loading bug
* fixes
* added password length validation
* fixes
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* fix: sub path for static asset serve (#4668)
* Bugfix :: Sort event fired on sort removal (#4542)
* onsort applied on sort removal
* bugcheck
* removing unused toast
* Feature :: Table image column type addition (#4547)
* feat :: adding column type image
* feat :: adding image fit property
* Fix :: Closing of textarea ontype Table widget (#4549)
* fix :: closing of textarea ontype
* fix :: bug not able to clear value
* bug fixed : generate file in text is not supported (#4346)
* add eslintignore for frontend (#4669)
* [cypress] Fix failing manage SSO spec in single workspace #4390 (#4509)
* added [data-cy=login-page-logo] also removed one dropdown of same name
* Revert command.js
* call loginpagelogo
* Fixed toast test case
* updated text
* remove timer
* revert linting
* Github text fixed
* Replaced the woocommerce connection screenshot from dark to light one (#4654)
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
* gifs for Keyboard Shortcuts Added (#4643)
* Fix. Image to button group docs (#4630) (#4631)
* Add. Image to button group docs (#4630)
* Update docs/docs/widgets/button-group.md
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
* [added] Translated global strings in french #4169 (#4232)
* [added] Translated global strings in french
Added global strings translated to French language , Issue: #4169
* [localization ] Fixed the Proposed Changes in French Translation
* [localization ] Fixed the Remaining Proposed Changes in French Translation v2
* Update selectHost
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
* [localization] issue-4188 added spanish keys for card app (#4229)
* issue-4188 added spanish keys for card app
* IT-4188 fixed PR
* Improve toast message shortcut on component deletion (#4513)
* Improve toast message shortcut
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* feat: Add DTO for organization create (#4651)
* feat: Add DTO for organization create
* chore: fix eslint error
* chore: eslint ...
* Fixed failing manage SSO spec in multi workspace (#4658)
* Fixed failing manage SSO spec in multi workspace
* github to gitHib
* persist data without saving the query (#4649)
* Fixed failing dashboard specs (#4667)
* Add and modify data-cy
* Fix failing manage users spec in multiworkspace
* Fix failing user permission spec in multi workspace
* Fix failing dashboard spec
* Fix failing manage group spec
* Fix failing manage users spec in single workspace
* Fix failing user permission spec in single workspace
* indentation changes
* Remove wait
* [Marketplace] AWS S3 (#4670)
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* marketplace: s3
* rename operations file to query_operations
* fix: crash on click of existing plugin
* remove unused console
* adds missing async await
* add isoptional for repo
* plugin card ui style fixes
* update plugin name
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
* fix: Added a modal with warning message on disabling password (#4552)
* Copy to clipboard (#4588)
* Update EventManager.jsx
* Update EventManager.jsx
* Update EventManager.jsx
* fix :: adding sso configs based on org id
* loader and password check
* multiworkspace invite flow updated
* restrict only active users
* fix
* added error message for password length check
* fix :: password trim
* fix :: all happy flows tested , single and multi exept sso
* fix: message on invalid password
* revert: package-lock.json file
* feat :: changing ui for user present for org invite in multi workspace
* fix :: remove password check for existing user multiworkspace
* fix :: added fallback
* fix :: typo
* fix :: adding checks
* fix
* feat :: for single workspace user logged in directly
* fix :: code meaning fix
* fix
* fixes
* fix
* fix
* fix
* fix :: sso fix and bug updates
* fix :: json resolution for only single workspace
* token :: app level
* fix
* fix
* fixes
* fix
* ui fixes , removed loading and added checks
* showing sso options
* fix :: back to
* fix single workspace
* adding sso check ui
* sso single workspace fix
* code refactoring
* fix :: bugfix on click enter submit in signup and signin
* qa fix :: typo
* fix for sending welcome email on invite
* bug fixes
* fix
* qa bug fixes and translations
* switch workspace fixes
* fix :: company name taking empty spaces
* adding some more translations
* making all screens center aligned
* fix :: login page not loading
* fix :: singup conditional
* fixes
* typo fix
* fix :: for diabled cases of sso , password login , disabled signup
* fix
* fix :: added max input length for workspace name
* fix
* fix :: missing validation on edit email
* fix :: all screens vertically aligned
* fix :: alignment link expiry screen
* fix
* fix :: styling terms and condition
* fix :: for redirect url loginto workspace fixed according to new design
* typo
* feat :: removed onboarding modal , redundant
* typo fix
* fix
* name is now mandatory for sign up
* fix for password retry count not updating
* showing onboarding questions for sign up users
* fix :: spaces in password in diff screens
* fix :: darkmode initial
* fix for accept organization invite success message
* fix :: dark mode
* fix :: dark mode
* feat :: updating all dark mode images
* bugfix img
* bugfix ::img
* dark mode :: improvements
* single workspace signup fix
* updating images
* stylefix
* self review :: bugfixes
* sign up page fix
* fix for asking password for single ws activation
* or separator fix for signup page
* fix
* feat :: updating cta images
* fix :: loader bugs
* hiding sso options in org invite, sign in via sso
* fix :: dark mode img
* bugfixes :: cta changed
* Fix :: onboarding styles fixes (#4773)
* fix: styling in authWrappers
* cleanup
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* fix :: conflicting styles
* fix :: loaders , and added header to link expired screen , style fixes
* fix :: mobile onboarding btn
* fix :: loading onboarding completion
* fix :: subpath not taking img path
* fix :: path
* fix :: removing trailing img / for subpath
* fix :: cta img
* fix :: remove scrollbar
* last name as undefined in comments
* fixed loading bug and cursor of company input onboard form
* comments fixes
* fix :: removing verify email screen on org invite
* comments fix
* fix :: no login methods
* fix :: bug in expired org invite verification link
* fix :: edge case name being empty when user types multiple spaces
* fix :: comments breaking
* fix :: notification breaking
* fix :: user groups table lastname
* fix for sso redirection
* fix :: empty first and last name during org invite
* bug fixed :On updating any permissions under permission tab, currentTab switches to app tab (#4734)
* fix: popout editor closing for tables (#4674)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added default value for backgroundColor In NumberInput (#4378)
* fix: added background styles for number input
* fix: removed additional f from the background color property
* fix: added backgroundColor property from styles
* fixes: default bg color for dark mode
Co-authored-by: arpitnath <arpitnath42@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added the hover effects on datasources (#4303)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added Background Color to Text Input (#4194)
* Added Background Color to Text Input
* Added Default Value for Background Color
* added default value and make background of text input consistent with the dark theme
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* feat: Add update version button on installable plugin (#4766)
* feat: Add update version button on installable plugin
* use id from update method
* removes redundant check
* use plugin id for fetching files from s3
* fetch latest plugins once updated
* disable update and remove buttons while update in progress
* replace href with link-span cx + send body in patch request
* fix: Dark mode on table's `Striped` and `Striped & Bordered` table type mode (#4611)
* [ Hotfix ] :: Hard to resize table columns (#4438)
* fix :: hard to resize , scrollbar should not be visible
* fix :: resizer not working in pewview
* Enhancement : [RangeSlider widget] Bind onChange event (#4192)
* add onChange event and its handler
* add handler for slider change as well
* fix lint
* added onChange fire event when slider value is changed
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
* Added data-cy for table widget elements (#4792)
* Add data-cy to tooltip label
* Add data-cy to table filter pop-over
* Add data-cy to table elements
* Add review changes
* [docs] Widget updates (#4793)
* widget updates
* minor update
* Update README.md (#4784)
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Fixed grammatical errors in localization doc (#4800)
* [docs] widget property updates (#4806)
* fixes
* added resend invite API
* Onboarding revamp test cases (#4770)
* fix: test cases for oauth
* fix: app controller test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: single workspace test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* add: test cases for sso
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: linting in files
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: test cases for oauth
* fix: linting in files
* rebase: from feature/onboarding-revamp
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* feat :: api update resend invite
* loading state resend mail
* adding loading state
* checkpoints shown only till tablet
* fix: failing test cases for sso
* pr:: changes changed all imports and removed unwanted fragments
* pr changes
* fix :: naming images
* fix :: style organized for onboarding
* fix for user seed issue
* removing unwanted styles
* Setting darkmode from props :: onboarding (#4885)
* passing darkmode as props to components
* error toast
* Review comment :: rename env variable
* Pr :: changes , code cleanup onborading form
* develop merge
* pr changes ::form splitted to components
* password warning added
* chore :: lint folder renaming
* review comments
* fixes
* fix for test cases failure
* changes :: removed empty divs
* cleanup
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Muhsin Shah <muhsinshah21@gmail.com>
Co-authored-by: gsmithun4 <gsmithun4@gmail.com>
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
Co-authored-by: Manish Kushare <kushare.manish9@gmail.com>
Co-authored-by: Akshay <akshaysasidharan93@gmail.com>
Co-authored-by: alammoiz <moixalam@gmail.com>
Co-authored-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Akhilesh Kumar Mishra <79476272+iamakhileshmishra@users.noreply.github.com>
Co-authored-by: Hemanth Kumar <49117799+Hemanthhari2000@users.noreply.github.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: akk312000 <akk312000@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Jose Morales <jmoralesmnz@gmail.com>
Co-authored-by: 3t8 <62209650+3t8@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
Co-authored-by: Santosh Bhandari <bsantosh909@gmail.com>
Co-authored-by: Arpit <arpitnath42@gmail.com>
Co-authored-by: Ajith KV <ajith.jaban@gmail.com>
Co-authored-by: Akarsh Jain <72064462+akarsh-jain-790@users.noreply.github.com>
Co-authored-by: Utsav Paul <91927689+Smartmind12@users.noreply.github.com>
Co-authored-by: Vijaykant Yadav <vjaris42@Vijaykants-MacBook-Pro.local>
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
Co-authored-by: geisterfurz007 <geisterfurz007@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
Co-authored-by: Abhushan Gautam <carefreeav09@gmail.com>
Co-authored-by: Syed Ansar <82027712+Syed-Ansar@users.noreply.github.com>
Co-authored-by: Rahul Sunil <rahulsunil2@gmail.com>
Co-authored-by: Srisuma Atluri <40341173+Srisuma13@users.noreply.github.com>
Co-authored-by: Midhun Kumar E <midhun752@gmail.com>
Co-authored-by: Navaneeth Pk <navaneeth@tooljet.io>
Co-authored-by: Akasshhg <91525166+gogoiakash2311@users.noreply.github.com>
2022-12-08 07:54:31 +00:00
|
|
|
await createUser(app, { email: 'user@tooljet.io', status: 'active' });
|
|
|
|
|
|
2022-06-29 19:19:45 +00:00
|
|
|
await request(app.getHttpServer())
|
|
|
|
|
.post('/api/authenticate')
|
Feature :: Onboarding revamp (#4044)
* typo
* password length check , ui fixes
* fixing typos
* fixing navbar ui
* updated icon , changed history to Link
* fix :: repopulating data
* fix :: key added for non sso logins
* ui improvements , added loading states , bugfixes
* changing folder names
* fix :: removing scroll and fixing to 100%
* fix :: all spell mistakes corrected
* fix :: bug on password show/hide
* fix :: bug in button animation state
* fix :: added loader states for all onboarding buttons
* fix :: imports
* feat :: centering ui for signup and login pages
* bugfixes :: minor
* feat :: added mediaquery for mobile screens
* fix :: typo spell check
* PR changes
- instance configs
- reused jwt payload
* fix :: loading bugfix
* feat :: added loader for verification sucess screen
* styles :: loader
* fix :: typo corrections
* fix :: image path
* fix :: darmode & enter press in onboard
* Fixed organization name issue
* fix :: keystroke not taken initially
* fix :: trim company name
* fix :: setting autocomplete to off
* removing redirectsso and confirmation page as its unused now
* few ui corrections , laoding states
* Fixed organization login sso issue
* Add db transaction wrap
* refactoring the code
* flow changes
* Added db tranxn wrap to auth services
* adding accept invite screen
* added verify organization token route
* fixes
* adding disable_multiworkspace to default config
* cleanup
* intermediate commit :: revamping organization page , api integration
* fixes
* feat :: organization token send in invite from org account setup
* fix :: making orgtoken conditional and ui changes / functional updates organization invte
* removed unwanted code
* fix :: login/account setup for sso user in single workspace flow
* fixes
* fix :: CTA loader misaligned
* fix :: sso login single workspace
* fix
* fix :: role check db
* fix :: role check DB
* fix :: setting fallback screen for organizational invite
* feat :: org signup
* fix :: loading states bug
* fix :: loading bug
* fixes
* added password length validation
* fixes
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* fix: sub path for static asset serve (#4668)
* Bugfix :: Sort event fired on sort removal (#4542)
* onsort applied on sort removal
* bugcheck
* removing unused toast
* Feature :: Table image column type addition (#4547)
* feat :: adding column type image
* feat :: adding image fit property
* Fix :: Closing of textarea ontype Table widget (#4549)
* fix :: closing of textarea ontype
* fix :: bug not able to clear value
* bug fixed : generate file in text is not supported (#4346)
* add eslintignore for frontend (#4669)
* [cypress] Fix failing manage SSO spec in single workspace #4390 (#4509)
* added [data-cy=login-page-logo] also removed one dropdown of same name
* Revert command.js
* call loginpagelogo
* Fixed toast test case
* updated text
* remove timer
* revert linting
* Github text fixed
* Replaced the woocommerce connection screenshot from dark to light one (#4654)
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
* gifs for Keyboard Shortcuts Added (#4643)
* Fix. Image to button group docs (#4630) (#4631)
* Add. Image to button group docs (#4630)
* Update docs/docs/widgets/button-group.md
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
* [added] Translated global strings in french #4169 (#4232)
* [added] Translated global strings in french
Added global strings translated to French language , Issue: #4169
* [localization ] Fixed the Proposed Changes in French Translation
* [localization ] Fixed the Remaining Proposed Changes in French Translation v2
* Update selectHost
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
* [localization] issue-4188 added spanish keys for card app (#4229)
* issue-4188 added spanish keys for card app
* IT-4188 fixed PR
* Improve toast message shortcut on component deletion (#4513)
* Improve toast message shortcut
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* feat: Add DTO for organization create (#4651)
* feat: Add DTO for organization create
* chore: fix eslint error
* chore: eslint ...
* Fixed failing manage SSO spec in multi workspace (#4658)
* Fixed failing manage SSO spec in multi workspace
* github to gitHib
* persist data without saving the query (#4649)
* Fixed failing dashboard specs (#4667)
* Add and modify data-cy
* Fix failing manage users spec in multiworkspace
* Fix failing user permission spec in multi workspace
* Fix failing dashboard spec
* Fix failing manage group spec
* Fix failing manage users spec in single workspace
* Fix failing user permission spec in single workspace
* indentation changes
* Remove wait
* [Marketplace] AWS S3 (#4670)
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* marketplace: s3
* rename operations file to query_operations
* fix: crash on click of existing plugin
* remove unused console
* adds missing async await
* add isoptional for repo
* plugin card ui style fixes
* update plugin name
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
* fix: Added a modal with warning message on disabling password (#4552)
* Copy to clipboard (#4588)
* Update EventManager.jsx
* Update EventManager.jsx
* Update EventManager.jsx
* fix :: adding sso configs based on org id
* loader and password check
* multiworkspace invite flow updated
* restrict only active users
* fix
* added error message for password length check
* fix :: password trim
* fix :: all happy flows tested , single and multi exept sso
* fix: message on invalid password
* revert: package-lock.json file
* feat :: changing ui for user present for org invite in multi workspace
* fix :: remove password check for existing user multiworkspace
* fix :: added fallback
* fix :: typo
* fix :: adding checks
* fix
* feat :: for single workspace user logged in directly
* fix :: code meaning fix
* fix
* fixes
* fix
* fix
* fix
* fix :: sso fix and bug updates
* fix :: json resolution for only single workspace
* token :: app level
* fix
* fix
* fixes
* fix
* ui fixes , removed loading and added checks
* showing sso options
* fix :: back to
* fix single workspace
* adding sso check ui
* sso single workspace fix
* code refactoring
* fix :: bugfix on click enter submit in signup and signin
* qa fix :: typo
* fix for sending welcome email on invite
* bug fixes
* fix
* qa bug fixes and translations
* switch workspace fixes
* fix :: company name taking empty spaces
* adding some more translations
* making all screens center aligned
* fix :: login page not loading
* fix :: singup conditional
* fixes
* typo fix
* fix :: for diabled cases of sso , password login , disabled signup
* fix
* fix :: added max input length for workspace name
* fix
* fix :: missing validation on edit email
* fix :: all screens vertically aligned
* fix :: alignment link expiry screen
* fix
* fix :: styling terms and condition
* fix :: for redirect url loginto workspace fixed according to new design
* typo
* feat :: removed onboarding modal , redundant
* typo fix
* fix
* name is now mandatory for sign up
* fix for password retry count not updating
* showing onboarding questions for sign up users
* fix :: spaces in password in diff screens
* fix :: darkmode initial
* fix for accept organization invite success message
* fix :: dark mode
* fix :: dark mode
* feat :: updating all dark mode images
* bugfix img
* bugfix ::img
* dark mode :: improvements
* single workspace signup fix
* updating images
* stylefix
* self review :: bugfixes
* sign up page fix
* fix for asking password for single ws activation
* or separator fix for signup page
* fix
* feat :: updating cta images
* fix :: loader bugs
* hiding sso options in org invite, sign in via sso
* fix :: dark mode img
* bugfixes :: cta changed
* Fix :: onboarding styles fixes (#4773)
* fix: styling in authWrappers
* cleanup
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* fix :: conflicting styles
* fix :: loaders , and added header to link expired screen , style fixes
* fix :: mobile onboarding btn
* fix :: loading onboarding completion
* fix :: subpath not taking img path
* fix :: path
* fix :: removing trailing img / for subpath
* fix :: cta img
* fix :: remove scrollbar
* last name as undefined in comments
* fixed loading bug and cursor of company input onboard form
* comments fixes
* fix :: removing verify email screen on org invite
* comments fix
* fix :: no login methods
* fix :: bug in expired org invite verification link
* fix :: edge case name being empty when user types multiple spaces
* fix :: comments breaking
* fix :: notification breaking
* fix :: user groups table lastname
* fix for sso redirection
* fix :: empty first and last name during org invite
* bug fixed :On updating any permissions under permission tab, currentTab switches to app tab (#4734)
* fix: popout editor closing for tables (#4674)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added default value for backgroundColor In NumberInput (#4378)
* fix: added background styles for number input
* fix: removed additional f from the background color property
* fix: added backgroundColor property from styles
* fixes: default bg color for dark mode
Co-authored-by: arpitnath <arpitnath42@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added the hover effects on datasources (#4303)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added Background Color to Text Input (#4194)
* Added Background Color to Text Input
* Added Default Value for Background Color
* added default value and make background of text input consistent with the dark theme
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* feat: Add update version button on installable plugin (#4766)
* feat: Add update version button on installable plugin
* use id from update method
* removes redundant check
* use plugin id for fetching files from s3
* fetch latest plugins once updated
* disable update and remove buttons while update in progress
* replace href with link-span cx + send body in patch request
* fix: Dark mode on table's `Striped` and `Striped & Bordered` table type mode (#4611)
* [ Hotfix ] :: Hard to resize table columns (#4438)
* fix :: hard to resize , scrollbar should not be visible
* fix :: resizer not working in pewview
* Enhancement : [RangeSlider widget] Bind onChange event (#4192)
* add onChange event and its handler
* add handler for slider change as well
* fix lint
* added onChange fire event when slider value is changed
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
* Added data-cy for table widget elements (#4792)
* Add data-cy to tooltip label
* Add data-cy to table filter pop-over
* Add data-cy to table elements
* Add review changes
* [docs] Widget updates (#4793)
* widget updates
* minor update
* Update README.md (#4784)
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Fixed grammatical errors in localization doc (#4800)
* [docs] widget property updates (#4806)
* fixes
* added resend invite API
* Onboarding revamp test cases (#4770)
* fix: test cases for oauth
* fix: app controller test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: single workspace test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* add: test cases for sso
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: linting in files
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: test cases for oauth
* fix: linting in files
* rebase: from feature/onboarding-revamp
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* feat :: api update resend invite
* loading state resend mail
* adding loading state
* checkpoints shown only till tablet
* fix: failing test cases for sso
* pr:: changes changed all imports and removed unwanted fragments
* pr changes
* fix :: naming images
* fix :: style organized for onboarding
* fix for user seed issue
* removing unwanted styles
* Setting darkmode from props :: onboarding (#4885)
* passing darkmode as props to components
* error toast
* Review comment :: rename env variable
* Pr :: changes , code cleanup onborading form
* develop merge
* pr changes ::form splitted to components
* password warning added
* chore :: lint folder renaming
* review comments
* fixes
* fix for test cases failure
* changes :: removed empty divs
* cleanup
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Muhsin Shah <muhsinshah21@gmail.com>
Co-authored-by: gsmithun4 <gsmithun4@gmail.com>
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
Co-authored-by: Manish Kushare <kushare.manish9@gmail.com>
Co-authored-by: Akshay <akshaysasidharan93@gmail.com>
Co-authored-by: alammoiz <moixalam@gmail.com>
Co-authored-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Akhilesh Kumar Mishra <79476272+iamakhileshmishra@users.noreply.github.com>
Co-authored-by: Hemanth Kumar <49117799+Hemanthhari2000@users.noreply.github.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: akk312000 <akk312000@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Jose Morales <jmoralesmnz@gmail.com>
Co-authored-by: 3t8 <62209650+3t8@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
Co-authored-by: Santosh Bhandari <bsantosh909@gmail.com>
Co-authored-by: Arpit <arpitnath42@gmail.com>
Co-authored-by: Ajith KV <ajith.jaban@gmail.com>
Co-authored-by: Akarsh Jain <72064462+akarsh-jain-790@users.noreply.github.com>
Co-authored-by: Utsav Paul <91927689+Smartmind12@users.noreply.github.com>
Co-authored-by: Vijaykant Yadav <vjaris42@Vijaykants-MacBook-Pro.local>
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
Co-authored-by: geisterfurz007 <geisterfurz007@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
Co-authored-by: Abhushan Gautam <carefreeav09@gmail.com>
Co-authored-by: Syed Ansar <82027712+Syed-Ansar@users.noreply.github.com>
Co-authored-by: Rahul Sunil <rahulsunil2@gmail.com>
Co-authored-by: Srisuma Atluri <40341173+Srisuma13@users.noreply.github.com>
Co-authored-by: Midhun Kumar E <midhun752@gmail.com>
Co-authored-by: Navaneeth Pk <navaneeth@tooljet.io>
Co-authored-by: Akasshhg <91525166+gogoiakash2311@users.noreply.github.com>
2022-12-08 07:54:31 +00:00
|
|
|
.send({ email: 'user@tooljet.io', password: 'psswrd' })
|
2022-06-29 19:19:45 +00:00
|
|
|
.expect(401);
|
|
|
|
|
|
|
|
|
|
await request(app.getHttpServer())
|
|
|
|
|
.post('/api/authenticate')
|
Feature :: Onboarding revamp (#4044)
* typo
* password length check , ui fixes
* fixing typos
* fixing navbar ui
* updated icon , changed history to Link
* fix :: repopulating data
* fix :: key added for non sso logins
* ui improvements , added loading states , bugfixes
* changing folder names
* fix :: removing scroll and fixing to 100%
* fix :: all spell mistakes corrected
* fix :: bug on password show/hide
* fix :: bug in button animation state
* fix :: added loader states for all onboarding buttons
* fix :: imports
* feat :: centering ui for signup and login pages
* bugfixes :: minor
* feat :: added mediaquery for mobile screens
* fix :: typo spell check
* PR changes
- instance configs
- reused jwt payload
* fix :: loading bugfix
* feat :: added loader for verification sucess screen
* styles :: loader
* fix :: typo corrections
* fix :: image path
* fix :: darmode & enter press in onboard
* Fixed organization name issue
* fix :: keystroke not taken initially
* fix :: trim company name
* fix :: setting autocomplete to off
* removing redirectsso and confirmation page as its unused now
* few ui corrections , laoding states
* Fixed organization login sso issue
* Add db transaction wrap
* refactoring the code
* flow changes
* Added db tranxn wrap to auth services
* adding accept invite screen
* added verify organization token route
* fixes
* adding disable_multiworkspace to default config
* cleanup
* intermediate commit :: revamping organization page , api integration
* fixes
* feat :: organization token send in invite from org account setup
* fix :: making orgtoken conditional and ui changes / functional updates organization invte
* removed unwanted code
* fix :: login/account setup for sso user in single workspace flow
* fixes
* fix :: CTA loader misaligned
* fix :: sso login single workspace
* fix
* fix :: role check db
* fix :: role check DB
* fix :: setting fallback screen for organizational invite
* feat :: org signup
* fix :: loading states bug
* fix :: loading bug
* fixes
* added password length validation
* fixes
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* fix: sub path for static asset serve (#4668)
* Bugfix :: Sort event fired on sort removal (#4542)
* onsort applied on sort removal
* bugcheck
* removing unused toast
* Feature :: Table image column type addition (#4547)
* feat :: adding column type image
* feat :: adding image fit property
* Fix :: Closing of textarea ontype Table widget (#4549)
* fix :: closing of textarea ontype
* fix :: bug not able to clear value
* bug fixed : generate file in text is not supported (#4346)
* add eslintignore for frontend (#4669)
* [cypress] Fix failing manage SSO spec in single workspace #4390 (#4509)
* added [data-cy=login-page-logo] also removed one dropdown of same name
* Revert command.js
* call loginpagelogo
* Fixed toast test case
* updated text
* remove timer
* revert linting
* Github text fixed
* Replaced the woocommerce connection screenshot from dark to light one (#4654)
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
* gifs for Keyboard Shortcuts Added (#4643)
* Fix. Image to button group docs (#4630) (#4631)
* Add. Image to button group docs (#4630)
* Update docs/docs/widgets/button-group.md
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
* [added] Translated global strings in french #4169 (#4232)
* [added] Translated global strings in french
Added global strings translated to French language , Issue: #4169
* [localization ] Fixed the Proposed Changes in French Translation
* [localization ] Fixed the Remaining Proposed Changes in French Translation v2
* Update selectHost
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
* [localization] issue-4188 added spanish keys for card app (#4229)
* issue-4188 added spanish keys for card app
* IT-4188 fixed PR
* Improve toast message shortcut on component deletion (#4513)
* Improve toast message shortcut
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* feat: Add DTO for organization create (#4651)
* feat: Add DTO for organization create
* chore: fix eslint error
* chore: eslint ...
* Fixed failing manage SSO spec in multi workspace (#4658)
* Fixed failing manage SSO spec in multi workspace
* github to gitHib
* persist data without saving the query (#4649)
* Fixed failing dashboard specs (#4667)
* Add and modify data-cy
* Fix failing manage users spec in multiworkspace
* Fix failing user permission spec in multi workspace
* Fix failing dashboard spec
* Fix failing manage group spec
* Fix failing manage users spec in single workspace
* Fix failing user permission spec in single workspace
* indentation changes
* Remove wait
* [Marketplace] AWS S3 (#4670)
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* marketplace: s3
* rename operations file to query_operations
* fix: crash on click of existing plugin
* remove unused console
* adds missing async await
* add isoptional for repo
* plugin card ui style fixes
* update plugin name
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
* fix: Added a modal with warning message on disabling password (#4552)
* Copy to clipboard (#4588)
* Update EventManager.jsx
* Update EventManager.jsx
* Update EventManager.jsx
* fix :: adding sso configs based on org id
* loader and password check
* multiworkspace invite flow updated
* restrict only active users
* fix
* added error message for password length check
* fix :: password trim
* fix :: all happy flows tested , single and multi exept sso
* fix: message on invalid password
* revert: package-lock.json file
* feat :: changing ui for user present for org invite in multi workspace
* fix :: remove password check for existing user multiworkspace
* fix :: added fallback
* fix :: typo
* fix :: adding checks
* fix
* feat :: for single workspace user logged in directly
* fix :: code meaning fix
* fix
* fixes
* fix
* fix
* fix
* fix :: sso fix and bug updates
* fix :: json resolution for only single workspace
* token :: app level
* fix
* fix
* fixes
* fix
* ui fixes , removed loading and added checks
* showing sso options
* fix :: back to
* fix single workspace
* adding sso check ui
* sso single workspace fix
* code refactoring
* fix :: bugfix on click enter submit in signup and signin
* qa fix :: typo
* fix for sending welcome email on invite
* bug fixes
* fix
* qa bug fixes and translations
* switch workspace fixes
* fix :: company name taking empty spaces
* adding some more translations
* making all screens center aligned
* fix :: login page not loading
* fix :: singup conditional
* fixes
* typo fix
* fix :: for diabled cases of sso , password login , disabled signup
* fix
* fix :: added max input length for workspace name
* fix
* fix :: missing validation on edit email
* fix :: all screens vertically aligned
* fix :: alignment link expiry screen
* fix
* fix :: styling terms and condition
* fix :: for redirect url loginto workspace fixed according to new design
* typo
* feat :: removed onboarding modal , redundant
* typo fix
* fix
* name is now mandatory for sign up
* fix for password retry count not updating
* showing onboarding questions for sign up users
* fix :: spaces in password in diff screens
* fix :: darkmode initial
* fix for accept organization invite success message
* fix :: dark mode
* fix :: dark mode
* feat :: updating all dark mode images
* bugfix img
* bugfix ::img
* dark mode :: improvements
* single workspace signup fix
* updating images
* stylefix
* self review :: bugfixes
* sign up page fix
* fix for asking password for single ws activation
* or separator fix for signup page
* fix
* feat :: updating cta images
* fix :: loader bugs
* hiding sso options in org invite, sign in via sso
* fix :: dark mode img
* bugfixes :: cta changed
* Fix :: onboarding styles fixes (#4773)
* fix: styling in authWrappers
* cleanup
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* fix :: conflicting styles
* fix :: loaders , and added header to link expired screen , style fixes
* fix :: mobile onboarding btn
* fix :: loading onboarding completion
* fix :: subpath not taking img path
* fix :: path
* fix :: removing trailing img / for subpath
* fix :: cta img
* fix :: remove scrollbar
* last name as undefined in comments
* fixed loading bug and cursor of company input onboard form
* comments fixes
* fix :: removing verify email screen on org invite
* comments fix
* fix :: no login methods
* fix :: bug in expired org invite verification link
* fix :: edge case name being empty when user types multiple spaces
* fix :: comments breaking
* fix :: notification breaking
* fix :: user groups table lastname
* fix for sso redirection
* fix :: empty first and last name during org invite
* bug fixed :On updating any permissions under permission tab, currentTab switches to app tab (#4734)
* fix: popout editor closing for tables (#4674)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added default value for backgroundColor In NumberInput (#4378)
* fix: added background styles for number input
* fix: removed additional f from the background color property
* fix: added backgroundColor property from styles
* fixes: default bg color for dark mode
Co-authored-by: arpitnath <arpitnath42@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added the hover effects on datasources (#4303)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added Background Color to Text Input (#4194)
* Added Background Color to Text Input
* Added Default Value for Background Color
* added default value and make background of text input consistent with the dark theme
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* feat: Add update version button on installable plugin (#4766)
* feat: Add update version button on installable plugin
* use id from update method
* removes redundant check
* use plugin id for fetching files from s3
* fetch latest plugins once updated
* disable update and remove buttons while update in progress
* replace href with link-span cx + send body in patch request
* fix: Dark mode on table's `Striped` and `Striped & Bordered` table type mode (#4611)
* [ Hotfix ] :: Hard to resize table columns (#4438)
* fix :: hard to resize , scrollbar should not be visible
* fix :: resizer not working in pewview
* Enhancement : [RangeSlider widget] Bind onChange event (#4192)
* add onChange event and its handler
* add handler for slider change as well
* fix lint
* added onChange fire event when slider value is changed
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
* Added data-cy for table widget elements (#4792)
* Add data-cy to tooltip label
* Add data-cy to table filter pop-over
* Add data-cy to table elements
* Add review changes
* [docs] Widget updates (#4793)
* widget updates
* minor update
* Update README.md (#4784)
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Fixed grammatical errors in localization doc (#4800)
* [docs] widget property updates (#4806)
* fixes
* added resend invite API
* Onboarding revamp test cases (#4770)
* fix: test cases for oauth
* fix: app controller test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: single workspace test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* add: test cases for sso
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: linting in files
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: test cases for oauth
* fix: linting in files
* rebase: from feature/onboarding-revamp
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* feat :: api update resend invite
* loading state resend mail
* adding loading state
* checkpoints shown only till tablet
* fix: failing test cases for sso
* pr:: changes changed all imports and removed unwanted fragments
* pr changes
* fix :: naming images
* fix :: style organized for onboarding
* fix for user seed issue
* removing unwanted styles
* Setting darkmode from props :: onboarding (#4885)
* passing darkmode as props to components
* error toast
* Review comment :: rename env variable
* Pr :: changes , code cleanup onborading form
* develop merge
* pr changes ::form splitted to components
* password warning added
* chore :: lint folder renaming
* review comments
* fixes
* fix for test cases failure
* changes :: removed empty divs
* cleanup
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Muhsin Shah <muhsinshah21@gmail.com>
Co-authored-by: gsmithun4 <gsmithun4@gmail.com>
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
Co-authored-by: Manish Kushare <kushare.manish9@gmail.com>
Co-authored-by: Akshay <akshaysasidharan93@gmail.com>
Co-authored-by: alammoiz <moixalam@gmail.com>
Co-authored-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Akhilesh Kumar Mishra <79476272+iamakhileshmishra@users.noreply.github.com>
Co-authored-by: Hemanth Kumar <49117799+Hemanthhari2000@users.noreply.github.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: akk312000 <akk312000@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Jose Morales <jmoralesmnz@gmail.com>
Co-authored-by: 3t8 <62209650+3t8@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
Co-authored-by: Santosh Bhandari <bsantosh909@gmail.com>
Co-authored-by: Arpit <arpitnath42@gmail.com>
Co-authored-by: Ajith KV <ajith.jaban@gmail.com>
Co-authored-by: Akarsh Jain <72064462+akarsh-jain-790@users.noreply.github.com>
Co-authored-by: Utsav Paul <91927689+Smartmind12@users.noreply.github.com>
Co-authored-by: Vijaykant Yadav <vjaris42@Vijaykants-MacBook-Pro.local>
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
Co-authored-by: geisterfurz007 <geisterfurz007@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
Co-authored-by: Abhushan Gautam <carefreeav09@gmail.com>
Co-authored-by: Syed Ansar <82027712+Syed-Ansar@users.noreply.github.com>
Co-authored-by: Rahul Sunil <rahulsunil2@gmail.com>
Co-authored-by: Srisuma Atluri <40341173+Srisuma13@users.noreply.github.com>
Co-authored-by: Midhun Kumar E <midhun752@gmail.com>
Co-authored-by: Navaneeth Pk <navaneeth@tooljet.io>
Co-authored-by: Akasshhg <91525166+gogoiakash2311@users.noreply.github.com>
2022-12-08 07:54:31 +00:00
|
|
|
.send({ email: 'user@tooljet.io', password: 'psswrd' })
|
2022-06-29 19:19:45 +00:00
|
|
|
.expect(401);
|
|
|
|
|
|
|
|
|
|
await request(app.getHttpServer())
|
|
|
|
|
.post('/api/authenticate')
|
Feature :: Onboarding revamp (#4044)
* typo
* password length check , ui fixes
* fixing typos
* fixing navbar ui
* updated icon , changed history to Link
* fix :: repopulating data
* fix :: key added for non sso logins
* ui improvements , added loading states , bugfixes
* changing folder names
* fix :: removing scroll and fixing to 100%
* fix :: all spell mistakes corrected
* fix :: bug on password show/hide
* fix :: bug in button animation state
* fix :: added loader states for all onboarding buttons
* fix :: imports
* feat :: centering ui for signup and login pages
* bugfixes :: minor
* feat :: added mediaquery for mobile screens
* fix :: typo spell check
* PR changes
- instance configs
- reused jwt payload
* fix :: loading bugfix
* feat :: added loader for verification sucess screen
* styles :: loader
* fix :: typo corrections
* fix :: image path
* fix :: darmode & enter press in onboard
* Fixed organization name issue
* fix :: keystroke not taken initially
* fix :: trim company name
* fix :: setting autocomplete to off
* removing redirectsso and confirmation page as its unused now
* few ui corrections , laoding states
* Fixed organization login sso issue
* Add db transaction wrap
* refactoring the code
* flow changes
* Added db tranxn wrap to auth services
* adding accept invite screen
* added verify organization token route
* fixes
* adding disable_multiworkspace to default config
* cleanup
* intermediate commit :: revamping organization page , api integration
* fixes
* feat :: organization token send in invite from org account setup
* fix :: making orgtoken conditional and ui changes / functional updates organization invte
* removed unwanted code
* fix :: login/account setup for sso user in single workspace flow
* fixes
* fix :: CTA loader misaligned
* fix :: sso login single workspace
* fix
* fix :: role check db
* fix :: role check DB
* fix :: setting fallback screen for organizational invite
* feat :: org signup
* fix :: loading states bug
* fix :: loading bug
* fixes
* added password length validation
* fixes
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* fix: sub path for static asset serve (#4668)
* Bugfix :: Sort event fired on sort removal (#4542)
* onsort applied on sort removal
* bugcheck
* removing unused toast
* Feature :: Table image column type addition (#4547)
* feat :: adding column type image
* feat :: adding image fit property
* Fix :: Closing of textarea ontype Table widget (#4549)
* fix :: closing of textarea ontype
* fix :: bug not able to clear value
* bug fixed : generate file in text is not supported (#4346)
* add eslintignore for frontend (#4669)
* [cypress] Fix failing manage SSO spec in single workspace #4390 (#4509)
* added [data-cy=login-page-logo] also removed one dropdown of same name
* Revert command.js
* call loginpagelogo
* Fixed toast test case
* updated text
* remove timer
* revert linting
* Github text fixed
* Replaced the woocommerce connection screenshot from dark to light one (#4654)
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
* gifs for Keyboard Shortcuts Added (#4643)
* Fix. Image to button group docs (#4630) (#4631)
* Add. Image to button group docs (#4630)
* Update docs/docs/widgets/button-group.md
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
* [added] Translated global strings in french #4169 (#4232)
* [added] Translated global strings in french
Added global strings translated to French language , Issue: #4169
* [localization ] Fixed the Proposed Changes in French Translation
* [localization ] Fixed the Remaining Proposed Changes in French Translation v2
* Update selectHost
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
* [localization] issue-4188 added spanish keys for card app (#4229)
* issue-4188 added spanish keys for card app
* IT-4188 fixed PR
* Improve toast message shortcut on component deletion (#4513)
* Improve toast message shortcut
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* feat: Add DTO for organization create (#4651)
* feat: Add DTO for organization create
* chore: fix eslint error
* chore: eslint ...
* Fixed failing manage SSO spec in multi workspace (#4658)
* Fixed failing manage SSO spec in multi workspace
* github to gitHib
* persist data without saving the query (#4649)
* Fixed failing dashboard specs (#4667)
* Add and modify data-cy
* Fix failing manage users spec in multiworkspace
* Fix failing user permission spec in multi workspace
* Fix failing dashboard spec
* Fix failing manage group spec
* Fix failing manage users spec in single workspace
* Fix failing user permission spec in single workspace
* indentation changes
* Remove wait
* [Marketplace] AWS S3 (#4670)
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* marketplace: s3
* rename operations file to query_operations
* fix: crash on click of existing plugin
* remove unused console
* adds missing async await
* add isoptional for repo
* plugin card ui style fixes
* update plugin name
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
* fix: Added a modal with warning message on disabling password (#4552)
* Copy to clipboard (#4588)
* Update EventManager.jsx
* Update EventManager.jsx
* Update EventManager.jsx
* fix :: adding sso configs based on org id
* loader and password check
* multiworkspace invite flow updated
* restrict only active users
* fix
* added error message for password length check
* fix :: password trim
* fix :: all happy flows tested , single and multi exept sso
* fix: message on invalid password
* revert: package-lock.json file
* feat :: changing ui for user present for org invite in multi workspace
* fix :: remove password check for existing user multiworkspace
* fix :: added fallback
* fix :: typo
* fix :: adding checks
* fix
* feat :: for single workspace user logged in directly
* fix :: code meaning fix
* fix
* fixes
* fix
* fix
* fix
* fix :: sso fix and bug updates
* fix :: json resolution for only single workspace
* token :: app level
* fix
* fix
* fixes
* fix
* ui fixes , removed loading and added checks
* showing sso options
* fix :: back to
* fix single workspace
* adding sso check ui
* sso single workspace fix
* code refactoring
* fix :: bugfix on click enter submit in signup and signin
* qa fix :: typo
* fix for sending welcome email on invite
* bug fixes
* fix
* qa bug fixes and translations
* switch workspace fixes
* fix :: company name taking empty spaces
* adding some more translations
* making all screens center aligned
* fix :: login page not loading
* fix :: singup conditional
* fixes
* typo fix
* fix :: for diabled cases of sso , password login , disabled signup
* fix
* fix :: added max input length for workspace name
* fix
* fix :: missing validation on edit email
* fix :: all screens vertically aligned
* fix :: alignment link expiry screen
* fix
* fix :: styling terms and condition
* fix :: for redirect url loginto workspace fixed according to new design
* typo
* feat :: removed onboarding modal , redundant
* typo fix
* fix
* name is now mandatory for sign up
* fix for password retry count not updating
* showing onboarding questions for sign up users
* fix :: spaces in password in diff screens
* fix :: darkmode initial
* fix for accept organization invite success message
* fix :: dark mode
* fix :: dark mode
* feat :: updating all dark mode images
* bugfix img
* bugfix ::img
* dark mode :: improvements
* single workspace signup fix
* updating images
* stylefix
* self review :: bugfixes
* sign up page fix
* fix for asking password for single ws activation
* or separator fix for signup page
* fix
* feat :: updating cta images
* fix :: loader bugs
* hiding sso options in org invite, sign in via sso
* fix :: dark mode img
* bugfixes :: cta changed
* Fix :: onboarding styles fixes (#4773)
* fix: styling in authWrappers
* cleanup
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* fix :: conflicting styles
* fix :: loaders , and added header to link expired screen , style fixes
* fix :: mobile onboarding btn
* fix :: loading onboarding completion
* fix :: subpath not taking img path
* fix :: path
* fix :: removing trailing img / for subpath
* fix :: cta img
* fix :: remove scrollbar
* last name as undefined in comments
* fixed loading bug and cursor of company input onboard form
* comments fixes
* fix :: removing verify email screen on org invite
* comments fix
* fix :: no login methods
* fix :: bug in expired org invite verification link
* fix :: edge case name being empty when user types multiple spaces
* fix :: comments breaking
* fix :: notification breaking
* fix :: user groups table lastname
* fix for sso redirection
* fix :: empty first and last name during org invite
* bug fixed :On updating any permissions under permission tab, currentTab switches to app tab (#4734)
* fix: popout editor closing for tables (#4674)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added default value for backgroundColor In NumberInput (#4378)
* fix: added background styles for number input
* fix: removed additional f from the background color property
* fix: added backgroundColor property from styles
* fixes: default bg color for dark mode
Co-authored-by: arpitnath <arpitnath42@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added the hover effects on datasources (#4303)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added Background Color to Text Input (#4194)
* Added Background Color to Text Input
* Added Default Value for Background Color
* added default value and make background of text input consistent with the dark theme
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* feat: Add update version button on installable plugin (#4766)
* feat: Add update version button on installable plugin
* use id from update method
* removes redundant check
* use plugin id for fetching files from s3
* fetch latest plugins once updated
* disable update and remove buttons while update in progress
* replace href with link-span cx + send body in patch request
* fix: Dark mode on table's `Striped` and `Striped & Bordered` table type mode (#4611)
* [ Hotfix ] :: Hard to resize table columns (#4438)
* fix :: hard to resize , scrollbar should not be visible
* fix :: resizer not working in pewview
* Enhancement : [RangeSlider widget] Bind onChange event (#4192)
* add onChange event and its handler
* add handler for slider change as well
* fix lint
* added onChange fire event when slider value is changed
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
* Added data-cy for table widget elements (#4792)
* Add data-cy to tooltip label
* Add data-cy to table filter pop-over
* Add data-cy to table elements
* Add review changes
* [docs] Widget updates (#4793)
* widget updates
* minor update
* Update README.md (#4784)
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Fixed grammatical errors in localization doc (#4800)
* [docs] widget property updates (#4806)
* fixes
* added resend invite API
* Onboarding revamp test cases (#4770)
* fix: test cases for oauth
* fix: app controller test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: single workspace test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* add: test cases for sso
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: linting in files
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: test cases for oauth
* fix: linting in files
* rebase: from feature/onboarding-revamp
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* feat :: api update resend invite
* loading state resend mail
* adding loading state
* checkpoints shown only till tablet
* fix: failing test cases for sso
* pr:: changes changed all imports and removed unwanted fragments
* pr changes
* fix :: naming images
* fix :: style organized for onboarding
* fix for user seed issue
* removing unwanted styles
* Setting darkmode from props :: onboarding (#4885)
* passing darkmode as props to components
* error toast
* Review comment :: rename env variable
* Pr :: changes , code cleanup onborading form
* develop merge
* pr changes ::form splitted to components
* password warning added
* chore :: lint folder renaming
* review comments
* fixes
* fix for test cases failure
* changes :: removed empty divs
* cleanup
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Muhsin Shah <muhsinshah21@gmail.com>
Co-authored-by: gsmithun4 <gsmithun4@gmail.com>
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
Co-authored-by: Manish Kushare <kushare.manish9@gmail.com>
Co-authored-by: Akshay <akshaysasidharan93@gmail.com>
Co-authored-by: alammoiz <moixalam@gmail.com>
Co-authored-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Akhilesh Kumar Mishra <79476272+iamakhileshmishra@users.noreply.github.com>
Co-authored-by: Hemanth Kumar <49117799+Hemanthhari2000@users.noreply.github.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: akk312000 <akk312000@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Jose Morales <jmoralesmnz@gmail.com>
Co-authored-by: 3t8 <62209650+3t8@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
Co-authored-by: Santosh Bhandari <bsantosh909@gmail.com>
Co-authored-by: Arpit <arpitnath42@gmail.com>
Co-authored-by: Ajith KV <ajith.jaban@gmail.com>
Co-authored-by: Akarsh Jain <72064462+akarsh-jain-790@users.noreply.github.com>
Co-authored-by: Utsav Paul <91927689+Smartmind12@users.noreply.github.com>
Co-authored-by: Vijaykant Yadav <vjaris42@Vijaykants-MacBook-Pro.local>
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
Co-authored-by: geisterfurz007 <geisterfurz007@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
Co-authored-by: Abhushan Gautam <carefreeav09@gmail.com>
Co-authored-by: Syed Ansar <82027712+Syed-Ansar@users.noreply.github.com>
Co-authored-by: Rahul Sunil <rahulsunil2@gmail.com>
Co-authored-by: Srisuma Atluri <40341173+Srisuma13@users.noreply.github.com>
Co-authored-by: Midhun Kumar E <midhun752@gmail.com>
Co-authored-by: Navaneeth Pk <navaneeth@tooljet.io>
Co-authored-by: Akasshhg <91525166+gogoiakash2311@users.noreply.github.com>
2022-12-08 07:54:31 +00:00
|
|
|
.send({ email: 'user@tooljet.io', password: 'psswrd' })
|
2022-06-29 19:19:45 +00:00
|
|
|
.expect(401);
|
|
|
|
|
|
|
|
|
|
await request(app.getHttpServer())
|
|
|
|
|
.post('/api/authenticate')
|
Feature :: Onboarding revamp (#4044)
* typo
* password length check , ui fixes
* fixing typos
* fixing navbar ui
* updated icon , changed history to Link
* fix :: repopulating data
* fix :: key added for non sso logins
* ui improvements , added loading states , bugfixes
* changing folder names
* fix :: removing scroll and fixing to 100%
* fix :: all spell mistakes corrected
* fix :: bug on password show/hide
* fix :: bug in button animation state
* fix :: added loader states for all onboarding buttons
* fix :: imports
* feat :: centering ui for signup and login pages
* bugfixes :: minor
* feat :: added mediaquery for mobile screens
* fix :: typo spell check
* PR changes
- instance configs
- reused jwt payload
* fix :: loading bugfix
* feat :: added loader for verification sucess screen
* styles :: loader
* fix :: typo corrections
* fix :: image path
* fix :: darmode & enter press in onboard
* Fixed organization name issue
* fix :: keystroke not taken initially
* fix :: trim company name
* fix :: setting autocomplete to off
* removing redirectsso and confirmation page as its unused now
* few ui corrections , laoding states
* Fixed organization login sso issue
* Add db transaction wrap
* refactoring the code
* flow changes
* Added db tranxn wrap to auth services
* adding accept invite screen
* added verify organization token route
* fixes
* adding disable_multiworkspace to default config
* cleanup
* intermediate commit :: revamping organization page , api integration
* fixes
* feat :: organization token send in invite from org account setup
* fix :: making orgtoken conditional and ui changes / functional updates organization invte
* removed unwanted code
* fix :: login/account setup for sso user in single workspace flow
* fixes
* fix :: CTA loader misaligned
* fix :: sso login single workspace
* fix
* fix :: role check db
* fix :: role check DB
* fix :: setting fallback screen for organizational invite
* feat :: org signup
* fix :: loading states bug
* fix :: loading bug
* fixes
* added password length validation
* fixes
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* fix: sub path for static asset serve (#4668)
* Bugfix :: Sort event fired on sort removal (#4542)
* onsort applied on sort removal
* bugcheck
* removing unused toast
* Feature :: Table image column type addition (#4547)
* feat :: adding column type image
* feat :: adding image fit property
* Fix :: Closing of textarea ontype Table widget (#4549)
* fix :: closing of textarea ontype
* fix :: bug not able to clear value
* bug fixed : generate file in text is not supported (#4346)
* add eslintignore for frontend (#4669)
* [cypress] Fix failing manage SSO spec in single workspace #4390 (#4509)
* added [data-cy=login-page-logo] also removed one dropdown of same name
* Revert command.js
* call loginpagelogo
* Fixed toast test case
* updated text
* remove timer
* revert linting
* Github text fixed
* Replaced the woocommerce connection screenshot from dark to light one (#4654)
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
* gifs for Keyboard Shortcuts Added (#4643)
* Fix. Image to button group docs (#4630) (#4631)
* Add. Image to button group docs (#4630)
* Update docs/docs/widgets/button-group.md
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
* [added] Translated global strings in french #4169 (#4232)
* [added] Translated global strings in french
Added global strings translated to French language , Issue: #4169
* [localization ] Fixed the Proposed Changes in French Translation
* [localization ] Fixed the Remaining Proposed Changes in French Translation v2
* Update selectHost
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
* [localization] issue-4188 added spanish keys for card app (#4229)
* issue-4188 added spanish keys for card app
* IT-4188 fixed PR
* Improve toast message shortcut on component deletion (#4513)
* Improve toast message shortcut
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* feat: Add DTO for organization create (#4651)
* feat: Add DTO for organization create
* chore: fix eslint error
* chore: eslint ...
* Fixed failing manage SSO spec in multi workspace (#4658)
* Fixed failing manage SSO spec in multi workspace
* github to gitHib
* persist data without saving the query (#4649)
* Fixed failing dashboard specs (#4667)
* Add and modify data-cy
* Fix failing manage users spec in multiworkspace
* Fix failing user permission spec in multi workspace
* Fix failing dashboard spec
* Fix failing manage group spec
* Fix failing manage users spec in single workspace
* Fix failing user permission spec in single workspace
* indentation changes
* Remove wait
* [Marketplace] AWS S3 (#4670)
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* marketplace: s3
* rename operations file to query_operations
* fix: crash on click of existing plugin
* remove unused console
* adds missing async await
* add isoptional for repo
* plugin card ui style fixes
* update plugin name
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
* fix: Added a modal with warning message on disabling password (#4552)
* Copy to clipboard (#4588)
* Update EventManager.jsx
* Update EventManager.jsx
* Update EventManager.jsx
* fix :: adding sso configs based on org id
* loader and password check
* multiworkspace invite flow updated
* restrict only active users
* fix
* added error message for password length check
* fix :: password trim
* fix :: all happy flows tested , single and multi exept sso
* fix: message on invalid password
* revert: package-lock.json file
* feat :: changing ui for user present for org invite in multi workspace
* fix :: remove password check for existing user multiworkspace
* fix :: added fallback
* fix :: typo
* fix :: adding checks
* fix
* feat :: for single workspace user logged in directly
* fix :: code meaning fix
* fix
* fixes
* fix
* fix
* fix
* fix :: sso fix and bug updates
* fix :: json resolution for only single workspace
* token :: app level
* fix
* fix
* fixes
* fix
* ui fixes , removed loading and added checks
* showing sso options
* fix :: back to
* fix single workspace
* adding sso check ui
* sso single workspace fix
* code refactoring
* fix :: bugfix on click enter submit in signup and signin
* qa fix :: typo
* fix for sending welcome email on invite
* bug fixes
* fix
* qa bug fixes and translations
* switch workspace fixes
* fix :: company name taking empty spaces
* adding some more translations
* making all screens center aligned
* fix :: login page not loading
* fix :: singup conditional
* fixes
* typo fix
* fix :: for diabled cases of sso , password login , disabled signup
* fix
* fix :: added max input length for workspace name
* fix
* fix :: missing validation on edit email
* fix :: all screens vertically aligned
* fix :: alignment link expiry screen
* fix
* fix :: styling terms and condition
* fix :: for redirect url loginto workspace fixed according to new design
* typo
* feat :: removed onboarding modal , redundant
* typo fix
* fix
* name is now mandatory for sign up
* fix for password retry count not updating
* showing onboarding questions for sign up users
* fix :: spaces in password in diff screens
* fix :: darkmode initial
* fix for accept organization invite success message
* fix :: dark mode
* fix :: dark mode
* feat :: updating all dark mode images
* bugfix img
* bugfix ::img
* dark mode :: improvements
* single workspace signup fix
* updating images
* stylefix
* self review :: bugfixes
* sign up page fix
* fix for asking password for single ws activation
* or separator fix for signup page
* fix
* feat :: updating cta images
* fix :: loader bugs
* hiding sso options in org invite, sign in via sso
* fix :: dark mode img
* bugfixes :: cta changed
* Fix :: onboarding styles fixes (#4773)
* fix: styling in authWrappers
* cleanup
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* fix :: conflicting styles
* fix :: loaders , and added header to link expired screen , style fixes
* fix :: mobile onboarding btn
* fix :: loading onboarding completion
* fix :: subpath not taking img path
* fix :: path
* fix :: removing trailing img / for subpath
* fix :: cta img
* fix :: remove scrollbar
* last name as undefined in comments
* fixed loading bug and cursor of company input onboard form
* comments fixes
* fix :: removing verify email screen on org invite
* comments fix
* fix :: no login methods
* fix :: bug in expired org invite verification link
* fix :: edge case name being empty when user types multiple spaces
* fix :: comments breaking
* fix :: notification breaking
* fix :: user groups table lastname
* fix for sso redirection
* fix :: empty first and last name during org invite
* bug fixed :On updating any permissions under permission tab, currentTab switches to app tab (#4734)
* fix: popout editor closing for tables (#4674)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added default value for backgroundColor In NumberInput (#4378)
* fix: added background styles for number input
* fix: removed additional f from the background color property
* fix: added backgroundColor property from styles
* fixes: default bg color for dark mode
Co-authored-by: arpitnath <arpitnath42@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added the hover effects on datasources (#4303)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added Background Color to Text Input (#4194)
* Added Background Color to Text Input
* Added Default Value for Background Color
* added default value and make background of text input consistent with the dark theme
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* feat: Add update version button on installable plugin (#4766)
* feat: Add update version button on installable plugin
* use id from update method
* removes redundant check
* use plugin id for fetching files from s3
* fetch latest plugins once updated
* disable update and remove buttons while update in progress
* replace href with link-span cx + send body in patch request
* fix: Dark mode on table's `Striped` and `Striped & Bordered` table type mode (#4611)
* [ Hotfix ] :: Hard to resize table columns (#4438)
* fix :: hard to resize , scrollbar should not be visible
* fix :: resizer not working in pewview
* Enhancement : [RangeSlider widget] Bind onChange event (#4192)
* add onChange event and its handler
* add handler for slider change as well
* fix lint
* added onChange fire event when slider value is changed
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
* Added data-cy for table widget elements (#4792)
* Add data-cy to tooltip label
* Add data-cy to table filter pop-over
* Add data-cy to table elements
* Add review changes
* [docs] Widget updates (#4793)
* widget updates
* minor update
* Update README.md (#4784)
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Fixed grammatical errors in localization doc (#4800)
* [docs] widget property updates (#4806)
* fixes
* added resend invite API
* Onboarding revamp test cases (#4770)
* fix: test cases for oauth
* fix: app controller test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: single workspace test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* add: test cases for sso
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: linting in files
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: test cases for oauth
* fix: linting in files
* rebase: from feature/onboarding-revamp
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* feat :: api update resend invite
* loading state resend mail
* adding loading state
* checkpoints shown only till tablet
* fix: failing test cases for sso
* pr:: changes changed all imports and removed unwanted fragments
* pr changes
* fix :: naming images
* fix :: style organized for onboarding
* fix for user seed issue
* removing unwanted styles
* Setting darkmode from props :: onboarding (#4885)
* passing darkmode as props to components
* error toast
* Review comment :: rename env variable
* Pr :: changes , code cleanup onborading form
* develop merge
* pr changes ::form splitted to components
* password warning added
* chore :: lint folder renaming
* review comments
* fixes
* fix for test cases failure
* changes :: removed empty divs
* cleanup
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Muhsin Shah <muhsinshah21@gmail.com>
Co-authored-by: gsmithun4 <gsmithun4@gmail.com>
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
Co-authored-by: Manish Kushare <kushare.manish9@gmail.com>
Co-authored-by: Akshay <akshaysasidharan93@gmail.com>
Co-authored-by: alammoiz <moixalam@gmail.com>
Co-authored-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Akhilesh Kumar Mishra <79476272+iamakhileshmishra@users.noreply.github.com>
Co-authored-by: Hemanth Kumar <49117799+Hemanthhari2000@users.noreply.github.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: akk312000 <akk312000@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Jose Morales <jmoralesmnz@gmail.com>
Co-authored-by: 3t8 <62209650+3t8@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
Co-authored-by: Santosh Bhandari <bsantosh909@gmail.com>
Co-authored-by: Arpit <arpitnath42@gmail.com>
Co-authored-by: Ajith KV <ajith.jaban@gmail.com>
Co-authored-by: Akarsh Jain <72064462+akarsh-jain-790@users.noreply.github.com>
Co-authored-by: Utsav Paul <91927689+Smartmind12@users.noreply.github.com>
Co-authored-by: Vijaykant Yadav <vjaris42@Vijaykants-MacBook-Pro.local>
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
Co-authored-by: geisterfurz007 <geisterfurz007@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
Co-authored-by: Abhushan Gautam <carefreeav09@gmail.com>
Co-authored-by: Syed Ansar <82027712+Syed-Ansar@users.noreply.github.com>
Co-authored-by: Rahul Sunil <rahulsunil2@gmail.com>
Co-authored-by: Srisuma Atluri <40341173+Srisuma13@users.noreply.github.com>
Co-authored-by: Midhun Kumar E <midhun752@gmail.com>
Co-authored-by: Navaneeth Pk <navaneeth@tooljet.io>
Co-authored-by: Akasshhg <91525166+gogoiakash2311@users.noreply.github.com>
2022-12-08 07:54:31 +00:00
|
|
|
.send({ email: 'user@tooljet.io', password: 'psswrd' })
|
2022-06-29 19:19:45 +00:00
|
|
|
.expect(401);
|
|
|
|
|
|
|
|
|
|
const invalidCredentialResp = await request(app.getHttpServer())
|
|
|
|
|
.post('/api/authenticate')
|
Feature :: Onboarding revamp (#4044)
* typo
* password length check , ui fixes
* fixing typos
* fixing navbar ui
* updated icon , changed history to Link
* fix :: repopulating data
* fix :: key added for non sso logins
* ui improvements , added loading states , bugfixes
* changing folder names
* fix :: removing scroll and fixing to 100%
* fix :: all spell mistakes corrected
* fix :: bug on password show/hide
* fix :: bug in button animation state
* fix :: added loader states for all onboarding buttons
* fix :: imports
* feat :: centering ui for signup and login pages
* bugfixes :: minor
* feat :: added mediaquery for mobile screens
* fix :: typo spell check
* PR changes
- instance configs
- reused jwt payload
* fix :: loading bugfix
* feat :: added loader for verification sucess screen
* styles :: loader
* fix :: typo corrections
* fix :: image path
* fix :: darmode & enter press in onboard
* Fixed organization name issue
* fix :: keystroke not taken initially
* fix :: trim company name
* fix :: setting autocomplete to off
* removing redirectsso and confirmation page as its unused now
* few ui corrections , laoding states
* Fixed organization login sso issue
* Add db transaction wrap
* refactoring the code
* flow changes
* Added db tranxn wrap to auth services
* adding accept invite screen
* added verify organization token route
* fixes
* adding disable_multiworkspace to default config
* cleanup
* intermediate commit :: revamping organization page , api integration
* fixes
* feat :: organization token send in invite from org account setup
* fix :: making orgtoken conditional and ui changes / functional updates organization invte
* removed unwanted code
* fix :: login/account setup for sso user in single workspace flow
* fixes
* fix :: CTA loader misaligned
* fix :: sso login single workspace
* fix
* fix :: role check db
* fix :: role check DB
* fix :: setting fallback screen for organizational invite
* feat :: org signup
* fix :: loading states bug
* fix :: loading bug
* fixes
* added password length validation
* fixes
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* fix: sub path for static asset serve (#4668)
* Bugfix :: Sort event fired on sort removal (#4542)
* onsort applied on sort removal
* bugcheck
* removing unused toast
* Feature :: Table image column type addition (#4547)
* feat :: adding column type image
* feat :: adding image fit property
* Fix :: Closing of textarea ontype Table widget (#4549)
* fix :: closing of textarea ontype
* fix :: bug not able to clear value
* bug fixed : generate file in text is not supported (#4346)
* add eslintignore for frontend (#4669)
* [cypress] Fix failing manage SSO spec in single workspace #4390 (#4509)
* added [data-cy=login-page-logo] also removed one dropdown of same name
* Revert command.js
* call loginpagelogo
* Fixed toast test case
* updated text
* remove timer
* revert linting
* Github text fixed
* Replaced the woocommerce connection screenshot from dark to light one (#4654)
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
* gifs for Keyboard Shortcuts Added (#4643)
* Fix. Image to button group docs (#4630) (#4631)
* Add. Image to button group docs (#4630)
* Update docs/docs/widgets/button-group.md
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
* [added] Translated global strings in french #4169 (#4232)
* [added] Translated global strings in french
Added global strings translated to French language , Issue: #4169
* [localization ] Fixed the Proposed Changes in French Translation
* [localization ] Fixed the Remaining Proposed Changes in French Translation v2
* Update selectHost
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
* [localization] issue-4188 added spanish keys for card app (#4229)
* issue-4188 added spanish keys for card app
* IT-4188 fixed PR
* Improve toast message shortcut on component deletion (#4513)
* Improve toast message shortcut
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* feat: Add DTO for organization create (#4651)
* feat: Add DTO for organization create
* chore: fix eslint error
* chore: eslint ...
* Fixed failing manage SSO spec in multi workspace (#4658)
* Fixed failing manage SSO spec in multi workspace
* github to gitHib
* persist data without saving the query (#4649)
* Fixed failing dashboard specs (#4667)
* Add and modify data-cy
* Fix failing manage users spec in multiworkspace
* Fix failing user permission spec in multi workspace
* Fix failing dashboard spec
* Fix failing manage group spec
* Fix failing manage users spec in single workspace
* Fix failing user permission spec in single workspace
* indentation changes
* Remove wait
* [Marketplace] AWS S3 (#4670)
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* marketplace: s3
* rename operations file to query_operations
* fix: crash on click of existing plugin
* remove unused console
* adds missing async await
* add isoptional for repo
* plugin card ui style fixes
* update plugin name
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
* fix: Added a modal with warning message on disabling password (#4552)
* Copy to clipboard (#4588)
* Update EventManager.jsx
* Update EventManager.jsx
* Update EventManager.jsx
* fix :: adding sso configs based on org id
* loader and password check
* multiworkspace invite flow updated
* restrict only active users
* fix
* added error message for password length check
* fix :: password trim
* fix :: all happy flows tested , single and multi exept sso
* fix: message on invalid password
* revert: package-lock.json file
* feat :: changing ui for user present for org invite in multi workspace
* fix :: remove password check for existing user multiworkspace
* fix :: added fallback
* fix :: typo
* fix :: adding checks
* fix
* feat :: for single workspace user logged in directly
* fix :: code meaning fix
* fix
* fixes
* fix
* fix
* fix
* fix :: sso fix and bug updates
* fix :: json resolution for only single workspace
* token :: app level
* fix
* fix
* fixes
* fix
* ui fixes , removed loading and added checks
* showing sso options
* fix :: back to
* fix single workspace
* adding sso check ui
* sso single workspace fix
* code refactoring
* fix :: bugfix on click enter submit in signup and signin
* qa fix :: typo
* fix for sending welcome email on invite
* bug fixes
* fix
* qa bug fixes and translations
* switch workspace fixes
* fix :: company name taking empty spaces
* adding some more translations
* making all screens center aligned
* fix :: login page not loading
* fix :: singup conditional
* fixes
* typo fix
* fix :: for diabled cases of sso , password login , disabled signup
* fix
* fix :: added max input length for workspace name
* fix
* fix :: missing validation on edit email
* fix :: all screens vertically aligned
* fix :: alignment link expiry screen
* fix
* fix :: styling terms and condition
* fix :: for redirect url loginto workspace fixed according to new design
* typo
* feat :: removed onboarding modal , redundant
* typo fix
* fix
* name is now mandatory for sign up
* fix for password retry count not updating
* showing onboarding questions for sign up users
* fix :: spaces in password in diff screens
* fix :: darkmode initial
* fix for accept organization invite success message
* fix :: dark mode
* fix :: dark mode
* feat :: updating all dark mode images
* bugfix img
* bugfix ::img
* dark mode :: improvements
* single workspace signup fix
* updating images
* stylefix
* self review :: bugfixes
* sign up page fix
* fix for asking password for single ws activation
* or separator fix for signup page
* fix
* feat :: updating cta images
* fix :: loader bugs
* hiding sso options in org invite, sign in via sso
* fix :: dark mode img
* bugfixes :: cta changed
* Fix :: onboarding styles fixes (#4773)
* fix: styling in authWrappers
* cleanup
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* fix :: conflicting styles
* fix :: loaders , and added header to link expired screen , style fixes
* fix :: mobile onboarding btn
* fix :: loading onboarding completion
* fix :: subpath not taking img path
* fix :: path
* fix :: removing trailing img / for subpath
* fix :: cta img
* fix :: remove scrollbar
* last name as undefined in comments
* fixed loading bug and cursor of company input onboard form
* comments fixes
* fix :: removing verify email screen on org invite
* comments fix
* fix :: no login methods
* fix :: bug in expired org invite verification link
* fix :: edge case name being empty when user types multiple spaces
* fix :: comments breaking
* fix :: notification breaking
* fix :: user groups table lastname
* fix for sso redirection
* fix :: empty first and last name during org invite
* bug fixed :On updating any permissions under permission tab, currentTab switches to app tab (#4734)
* fix: popout editor closing for tables (#4674)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added default value for backgroundColor In NumberInput (#4378)
* fix: added background styles for number input
* fix: removed additional f from the background color property
* fix: added backgroundColor property from styles
* fixes: default bg color for dark mode
Co-authored-by: arpitnath <arpitnath42@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added the hover effects on datasources (#4303)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added Background Color to Text Input (#4194)
* Added Background Color to Text Input
* Added Default Value for Background Color
* added default value and make background of text input consistent with the dark theme
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* feat: Add update version button on installable plugin (#4766)
* feat: Add update version button on installable plugin
* use id from update method
* removes redundant check
* use plugin id for fetching files from s3
* fetch latest plugins once updated
* disable update and remove buttons while update in progress
* replace href with link-span cx + send body in patch request
* fix: Dark mode on table's `Striped` and `Striped & Bordered` table type mode (#4611)
* [ Hotfix ] :: Hard to resize table columns (#4438)
* fix :: hard to resize , scrollbar should not be visible
* fix :: resizer not working in pewview
* Enhancement : [RangeSlider widget] Bind onChange event (#4192)
* add onChange event and its handler
* add handler for slider change as well
* fix lint
* added onChange fire event when slider value is changed
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
* Added data-cy for table widget elements (#4792)
* Add data-cy to tooltip label
* Add data-cy to table filter pop-over
* Add data-cy to table elements
* Add review changes
* [docs] Widget updates (#4793)
* widget updates
* minor update
* Update README.md (#4784)
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Fixed grammatical errors in localization doc (#4800)
* [docs] widget property updates (#4806)
* fixes
* added resend invite API
* Onboarding revamp test cases (#4770)
* fix: test cases for oauth
* fix: app controller test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: single workspace test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* add: test cases for sso
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: linting in files
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: test cases for oauth
* fix: linting in files
* rebase: from feature/onboarding-revamp
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* feat :: api update resend invite
* loading state resend mail
* adding loading state
* checkpoints shown only till tablet
* fix: failing test cases for sso
* pr:: changes changed all imports and removed unwanted fragments
* pr changes
* fix :: naming images
* fix :: style organized for onboarding
* fix for user seed issue
* removing unwanted styles
* Setting darkmode from props :: onboarding (#4885)
* passing darkmode as props to components
* error toast
* Review comment :: rename env variable
* Pr :: changes , code cleanup onborading form
* develop merge
* pr changes ::form splitted to components
* password warning added
* chore :: lint folder renaming
* review comments
* fixes
* fix for test cases failure
* changes :: removed empty divs
* cleanup
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Muhsin Shah <muhsinshah21@gmail.com>
Co-authored-by: gsmithun4 <gsmithun4@gmail.com>
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
Co-authored-by: Manish Kushare <kushare.manish9@gmail.com>
Co-authored-by: Akshay <akshaysasidharan93@gmail.com>
Co-authored-by: alammoiz <moixalam@gmail.com>
Co-authored-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Akhilesh Kumar Mishra <79476272+iamakhileshmishra@users.noreply.github.com>
Co-authored-by: Hemanth Kumar <49117799+Hemanthhari2000@users.noreply.github.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: akk312000 <akk312000@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Jose Morales <jmoralesmnz@gmail.com>
Co-authored-by: 3t8 <62209650+3t8@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
Co-authored-by: Santosh Bhandari <bsantosh909@gmail.com>
Co-authored-by: Arpit <arpitnath42@gmail.com>
Co-authored-by: Ajith KV <ajith.jaban@gmail.com>
Co-authored-by: Akarsh Jain <72064462+akarsh-jain-790@users.noreply.github.com>
Co-authored-by: Utsav Paul <91927689+Smartmind12@users.noreply.github.com>
Co-authored-by: Vijaykant Yadav <vjaris42@Vijaykants-MacBook-Pro.local>
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
Co-authored-by: geisterfurz007 <geisterfurz007@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
Co-authored-by: Abhushan Gautam <carefreeav09@gmail.com>
Co-authored-by: Syed Ansar <82027712+Syed-Ansar@users.noreply.github.com>
Co-authored-by: Rahul Sunil <rahulsunil2@gmail.com>
Co-authored-by: Srisuma Atluri <40341173+Srisuma13@users.noreply.github.com>
Co-authored-by: Midhun Kumar E <midhun752@gmail.com>
Co-authored-by: Navaneeth Pk <navaneeth@tooljet.io>
Co-authored-by: Akasshhg <91525166+gogoiakash2311@users.noreply.github.com>
2022-12-08 07:54:31 +00:00
|
|
|
.send({ email: 'user@tooljet.io', password: 'psswrd' });
|
2022-06-29 19:19:45 +00:00
|
|
|
|
|
|
|
|
expect(invalidCredentialResp.statusCode).toBe(401);
|
|
|
|
|
expect(invalidCredentialResp.body.message).toBe('Invalid credentials');
|
|
|
|
|
|
|
|
|
|
const response = await request(app.getHttpServer())
|
|
|
|
|
.post('/api/authenticate')
|
Feature :: Onboarding revamp (#4044)
* typo
* password length check , ui fixes
* fixing typos
* fixing navbar ui
* updated icon , changed history to Link
* fix :: repopulating data
* fix :: key added for non sso logins
* ui improvements , added loading states , bugfixes
* changing folder names
* fix :: removing scroll and fixing to 100%
* fix :: all spell mistakes corrected
* fix :: bug on password show/hide
* fix :: bug in button animation state
* fix :: added loader states for all onboarding buttons
* fix :: imports
* feat :: centering ui for signup and login pages
* bugfixes :: minor
* feat :: added mediaquery for mobile screens
* fix :: typo spell check
* PR changes
- instance configs
- reused jwt payload
* fix :: loading bugfix
* feat :: added loader for verification sucess screen
* styles :: loader
* fix :: typo corrections
* fix :: image path
* fix :: darmode & enter press in onboard
* Fixed organization name issue
* fix :: keystroke not taken initially
* fix :: trim company name
* fix :: setting autocomplete to off
* removing redirectsso and confirmation page as its unused now
* few ui corrections , laoding states
* Fixed organization login sso issue
* Add db transaction wrap
* refactoring the code
* flow changes
* Added db tranxn wrap to auth services
* adding accept invite screen
* added verify organization token route
* fixes
* adding disable_multiworkspace to default config
* cleanup
* intermediate commit :: revamping organization page , api integration
* fixes
* feat :: organization token send in invite from org account setup
* fix :: making orgtoken conditional and ui changes / functional updates organization invte
* removed unwanted code
* fix :: login/account setup for sso user in single workspace flow
* fixes
* fix :: CTA loader misaligned
* fix :: sso login single workspace
* fix
* fix :: role check db
* fix :: role check DB
* fix :: setting fallback screen for organizational invite
* feat :: org signup
* fix :: loading states bug
* fix :: loading bug
* fixes
* added password length validation
* fixes
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* fix: sub path for static asset serve (#4668)
* Bugfix :: Sort event fired on sort removal (#4542)
* onsort applied on sort removal
* bugcheck
* removing unused toast
* Feature :: Table image column type addition (#4547)
* feat :: adding column type image
* feat :: adding image fit property
* Fix :: Closing of textarea ontype Table widget (#4549)
* fix :: closing of textarea ontype
* fix :: bug not able to clear value
* bug fixed : generate file in text is not supported (#4346)
* add eslintignore for frontend (#4669)
* [cypress] Fix failing manage SSO spec in single workspace #4390 (#4509)
* added [data-cy=login-page-logo] also removed one dropdown of same name
* Revert command.js
* call loginpagelogo
* Fixed toast test case
* updated text
* remove timer
* revert linting
* Github text fixed
* Replaced the woocommerce connection screenshot from dark to light one (#4654)
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
* gifs for Keyboard Shortcuts Added (#4643)
* Fix. Image to button group docs (#4630) (#4631)
* Add. Image to button group docs (#4630)
* Update docs/docs/widgets/button-group.md
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
* [added] Translated global strings in french #4169 (#4232)
* [added] Translated global strings in french
Added global strings translated to French language , Issue: #4169
* [localization ] Fixed the Proposed Changes in French Translation
* [localization ] Fixed the Remaining Proposed Changes in French Translation v2
* Update selectHost
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
* [localization] issue-4188 added spanish keys for card app (#4229)
* issue-4188 added spanish keys for card app
* IT-4188 fixed PR
* Improve toast message shortcut on component deletion (#4513)
* Improve toast message shortcut
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* feat: Add DTO for organization create (#4651)
* feat: Add DTO for organization create
* chore: fix eslint error
* chore: eslint ...
* Fixed failing manage SSO spec in multi workspace (#4658)
* Fixed failing manage SSO spec in multi workspace
* github to gitHib
* persist data without saving the query (#4649)
* Fixed failing dashboard specs (#4667)
* Add and modify data-cy
* Fix failing manage users spec in multiworkspace
* Fix failing user permission spec in multi workspace
* Fix failing dashboard spec
* Fix failing manage group spec
* Fix failing manage users spec in single workspace
* Fix failing user permission spec in single workspace
* indentation changes
* Remove wait
* [Marketplace] AWS S3 (#4670)
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* marketplace: s3
* rename operations file to query_operations
* fix: crash on click of existing plugin
* remove unused console
* adds missing async await
* add isoptional for repo
* plugin card ui style fixes
* update plugin name
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
* fix: Added a modal with warning message on disabling password (#4552)
* Copy to clipboard (#4588)
* Update EventManager.jsx
* Update EventManager.jsx
* Update EventManager.jsx
* fix :: adding sso configs based on org id
* loader and password check
* multiworkspace invite flow updated
* restrict only active users
* fix
* added error message for password length check
* fix :: password trim
* fix :: all happy flows tested , single and multi exept sso
* fix: message on invalid password
* revert: package-lock.json file
* feat :: changing ui for user present for org invite in multi workspace
* fix :: remove password check for existing user multiworkspace
* fix :: added fallback
* fix :: typo
* fix :: adding checks
* fix
* feat :: for single workspace user logged in directly
* fix :: code meaning fix
* fix
* fixes
* fix
* fix
* fix
* fix :: sso fix and bug updates
* fix :: json resolution for only single workspace
* token :: app level
* fix
* fix
* fixes
* fix
* ui fixes , removed loading and added checks
* showing sso options
* fix :: back to
* fix single workspace
* adding sso check ui
* sso single workspace fix
* code refactoring
* fix :: bugfix on click enter submit in signup and signin
* qa fix :: typo
* fix for sending welcome email on invite
* bug fixes
* fix
* qa bug fixes and translations
* switch workspace fixes
* fix :: company name taking empty spaces
* adding some more translations
* making all screens center aligned
* fix :: login page not loading
* fix :: singup conditional
* fixes
* typo fix
* fix :: for diabled cases of sso , password login , disabled signup
* fix
* fix :: added max input length for workspace name
* fix
* fix :: missing validation on edit email
* fix :: all screens vertically aligned
* fix :: alignment link expiry screen
* fix
* fix :: styling terms and condition
* fix :: for redirect url loginto workspace fixed according to new design
* typo
* feat :: removed onboarding modal , redundant
* typo fix
* fix
* name is now mandatory for sign up
* fix for password retry count not updating
* showing onboarding questions for sign up users
* fix :: spaces in password in diff screens
* fix :: darkmode initial
* fix for accept organization invite success message
* fix :: dark mode
* fix :: dark mode
* feat :: updating all dark mode images
* bugfix img
* bugfix ::img
* dark mode :: improvements
* single workspace signup fix
* updating images
* stylefix
* self review :: bugfixes
* sign up page fix
* fix for asking password for single ws activation
* or separator fix for signup page
* fix
* feat :: updating cta images
* fix :: loader bugs
* hiding sso options in org invite, sign in via sso
* fix :: dark mode img
* bugfixes :: cta changed
* Fix :: onboarding styles fixes (#4773)
* fix: styling in authWrappers
* cleanup
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* fix :: conflicting styles
* fix :: loaders , and added header to link expired screen , style fixes
* fix :: mobile onboarding btn
* fix :: loading onboarding completion
* fix :: subpath not taking img path
* fix :: path
* fix :: removing trailing img / for subpath
* fix :: cta img
* fix :: remove scrollbar
* last name as undefined in comments
* fixed loading bug and cursor of company input onboard form
* comments fixes
* fix :: removing verify email screen on org invite
* comments fix
* fix :: no login methods
* fix :: bug in expired org invite verification link
* fix :: edge case name being empty when user types multiple spaces
* fix :: comments breaking
* fix :: notification breaking
* fix :: user groups table lastname
* fix for sso redirection
* fix :: empty first and last name during org invite
* bug fixed :On updating any permissions under permission tab, currentTab switches to app tab (#4734)
* fix: popout editor closing for tables (#4674)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added default value for backgroundColor In NumberInput (#4378)
* fix: added background styles for number input
* fix: removed additional f from the background color property
* fix: added backgroundColor property from styles
* fixes: default bg color for dark mode
Co-authored-by: arpitnath <arpitnath42@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added the hover effects on datasources (#4303)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added Background Color to Text Input (#4194)
* Added Background Color to Text Input
* Added Default Value for Background Color
* added default value and make background of text input consistent with the dark theme
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* feat: Add update version button on installable plugin (#4766)
* feat: Add update version button on installable plugin
* use id from update method
* removes redundant check
* use plugin id for fetching files from s3
* fetch latest plugins once updated
* disable update and remove buttons while update in progress
* replace href with link-span cx + send body in patch request
* fix: Dark mode on table's `Striped` and `Striped & Bordered` table type mode (#4611)
* [ Hotfix ] :: Hard to resize table columns (#4438)
* fix :: hard to resize , scrollbar should not be visible
* fix :: resizer not working in pewview
* Enhancement : [RangeSlider widget] Bind onChange event (#4192)
* add onChange event and its handler
* add handler for slider change as well
* fix lint
* added onChange fire event when slider value is changed
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
* Added data-cy for table widget elements (#4792)
* Add data-cy to tooltip label
* Add data-cy to table filter pop-over
* Add data-cy to table elements
* Add review changes
* [docs] Widget updates (#4793)
* widget updates
* minor update
* Update README.md (#4784)
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Fixed grammatical errors in localization doc (#4800)
* [docs] widget property updates (#4806)
* fixes
* added resend invite API
* Onboarding revamp test cases (#4770)
* fix: test cases for oauth
* fix: app controller test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: single workspace test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* add: test cases for sso
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: linting in files
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: test cases for oauth
* fix: linting in files
* rebase: from feature/onboarding-revamp
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* feat :: api update resend invite
* loading state resend mail
* adding loading state
* checkpoints shown only till tablet
* fix: failing test cases for sso
* pr:: changes changed all imports and removed unwanted fragments
* pr changes
* fix :: naming images
* fix :: style organized for onboarding
* fix for user seed issue
* removing unwanted styles
* Setting darkmode from props :: onboarding (#4885)
* passing darkmode as props to components
* error toast
* Review comment :: rename env variable
* Pr :: changes , code cleanup onborading form
* develop merge
* pr changes ::form splitted to components
* password warning added
* chore :: lint folder renaming
* review comments
* fixes
* fix for test cases failure
* changes :: removed empty divs
* cleanup
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Muhsin Shah <muhsinshah21@gmail.com>
Co-authored-by: gsmithun4 <gsmithun4@gmail.com>
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
Co-authored-by: Manish Kushare <kushare.manish9@gmail.com>
Co-authored-by: Akshay <akshaysasidharan93@gmail.com>
Co-authored-by: alammoiz <moixalam@gmail.com>
Co-authored-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Akhilesh Kumar Mishra <79476272+iamakhileshmishra@users.noreply.github.com>
Co-authored-by: Hemanth Kumar <49117799+Hemanthhari2000@users.noreply.github.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: akk312000 <akk312000@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Jose Morales <jmoralesmnz@gmail.com>
Co-authored-by: 3t8 <62209650+3t8@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
Co-authored-by: Santosh Bhandari <bsantosh909@gmail.com>
Co-authored-by: Arpit <arpitnath42@gmail.com>
Co-authored-by: Ajith KV <ajith.jaban@gmail.com>
Co-authored-by: Akarsh Jain <72064462+akarsh-jain-790@users.noreply.github.com>
Co-authored-by: Utsav Paul <91927689+Smartmind12@users.noreply.github.com>
Co-authored-by: Vijaykant Yadav <vjaris42@Vijaykants-MacBook-Pro.local>
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
Co-authored-by: geisterfurz007 <geisterfurz007@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
Co-authored-by: Abhushan Gautam <carefreeav09@gmail.com>
Co-authored-by: Syed Ansar <82027712+Syed-Ansar@users.noreply.github.com>
Co-authored-by: Rahul Sunil <rahulsunil2@gmail.com>
Co-authored-by: Srisuma Atluri <40341173+Srisuma13@users.noreply.github.com>
Co-authored-by: Midhun Kumar E <midhun752@gmail.com>
Co-authored-by: Navaneeth Pk <navaneeth@tooljet.io>
Co-authored-by: Akasshhg <91525166+gogoiakash2311@users.noreply.github.com>
2022-12-08 07:54:31 +00:00
|
|
|
.send({ email: 'user@tooljet.io', password: 'psswrd' });
|
2022-06-29 19:19:45 +00:00
|
|
|
expect(response.statusCode).toBe(401);
|
|
|
|
|
expect(response.body.message).toBe(
|
Feature :: Onboarding revamp (#4044)
* typo
* password length check , ui fixes
* fixing typos
* fixing navbar ui
* updated icon , changed history to Link
* fix :: repopulating data
* fix :: key added for non sso logins
* ui improvements , added loading states , bugfixes
* changing folder names
* fix :: removing scroll and fixing to 100%
* fix :: all spell mistakes corrected
* fix :: bug on password show/hide
* fix :: bug in button animation state
* fix :: added loader states for all onboarding buttons
* fix :: imports
* feat :: centering ui for signup and login pages
* bugfixes :: minor
* feat :: added mediaquery for mobile screens
* fix :: typo spell check
* PR changes
- instance configs
- reused jwt payload
* fix :: loading bugfix
* feat :: added loader for verification sucess screen
* styles :: loader
* fix :: typo corrections
* fix :: image path
* fix :: darmode & enter press in onboard
* Fixed organization name issue
* fix :: keystroke not taken initially
* fix :: trim company name
* fix :: setting autocomplete to off
* removing redirectsso and confirmation page as its unused now
* few ui corrections , laoding states
* Fixed organization login sso issue
* Add db transaction wrap
* refactoring the code
* flow changes
* Added db tranxn wrap to auth services
* adding accept invite screen
* added verify organization token route
* fixes
* adding disable_multiworkspace to default config
* cleanup
* intermediate commit :: revamping organization page , api integration
* fixes
* feat :: organization token send in invite from org account setup
* fix :: making orgtoken conditional and ui changes / functional updates organization invte
* removed unwanted code
* fix :: login/account setup for sso user in single workspace flow
* fixes
* fix :: CTA loader misaligned
* fix :: sso login single workspace
* fix
* fix :: role check db
* fix :: role check DB
* fix :: setting fallback screen for organizational invite
* feat :: org signup
* fix :: loading states bug
* fix :: loading bug
* fixes
* added password length validation
* fixes
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* fix: sub path for static asset serve (#4668)
* Bugfix :: Sort event fired on sort removal (#4542)
* onsort applied on sort removal
* bugcheck
* removing unused toast
* Feature :: Table image column type addition (#4547)
* feat :: adding column type image
* feat :: adding image fit property
* Fix :: Closing of textarea ontype Table widget (#4549)
* fix :: closing of textarea ontype
* fix :: bug not able to clear value
* bug fixed : generate file in text is not supported (#4346)
* add eslintignore for frontend (#4669)
* [cypress] Fix failing manage SSO spec in single workspace #4390 (#4509)
* added [data-cy=login-page-logo] also removed one dropdown of same name
* Revert command.js
* call loginpagelogo
* Fixed toast test case
* updated text
* remove timer
* revert linting
* Github text fixed
* Replaced the woocommerce connection screenshot from dark to light one (#4654)
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
* gifs for Keyboard Shortcuts Added (#4643)
* Fix. Image to button group docs (#4630) (#4631)
* Add. Image to button group docs (#4630)
* Update docs/docs/widgets/button-group.md
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
* [added] Translated global strings in french #4169 (#4232)
* [added] Translated global strings in french
Added global strings translated to French language , Issue: #4169
* [localization ] Fixed the Proposed Changes in French Translation
* [localization ] Fixed the Remaining Proposed Changes in French Translation v2
* Update selectHost
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
* [localization] issue-4188 added spanish keys for card app (#4229)
* issue-4188 added spanish keys for card app
* IT-4188 fixed PR
* Improve toast message shortcut on component deletion (#4513)
* Improve toast message shortcut
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* feat: Add DTO for organization create (#4651)
* feat: Add DTO for organization create
* chore: fix eslint error
* chore: eslint ...
* Fixed failing manage SSO spec in multi workspace (#4658)
* Fixed failing manage SSO spec in multi workspace
* github to gitHib
* persist data without saving the query (#4649)
* Fixed failing dashboard specs (#4667)
* Add and modify data-cy
* Fix failing manage users spec in multiworkspace
* Fix failing user permission spec in multi workspace
* Fix failing dashboard spec
* Fix failing manage group spec
* Fix failing manage users spec in single workspace
* Fix failing user permission spec in single workspace
* indentation changes
* Remove wait
* [Marketplace] AWS S3 (#4670)
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* marketplace: s3
* rename operations file to query_operations
* fix: crash on click of existing plugin
* remove unused console
* adds missing async await
* add isoptional for repo
* plugin card ui style fixes
* update plugin name
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
* fix: Added a modal with warning message on disabling password (#4552)
* Copy to clipboard (#4588)
* Update EventManager.jsx
* Update EventManager.jsx
* Update EventManager.jsx
* fix :: adding sso configs based on org id
* loader and password check
* multiworkspace invite flow updated
* restrict only active users
* fix
* added error message for password length check
* fix :: password trim
* fix :: all happy flows tested , single and multi exept sso
* fix: message on invalid password
* revert: package-lock.json file
* feat :: changing ui for user present for org invite in multi workspace
* fix :: remove password check for existing user multiworkspace
* fix :: added fallback
* fix :: typo
* fix :: adding checks
* fix
* feat :: for single workspace user logged in directly
* fix :: code meaning fix
* fix
* fixes
* fix
* fix
* fix
* fix :: sso fix and bug updates
* fix :: json resolution for only single workspace
* token :: app level
* fix
* fix
* fixes
* fix
* ui fixes , removed loading and added checks
* showing sso options
* fix :: back to
* fix single workspace
* adding sso check ui
* sso single workspace fix
* code refactoring
* fix :: bugfix on click enter submit in signup and signin
* qa fix :: typo
* fix for sending welcome email on invite
* bug fixes
* fix
* qa bug fixes and translations
* switch workspace fixes
* fix :: company name taking empty spaces
* adding some more translations
* making all screens center aligned
* fix :: login page not loading
* fix :: singup conditional
* fixes
* typo fix
* fix :: for diabled cases of sso , password login , disabled signup
* fix
* fix :: added max input length for workspace name
* fix
* fix :: missing validation on edit email
* fix :: all screens vertically aligned
* fix :: alignment link expiry screen
* fix
* fix :: styling terms and condition
* fix :: for redirect url loginto workspace fixed according to new design
* typo
* feat :: removed onboarding modal , redundant
* typo fix
* fix
* name is now mandatory for sign up
* fix for password retry count not updating
* showing onboarding questions for sign up users
* fix :: spaces in password in diff screens
* fix :: darkmode initial
* fix for accept organization invite success message
* fix :: dark mode
* fix :: dark mode
* feat :: updating all dark mode images
* bugfix img
* bugfix ::img
* dark mode :: improvements
* single workspace signup fix
* updating images
* stylefix
* self review :: bugfixes
* sign up page fix
* fix for asking password for single ws activation
* or separator fix for signup page
* fix
* feat :: updating cta images
* fix :: loader bugs
* hiding sso options in org invite, sign in via sso
* fix :: dark mode img
* bugfixes :: cta changed
* Fix :: onboarding styles fixes (#4773)
* fix: styling in authWrappers
* cleanup
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* fix :: conflicting styles
* fix :: loaders , and added header to link expired screen , style fixes
* fix :: mobile onboarding btn
* fix :: loading onboarding completion
* fix :: subpath not taking img path
* fix :: path
* fix :: removing trailing img / for subpath
* fix :: cta img
* fix :: remove scrollbar
* last name as undefined in comments
* fixed loading bug and cursor of company input onboard form
* comments fixes
* fix :: removing verify email screen on org invite
* comments fix
* fix :: no login methods
* fix :: bug in expired org invite verification link
* fix :: edge case name being empty when user types multiple spaces
* fix :: comments breaking
* fix :: notification breaking
* fix :: user groups table lastname
* fix for sso redirection
* fix :: empty first and last name during org invite
* bug fixed :On updating any permissions under permission tab, currentTab switches to app tab (#4734)
* fix: popout editor closing for tables (#4674)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added default value for backgroundColor In NumberInput (#4378)
* fix: added background styles for number input
* fix: removed additional f from the background color property
* fix: added backgroundColor property from styles
* fixes: default bg color for dark mode
Co-authored-by: arpitnath <arpitnath42@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added the hover effects on datasources (#4303)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added Background Color to Text Input (#4194)
* Added Background Color to Text Input
* Added Default Value for Background Color
* added default value and make background of text input consistent with the dark theme
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* feat: Add update version button on installable plugin (#4766)
* feat: Add update version button on installable plugin
* use id from update method
* removes redundant check
* use plugin id for fetching files from s3
* fetch latest plugins once updated
* disable update and remove buttons while update in progress
* replace href with link-span cx + send body in patch request
* fix: Dark mode on table's `Striped` and `Striped & Bordered` table type mode (#4611)
* [ Hotfix ] :: Hard to resize table columns (#4438)
* fix :: hard to resize , scrollbar should not be visible
* fix :: resizer not working in pewview
* Enhancement : [RangeSlider widget] Bind onChange event (#4192)
* add onChange event and its handler
* add handler for slider change as well
* fix lint
* added onChange fire event when slider value is changed
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
* Added data-cy for table widget elements (#4792)
* Add data-cy to tooltip label
* Add data-cy to table filter pop-over
* Add data-cy to table elements
* Add review changes
* [docs] Widget updates (#4793)
* widget updates
* minor update
* Update README.md (#4784)
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Fixed grammatical errors in localization doc (#4800)
* [docs] widget property updates (#4806)
* fixes
* added resend invite API
* Onboarding revamp test cases (#4770)
* fix: test cases for oauth
* fix: app controller test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: single workspace test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* add: test cases for sso
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: linting in files
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: test cases for oauth
* fix: linting in files
* rebase: from feature/onboarding-revamp
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* feat :: api update resend invite
* loading state resend mail
* adding loading state
* checkpoints shown only till tablet
* fix: failing test cases for sso
* pr:: changes changed all imports and removed unwanted fragments
* pr changes
* fix :: naming images
* fix :: style organized for onboarding
* fix for user seed issue
* removing unwanted styles
* Setting darkmode from props :: onboarding (#4885)
* passing darkmode as props to components
* error toast
* Review comment :: rename env variable
* Pr :: changes , code cleanup onborading form
* develop merge
* pr changes ::form splitted to components
* password warning added
* chore :: lint folder renaming
* review comments
* fixes
* fix for test cases failure
* changes :: removed empty divs
* cleanup
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Muhsin Shah <muhsinshah21@gmail.com>
Co-authored-by: gsmithun4 <gsmithun4@gmail.com>
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
Co-authored-by: Manish Kushare <kushare.manish9@gmail.com>
Co-authored-by: Akshay <akshaysasidharan93@gmail.com>
Co-authored-by: alammoiz <moixalam@gmail.com>
Co-authored-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Akhilesh Kumar Mishra <79476272+iamakhileshmishra@users.noreply.github.com>
Co-authored-by: Hemanth Kumar <49117799+Hemanthhari2000@users.noreply.github.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: akk312000 <akk312000@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Jose Morales <jmoralesmnz@gmail.com>
Co-authored-by: 3t8 <62209650+3t8@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
Co-authored-by: Santosh Bhandari <bsantosh909@gmail.com>
Co-authored-by: Arpit <arpitnath42@gmail.com>
Co-authored-by: Ajith KV <ajith.jaban@gmail.com>
Co-authored-by: Akarsh Jain <72064462+akarsh-jain-790@users.noreply.github.com>
Co-authored-by: Utsav Paul <91927689+Smartmind12@users.noreply.github.com>
Co-authored-by: Vijaykant Yadav <vjaris42@Vijaykants-MacBook-Pro.local>
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
Co-authored-by: geisterfurz007 <geisterfurz007@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
Co-authored-by: Abhushan Gautam <carefreeav09@gmail.com>
Co-authored-by: Syed Ansar <82027712+Syed-Ansar@users.noreply.github.com>
Co-authored-by: Rahul Sunil <rahulsunil2@gmail.com>
Co-authored-by: Srisuma Atluri <40341173+Srisuma13@users.noreply.github.com>
Co-authored-by: Midhun Kumar E <midhun752@gmail.com>
Co-authored-by: Navaneeth Pk <navaneeth@tooljet.io>
Co-authored-by: Akasshhg <91525166+gogoiakash2311@users.noreply.github.com>
2022-12-08 07:54:31 +00:00
|
|
|
'Maximum password retry limit reached, please reset your password using forgot password option'
|
2022-06-29 19:19:45 +00:00
|
|
|
);
|
|
|
|
|
});
|
|
|
|
|
it('throw 401 if invalid credentials, maximum retry limit reached error will not throw if DISABLE_PASSWORD_RETRY_LIMIT is set to true', async () => {
|
|
|
|
|
jest.spyOn(mockConfig, 'get').mockImplementation((key: string) => {
|
|
|
|
|
switch (key) {
|
|
|
|
|
case 'DISABLE_PASSWORD_RETRY_LIMIT':
|
|
|
|
|
return 'true';
|
|
|
|
|
default:
|
|
|
|
|
return process.env[key];
|
|
|
|
|
}
|
|
|
|
|
});
|
Feature :: Onboarding revamp (#4044)
* typo
* password length check , ui fixes
* fixing typos
* fixing navbar ui
* updated icon , changed history to Link
* fix :: repopulating data
* fix :: key added for non sso logins
* ui improvements , added loading states , bugfixes
* changing folder names
* fix :: removing scroll and fixing to 100%
* fix :: all spell mistakes corrected
* fix :: bug on password show/hide
* fix :: bug in button animation state
* fix :: added loader states for all onboarding buttons
* fix :: imports
* feat :: centering ui for signup and login pages
* bugfixes :: minor
* feat :: added mediaquery for mobile screens
* fix :: typo spell check
* PR changes
- instance configs
- reused jwt payload
* fix :: loading bugfix
* feat :: added loader for verification sucess screen
* styles :: loader
* fix :: typo corrections
* fix :: image path
* fix :: darmode & enter press in onboard
* Fixed organization name issue
* fix :: keystroke not taken initially
* fix :: trim company name
* fix :: setting autocomplete to off
* removing redirectsso and confirmation page as its unused now
* few ui corrections , laoding states
* Fixed organization login sso issue
* Add db transaction wrap
* refactoring the code
* flow changes
* Added db tranxn wrap to auth services
* adding accept invite screen
* added verify organization token route
* fixes
* adding disable_multiworkspace to default config
* cleanup
* intermediate commit :: revamping organization page , api integration
* fixes
* feat :: organization token send in invite from org account setup
* fix :: making orgtoken conditional and ui changes / functional updates organization invte
* removed unwanted code
* fix :: login/account setup for sso user in single workspace flow
* fixes
* fix :: CTA loader misaligned
* fix :: sso login single workspace
* fix
* fix :: role check db
* fix :: role check DB
* fix :: setting fallback screen for organizational invite
* feat :: org signup
* fix :: loading states bug
* fix :: loading bug
* fixes
* added password length validation
* fixes
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* fix: sub path for static asset serve (#4668)
* Bugfix :: Sort event fired on sort removal (#4542)
* onsort applied on sort removal
* bugcheck
* removing unused toast
* Feature :: Table image column type addition (#4547)
* feat :: adding column type image
* feat :: adding image fit property
* Fix :: Closing of textarea ontype Table widget (#4549)
* fix :: closing of textarea ontype
* fix :: bug not able to clear value
* bug fixed : generate file in text is not supported (#4346)
* add eslintignore for frontend (#4669)
* [cypress] Fix failing manage SSO spec in single workspace #4390 (#4509)
* added [data-cy=login-page-logo] also removed one dropdown of same name
* Revert command.js
* call loginpagelogo
* Fixed toast test case
* updated text
* remove timer
* revert linting
* Github text fixed
* Replaced the woocommerce connection screenshot from dark to light one (#4654)
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
* gifs for Keyboard Shortcuts Added (#4643)
* Fix. Image to button group docs (#4630) (#4631)
* Add. Image to button group docs (#4630)
* Update docs/docs/widgets/button-group.md
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
* [added] Translated global strings in french #4169 (#4232)
* [added] Translated global strings in french
Added global strings translated to French language , Issue: #4169
* [localization ] Fixed the Proposed Changes in French Translation
* [localization ] Fixed the Remaining Proposed Changes in French Translation v2
* Update selectHost
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
* [localization] issue-4188 added spanish keys for card app (#4229)
* issue-4188 added spanish keys for card app
* IT-4188 fixed PR
* Improve toast message shortcut on component deletion (#4513)
* Improve toast message shortcut
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* feat: Add DTO for organization create (#4651)
* feat: Add DTO for organization create
* chore: fix eslint error
* chore: eslint ...
* Fixed failing manage SSO spec in multi workspace (#4658)
* Fixed failing manage SSO spec in multi workspace
* github to gitHib
* persist data without saving the query (#4649)
* Fixed failing dashboard specs (#4667)
* Add and modify data-cy
* Fix failing manage users spec in multiworkspace
* Fix failing user permission spec in multi workspace
* Fix failing dashboard spec
* Fix failing manage group spec
* Fix failing manage users spec in single workspace
* Fix failing user permission spec in single workspace
* indentation changes
* Remove wait
* [Marketplace] AWS S3 (#4670)
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* marketplace: s3
* rename operations file to query_operations
* fix: crash on click of existing plugin
* remove unused console
* adds missing async await
* add isoptional for repo
* plugin card ui style fixes
* update plugin name
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
* fix: Added a modal with warning message on disabling password (#4552)
* Copy to clipboard (#4588)
* Update EventManager.jsx
* Update EventManager.jsx
* Update EventManager.jsx
* fix :: adding sso configs based on org id
* loader and password check
* multiworkspace invite flow updated
* restrict only active users
* fix
* added error message for password length check
* fix :: password trim
* fix :: all happy flows tested , single and multi exept sso
* fix: message on invalid password
* revert: package-lock.json file
* feat :: changing ui for user present for org invite in multi workspace
* fix :: remove password check for existing user multiworkspace
* fix :: added fallback
* fix :: typo
* fix :: adding checks
* fix
* feat :: for single workspace user logged in directly
* fix :: code meaning fix
* fix
* fixes
* fix
* fix
* fix
* fix :: sso fix and bug updates
* fix :: json resolution for only single workspace
* token :: app level
* fix
* fix
* fixes
* fix
* ui fixes , removed loading and added checks
* showing sso options
* fix :: back to
* fix single workspace
* adding sso check ui
* sso single workspace fix
* code refactoring
* fix :: bugfix on click enter submit in signup and signin
* qa fix :: typo
* fix for sending welcome email on invite
* bug fixes
* fix
* qa bug fixes and translations
* switch workspace fixes
* fix :: company name taking empty spaces
* adding some more translations
* making all screens center aligned
* fix :: login page not loading
* fix :: singup conditional
* fixes
* typo fix
* fix :: for diabled cases of sso , password login , disabled signup
* fix
* fix :: added max input length for workspace name
* fix
* fix :: missing validation on edit email
* fix :: all screens vertically aligned
* fix :: alignment link expiry screen
* fix
* fix :: styling terms and condition
* fix :: for redirect url loginto workspace fixed according to new design
* typo
* feat :: removed onboarding modal , redundant
* typo fix
* fix
* name is now mandatory for sign up
* fix for password retry count not updating
* showing onboarding questions for sign up users
* fix :: spaces in password in diff screens
* fix :: darkmode initial
* fix for accept organization invite success message
* fix :: dark mode
* fix :: dark mode
* feat :: updating all dark mode images
* bugfix img
* bugfix ::img
* dark mode :: improvements
* single workspace signup fix
* updating images
* stylefix
* self review :: bugfixes
* sign up page fix
* fix for asking password for single ws activation
* or separator fix for signup page
* fix
* feat :: updating cta images
* fix :: loader bugs
* hiding sso options in org invite, sign in via sso
* fix :: dark mode img
* bugfixes :: cta changed
* Fix :: onboarding styles fixes (#4773)
* fix: styling in authWrappers
* cleanup
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* fix :: conflicting styles
* fix :: loaders , and added header to link expired screen , style fixes
* fix :: mobile onboarding btn
* fix :: loading onboarding completion
* fix :: subpath not taking img path
* fix :: path
* fix :: removing trailing img / for subpath
* fix :: cta img
* fix :: remove scrollbar
* last name as undefined in comments
* fixed loading bug and cursor of company input onboard form
* comments fixes
* fix :: removing verify email screen on org invite
* comments fix
* fix :: no login methods
* fix :: bug in expired org invite verification link
* fix :: edge case name being empty when user types multiple spaces
* fix :: comments breaking
* fix :: notification breaking
* fix :: user groups table lastname
* fix for sso redirection
* fix :: empty first and last name during org invite
* bug fixed :On updating any permissions under permission tab, currentTab switches to app tab (#4734)
* fix: popout editor closing for tables (#4674)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added default value for backgroundColor In NumberInput (#4378)
* fix: added background styles for number input
* fix: removed additional f from the background color property
* fix: added backgroundColor property from styles
* fixes: default bg color for dark mode
Co-authored-by: arpitnath <arpitnath42@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added the hover effects on datasources (#4303)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added Background Color to Text Input (#4194)
* Added Background Color to Text Input
* Added Default Value for Background Color
* added default value and make background of text input consistent with the dark theme
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* feat: Add update version button on installable plugin (#4766)
* feat: Add update version button on installable plugin
* use id from update method
* removes redundant check
* use plugin id for fetching files from s3
* fetch latest plugins once updated
* disable update and remove buttons while update in progress
* replace href with link-span cx + send body in patch request
* fix: Dark mode on table's `Striped` and `Striped & Bordered` table type mode (#4611)
* [ Hotfix ] :: Hard to resize table columns (#4438)
* fix :: hard to resize , scrollbar should not be visible
* fix :: resizer not working in pewview
* Enhancement : [RangeSlider widget] Bind onChange event (#4192)
* add onChange event and its handler
* add handler for slider change as well
* fix lint
* added onChange fire event when slider value is changed
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
* Added data-cy for table widget elements (#4792)
* Add data-cy to tooltip label
* Add data-cy to table filter pop-over
* Add data-cy to table elements
* Add review changes
* [docs] Widget updates (#4793)
* widget updates
* minor update
* Update README.md (#4784)
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Fixed grammatical errors in localization doc (#4800)
* [docs] widget property updates (#4806)
* fixes
* added resend invite API
* Onboarding revamp test cases (#4770)
* fix: test cases for oauth
* fix: app controller test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: single workspace test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* add: test cases for sso
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: linting in files
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: test cases for oauth
* fix: linting in files
* rebase: from feature/onboarding-revamp
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* feat :: api update resend invite
* loading state resend mail
* adding loading state
* checkpoints shown only till tablet
* fix: failing test cases for sso
* pr:: changes changed all imports and removed unwanted fragments
* pr changes
* fix :: naming images
* fix :: style organized for onboarding
* fix for user seed issue
* removing unwanted styles
* Setting darkmode from props :: onboarding (#4885)
* passing darkmode as props to components
* error toast
* Review comment :: rename env variable
* Pr :: changes , code cleanup onborading form
* develop merge
* pr changes ::form splitted to components
* password warning added
* chore :: lint folder renaming
* review comments
* fixes
* fix for test cases failure
* changes :: removed empty divs
* cleanup
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Muhsin Shah <muhsinshah21@gmail.com>
Co-authored-by: gsmithun4 <gsmithun4@gmail.com>
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
Co-authored-by: Manish Kushare <kushare.manish9@gmail.com>
Co-authored-by: Akshay <akshaysasidharan93@gmail.com>
Co-authored-by: alammoiz <moixalam@gmail.com>
Co-authored-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Akhilesh Kumar Mishra <79476272+iamakhileshmishra@users.noreply.github.com>
Co-authored-by: Hemanth Kumar <49117799+Hemanthhari2000@users.noreply.github.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: akk312000 <akk312000@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Jose Morales <jmoralesmnz@gmail.com>
Co-authored-by: 3t8 <62209650+3t8@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
Co-authored-by: Santosh Bhandari <bsantosh909@gmail.com>
Co-authored-by: Arpit <arpitnath42@gmail.com>
Co-authored-by: Ajith KV <ajith.jaban@gmail.com>
Co-authored-by: Akarsh Jain <72064462+akarsh-jain-790@users.noreply.github.com>
Co-authored-by: Utsav Paul <91927689+Smartmind12@users.noreply.github.com>
Co-authored-by: Vijaykant Yadav <vjaris42@Vijaykants-MacBook-Pro.local>
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
Co-authored-by: geisterfurz007 <geisterfurz007@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
Co-authored-by: Abhushan Gautam <carefreeav09@gmail.com>
Co-authored-by: Syed Ansar <82027712+Syed-Ansar@users.noreply.github.com>
Co-authored-by: Rahul Sunil <rahulsunil2@gmail.com>
Co-authored-by: Srisuma Atluri <40341173+Srisuma13@users.noreply.github.com>
Co-authored-by: Midhun Kumar E <midhun752@gmail.com>
Co-authored-by: Navaneeth Pk <navaneeth@tooljet.io>
Co-authored-by: Akasshhg <91525166+gogoiakash2311@users.noreply.github.com>
2022-12-08 07:54:31 +00:00
|
|
|
await createUser(app, { email: 'user@tooljet.io', status: 'active' });
|
|
|
|
|
|
2022-06-29 19:19:45 +00:00
|
|
|
await request(app.getHttpServer())
|
|
|
|
|
.post('/api/authenticate')
|
Feature :: Onboarding revamp (#4044)
* typo
* password length check , ui fixes
* fixing typos
* fixing navbar ui
* updated icon , changed history to Link
* fix :: repopulating data
* fix :: key added for non sso logins
* ui improvements , added loading states , bugfixes
* changing folder names
* fix :: removing scroll and fixing to 100%
* fix :: all spell mistakes corrected
* fix :: bug on password show/hide
* fix :: bug in button animation state
* fix :: added loader states for all onboarding buttons
* fix :: imports
* feat :: centering ui for signup and login pages
* bugfixes :: minor
* feat :: added mediaquery for mobile screens
* fix :: typo spell check
* PR changes
- instance configs
- reused jwt payload
* fix :: loading bugfix
* feat :: added loader for verification sucess screen
* styles :: loader
* fix :: typo corrections
* fix :: image path
* fix :: darmode & enter press in onboard
* Fixed organization name issue
* fix :: keystroke not taken initially
* fix :: trim company name
* fix :: setting autocomplete to off
* removing redirectsso and confirmation page as its unused now
* few ui corrections , laoding states
* Fixed organization login sso issue
* Add db transaction wrap
* refactoring the code
* flow changes
* Added db tranxn wrap to auth services
* adding accept invite screen
* added verify organization token route
* fixes
* adding disable_multiworkspace to default config
* cleanup
* intermediate commit :: revamping organization page , api integration
* fixes
* feat :: organization token send in invite from org account setup
* fix :: making orgtoken conditional and ui changes / functional updates organization invte
* removed unwanted code
* fix :: login/account setup for sso user in single workspace flow
* fixes
* fix :: CTA loader misaligned
* fix :: sso login single workspace
* fix
* fix :: role check db
* fix :: role check DB
* fix :: setting fallback screen for organizational invite
* feat :: org signup
* fix :: loading states bug
* fix :: loading bug
* fixes
* added password length validation
* fixes
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* fix: sub path for static asset serve (#4668)
* Bugfix :: Sort event fired on sort removal (#4542)
* onsort applied on sort removal
* bugcheck
* removing unused toast
* Feature :: Table image column type addition (#4547)
* feat :: adding column type image
* feat :: adding image fit property
* Fix :: Closing of textarea ontype Table widget (#4549)
* fix :: closing of textarea ontype
* fix :: bug not able to clear value
* bug fixed : generate file in text is not supported (#4346)
* add eslintignore for frontend (#4669)
* [cypress] Fix failing manage SSO spec in single workspace #4390 (#4509)
* added [data-cy=login-page-logo] also removed one dropdown of same name
* Revert command.js
* call loginpagelogo
* Fixed toast test case
* updated text
* remove timer
* revert linting
* Github text fixed
* Replaced the woocommerce connection screenshot from dark to light one (#4654)
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
* gifs for Keyboard Shortcuts Added (#4643)
* Fix. Image to button group docs (#4630) (#4631)
* Add. Image to button group docs (#4630)
* Update docs/docs/widgets/button-group.md
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
* [added] Translated global strings in french #4169 (#4232)
* [added] Translated global strings in french
Added global strings translated to French language , Issue: #4169
* [localization ] Fixed the Proposed Changes in French Translation
* [localization ] Fixed the Remaining Proposed Changes in French Translation v2
* Update selectHost
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
* [localization] issue-4188 added spanish keys for card app (#4229)
* issue-4188 added spanish keys for card app
* IT-4188 fixed PR
* Improve toast message shortcut on component deletion (#4513)
* Improve toast message shortcut
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* feat: Add DTO for organization create (#4651)
* feat: Add DTO for organization create
* chore: fix eslint error
* chore: eslint ...
* Fixed failing manage SSO spec in multi workspace (#4658)
* Fixed failing manage SSO spec in multi workspace
* github to gitHib
* persist data without saving the query (#4649)
* Fixed failing dashboard specs (#4667)
* Add and modify data-cy
* Fix failing manage users spec in multiworkspace
* Fix failing user permission spec in multi workspace
* Fix failing dashboard spec
* Fix failing manage group spec
* Fix failing manage users spec in single workspace
* Fix failing user permission spec in single workspace
* indentation changes
* Remove wait
* [Marketplace] AWS S3 (#4670)
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* marketplace: s3
* rename operations file to query_operations
* fix: crash on click of existing plugin
* remove unused console
* adds missing async await
* add isoptional for repo
* plugin card ui style fixes
* update plugin name
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
* fix: Added a modal with warning message on disabling password (#4552)
* Copy to clipboard (#4588)
* Update EventManager.jsx
* Update EventManager.jsx
* Update EventManager.jsx
* fix :: adding sso configs based on org id
* loader and password check
* multiworkspace invite flow updated
* restrict only active users
* fix
* added error message for password length check
* fix :: password trim
* fix :: all happy flows tested , single and multi exept sso
* fix: message on invalid password
* revert: package-lock.json file
* feat :: changing ui for user present for org invite in multi workspace
* fix :: remove password check for existing user multiworkspace
* fix :: added fallback
* fix :: typo
* fix :: adding checks
* fix
* feat :: for single workspace user logged in directly
* fix :: code meaning fix
* fix
* fixes
* fix
* fix
* fix
* fix :: sso fix and bug updates
* fix :: json resolution for only single workspace
* token :: app level
* fix
* fix
* fixes
* fix
* ui fixes , removed loading and added checks
* showing sso options
* fix :: back to
* fix single workspace
* adding sso check ui
* sso single workspace fix
* code refactoring
* fix :: bugfix on click enter submit in signup and signin
* qa fix :: typo
* fix for sending welcome email on invite
* bug fixes
* fix
* qa bug fixes and translations
* switch workspace fixes
* fix :: company name taking empty spaces
* adding some more translations
* making all screens center aligned
* fix :: login page not loading
* fix :: singup conditional
* fixes
* typo fix
* fix :: for diabled cases of sso , password login , disabled signup
* fix
* fix :: added max input length for workspace name
* fix
* fix :: missing validation on edit email
* fix :: all screens vertically aligned
* fix :: alignment link expiry screen
* fix
* fix :: styling terms and condition
* fix :: for redirect url loginto workspace fixed according to new design
* typo
* feat :: removed onboarding modal , redundant
* typo fix
* fix
* name is now mandatory for sign up
* fix for password retry count not updating
* showing onboarding questions for sign up users
* fix :: spaces in password in diff screens
* fix :: darkmode initial
* fix for accept organization invite success message
* fix :: dark mode
* fix :: dark mode
* feat :: updating all dark mode images
* bugfix img
* bugfix ::img
* dark mode :: improvements
* single workspace signup fix
* updating images
* stylefix
* self review :: bugfixes
* sign up page fix
* fix for asking password for single ws activation
* or separator fix for signup page
* fix
* feat :: updating cta images
* fix :: loader bugs
* hiding sso options in org invite, sign in via sso
* fix :: dark mode img
* bugfixes :: cta changed
* Fix :: onboarding styles fixes (#4773)
* fix: styling in authWrappers
* cleanup
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* fix :: conflicting styles
* fix :: loaders , and added header to link expired screen , style fixes
* fix :: mobile onboarding btn
* fix :: loading onboarding completion
* fix :: subpath not taking img path
* fix :: path
* fix :: removing trailing img / for subpath
* fix :: cta img
* fix :: remove scrollbar
* last name as undefined in comments
* fixed loading bug and cursor of company input onboard form
* comments fixes
* fix :: removing verify email screen on org invite
* comments fix
* fix :: no login methods
* fix :: bug in expired org invite verification link
* fix :: edge case name being empty when user types multiple spaces
* fix :: comments breaking
* fix :: notification breaking
* fix :: user groups table lastname
* fix for sso redirection
* fix :: empty first and last name during org invite
* bug fixed :On updating any permissions under permission tab, currentTab switches to app tab (#4734)
* fix: popout editor closing for tables (#4674)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added default value for backgroundColor In NumberInput (#4378)
* fix: added background styles for number input
* fix: removed additional f from the background color property
* fix: added backgroundColor property from styles
* fixes: default bg color for dark mode
Co-authored-by: arpitnath <arpitnath42@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added the hover effects on datasources (#4303)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added Background Color to Text Input (#4194)
* Added Background Color to Text Input
* Added Default Value for Background Color
* added default value and make background of text input consistent with the dark theme
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* feat: Add update version button on installable plugin (#4766)
* feat: Add update version button on installable plugin
* use id from update method
* removes redundant check
* use plugin id for fetching files from s3
* fetch latest plugins once updated
* disable update and remove buttons while update in progress
* replace href with link-span cx + send body in patch request
* fix: Dark mode on table's `Striped` and `Striped & Bordered` table type mode (#4611)
* [ Hotfix ] :: Hard to resize table columns (#4438)
* fix :: hard to resize , scrollbar should not be visible
* fix :: resizer not working in pewview
* Enhancement : [RangeSlider widget] Bind onChange event (#4192)
* add onChange event and its handler
* add handler for slider change as well
* fix lint
* added onChange fire event when slider value is changed
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
* Added data-cy for table widget elements (#4792)
* Add data-cy to tooltip label
* Add data-cy to table filter pop-over
* Add data-cy to table elements
* Add review changes
* [docs] Widget updates (#4793)
* widget updates
* minor update
* Update README.md (#4784)
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Fixed grammatical errors in localization doc (#4800)
* [docs] widget property updates (#4806)
* fixes
* added resend invite API
* Onboarding revamp test cases (#4770)
* fix: test cases for oauth
* fix: app controller test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: single workspace test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* add: test cases for sso
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: linting in files
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: test cases for oauth
* fix: linting in files
* rebase: from feature/onboarding-revamp
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* feat :: api update resend invite
* loading state resend mail
* adding loading state
* checkpoints shown only till tablet
* fix: failing test cases for sso
* pr:: changes changed all imports and removed unwanted fragments
* pr changes
* fix :: naming images
* fix :: style organized for onboarding
* fix for user seed issue
* removing unwanted styles
* Setting darkmode from props :: onboarding (#4885)
* passing darkmode as props to components
* error toast
* Review comment :: rename env variable
* Pr :: changes , code cleanup onborading form
* develop merge
* pr changes ::form splitted to components
* password warning added
* chore :: lint folder renaming
* review comments
* fixes
* fix for test cases failure
* changes :: removed empty divs
* cleanup
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Muhsin Shah <muhsinshah21@gmail.com>
Co-authored-by: gsmithun4 <gsmithun4@gmail.com>
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
Co-authored-by: Manish Kushare <kushare.manish9@gmail.com>
Co-authored-by: Akshay <akshaysasidharan93@gmail.com>
Co-authored-by: alammoiz <moixalam@gmail.com>
Co-authored-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Akhilesh Kumar Mishra <79476272+iamakhileshmishra@users.noreply.github.com>
Co-authored-by: Hemanth Kumar <49117799+Hemanthhari2000@users.noreply.github.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: akk312000 <akk312000@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Jose Morales <jmoralesmnz@gmail.com>
Co-authored-by: 3t8 <62209650+3t8@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
Co-authored-by: Santosh Bhandari <bsantosh909@gmail.com>
Co-authored-by: Arpit <arpitnath42@gmail.com>
Co-authored-by: Ajith KV <ajith.jaban@gmail.com>
Co-authored-by: Akarsh Jain <72064462+akarsh-jain-790@users.noreply.github.com>
Co-authored-by: Utsav Paul <91927689+Smartmind12@users.noreply.github.com>
Co-authored-by: Vijaykant Yadav <vjaris42@Vijaykants-MacBook-Pro.local>
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
Co-authored-by: geisterfurz007 <geisterfurz007@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
Co-authored-by: Abhushan Gautam <carefreeav09@gmail.com>
Co-authored-by: Syed Ansar <82027712+Syed-Ansar@users.noreply.github.com>
Co-authored-by: Rahul Sunil <rahulsunil2@gmail.com>
Co-authored-by: Srisuma Atluri <40341173+Srisuma13@users.noreply.github.com>
Co-authored-by: Midhun Kumar E <midhun752@gmail.com>
Co-authored-by: Navaneeth Pk <navaneeth@tooljet.io>
Co-authored-by: Akasshhg <91525166+gogoiakash2311@users.noreply.github.com>
2022-12-08 07:54:31 +00:00
|
|
|
.send({ email: 'user@tooljet.io', password: 'pssword' })
|
2022-06-29 19:19:45 +00:00
|
|
|
.expect(401);
|
|
|
|
|
|
|
|
|
|
await request(app.getHttpServer())
|
|
|
|
|
.post('/api/authenticate')
|
Feature :: Onboarding revamp (#4044)
* typo
* password length check , ui fixes
* fixing typos
* fixing navbar ui
* updated icon , changed history to Link
* fix :: repopulating data
* fix :: key added for non sso logins
* ui improvements , added loading states , bugfixes
* changing folder names
* fix :: removing scroll and fixing to 100%
* fix :: all spell mistakes corrected
* fix :: bug on password show/hide
* fix :: bug in button animation state
* fix :: added loader states for all onboarding buttons
* fix :: imports
* feat :: centering ui for signup and login pages
* bugfixes :: minor
* feat :: added mediaquery for mobile screens
* fix :: typo spell check
* PR changes
- instance configs
- reused jwt payload
* fix :: loading bugfix
* feat :: added loader for verification sucess screen
* styles :: loader
* fix :: typo corrections
* fix :: image path
* fix :: darmode & enter press in onboard
* Fixed organization name issue
* fix :: keystroke not taken initially
* fix :: trim company name
* fix :: setting autocomplete to off
* removing redirectsso and confirmation page as its unused now
* few ui corrections , laoding states
* Fixed organization login sso issue
* Add db transaction wrap
* refactoring the code
* flow changes
* Added db tranxn wrap to auth services
* adding accept invite screen
* added verify organization token route
* fixes
* adding disable_multiworkspace to default config
* cleanup
* intermediate commit :: revamping organization page , api integration
* fixes
* feat :: organization token send in invite from org account setup
* fix :: making orgtoken conditional and ui changes / functional updates organization invte
* removed unwanted code
* fix :: login/account setup for sso user in single workspace flow
* fixes
* fix :: CTA loader misaligned
* fix :: sso login single workspace
* fix
* fix :: role check db
* fix :: role check DB
* fix :: setting fallback screen for organizational invite
* feat :: org signup
* fix :: loading states bug
* fix :: loading bug
* fixes
* added password length validation
* fixes
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* fix: sub path for static asset serve (#4668)
* Bugfix :: Sort event fired on sort removal (#4542)
* onsort applied on sort removal
* bugcheck
* removing unused toast
* Feature :: Table image column type addition (#4547)
* feat :: adding column type image
* feat :: adding image fit property
* Fix :: Closing of textarea ontype Table widget (#4549)
* fix :: closing of textarea ontype
* fix :: bug not able to clear value
* bug fixed : generate file in text is not supported (#4346)
* add eslintignore for frontend (#4669)
* [cypress] Fix failing manage SSO spec in single workspace #4390 (#4509)
* added [data-cy=login-page-logo] also removed one dropdown of same name
* Revert command.js
* call loginpagelogo
* Fixed toast test case
* updated text
* remove timer
* revert linting
* Github text fixed
* Replaced the woocommerce connection screenshot from dark to light one (#4654)
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
* gifs for Keyboard Shortcuts Added (#4643)
* Fix. Image to button group docs (#4630) (#4631)
* Add. Image to button group docs (#4630)
* Update docs/docs/widgets/button-group.md
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
* [added] Translated global strings in french #4169 (#4232)
* [added] Translated global strings in french
Added global strings translated to French language , Issue: #4169
* [localization ] Fixed the Proposed Changes in French Translation
* [localization ] Fixed the Remaining Proposed Changes in French Translation v2
* Update selectHost
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
* [localization] issue-4188 added spanish keys for card app (#4229)
* issue-4188 added spanish keys for card app
* IT-4188 fixed PR
* Improve toast message shortcut on component deletion (#4513)
* Improve toast message shortcut
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* feat: Add DTO for organization create (#4651)
* feat: Add DTO for organization create
* chore: fix eslint error
* chore: eslint ...
* Fixed failing manage SSO spec in multi workspace (#4658)
* Fixed failing manage SSO spec in multi workspace
* github to gitHib
* persist data without saving the query (#4649)
* Fixed failing dashboard specs (#4667)
* Add and modify data-cy
* Fix failing manage users spec in multiworkspace
* Fix failing user permission spec in multi workspace
* Fix failing dashboard spec
* Fix failing manage group spec
* Fix failing manage users spec in single workspace
* Fix failing user permission spec in single workspace
* indentation changes
* Remove wait
* [Marketplace] AWS S3 (#4670)
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* marketplace: s3
* rename operations file to query_operations
* fix: crash on click of existing plugin
* remove unused console
* adds missing async await
* add isoptional for repo
* plugin card ui style fixes
* update plugin name
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
* fix: Added a modal with warning message on disabling password (#4552)
* Copy to clipboard (#4588)
* Update EventManager.jsx
* Update EventManager.jsx
* Update EventManager.jsx
* fix :: adding sso configs based on org id
* loader and password check
* multiworkspace invite flow updated
* restrict only active users
* fix
* added error message for password length check
* fix :: password trim
* fix :: all happy flows tested , single and multi exept sso
* fix: message on invalid password
* revert: package-lock.json file
* feat :: changing ui for user present for org invite in multi workspace
* fix :: remove password check for existing user multiworkspace
* fix :: added fallback
* fix :: typo
* fix :: adding checks
* fix
* feat :: for single workspace user logged in directly
* fix :: code meaning fix
* fix
* fixes
* fix
* fix
* fix
* fix :: sso fix and bug updates
* fix :: json resolution for only single workspace
* token :: app level
* fix
* fix
* fixes
* fix
* ui fixes , removed loading and added checks
* showing sso options
* fix :: back to
* fix single workspace
* adding sso check ui
* sso single workspace fix
* code refactoring
* fix :: bugfix on click enter submit in signup and signin
* qa fix :: typo
* fix for sending welcome email on invite
* bug fixes
* fix
* qa bug fixes and translations
* switch workspace fixes
* fix :: company name taking empty spaces
* adding some more translations
* making all screens center aligned
* fix :: login page not loading
* fix :: singup conditional
* fixes
* typo fix
* fix :: for diabled cases of sso , password login , disabled signup
* fix
* fix :: added max input length for workspace name
* fix
* fix :: missing validation on edit email
* fix :: all screens vertically aligned
* fix :: alignment link expiry screen
* fix
* fix :: styling terms and condition
* fix :: for redirect url loginto workspace fixed according to new design
* typo
* feat :: removed onboarding modal , redundant
* typo fix
* fix
* name is now mandatory for sign up
* fix for password retry count not updating
* showing onboarding questions for sign up users
* fix :: spaces in password in diff screens
* fix :: darkmode initial
* fix for accept organization invite success message
* fix :: dark mode
* fix :: dark mode
* feat :: updating all dark mode images
* bugfix img
* bugfix ::img
* dark mode :: improvements
* single workspace signup fix
* updating images
* stylefix
* self review :: bugfixes
* sign up page fix
* fix for asking password for single ws activation
* or separator fix for signup page
* fix
* feat :: updating cta images
* fix :: loader bugs
* hiding sso options in org invite, sign in via sso
* fix :: dark mode img
* bugfixes :: cta changed
* Fix :: onboarding styles fixes (#4773)
* fix: styling in authWrappers
* cleanup
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* fix :: conflicting styles
* fix :: loaders , and added header to link expired screen , style fixes
* fix :: mobile onboarding btn
* fix :: loading onboarding completion
* fix :: subpath not taking img path
* fix :: path
* fix :: removing trailing img / for subpath
* fix :: cta img
* fix :: remove scrollbar
* last name as undefined in comments
* fixed loading bug and cursor of company input onboard form
* comments fixes
* fix :: removing verify email screen on org invite
* comments fix
* fix :: no login methods
* fix :: bug in expired org invite verification link
* fix :: edge case name being empty when user types multiple spaces
* fix :: comments breaking
* fix :: notification breaking
* fix :: user groups table lastname
* fix for sso redirection
* fix :: empty first and last name during org invite
* bug fixed :On updating any permissions under permission tab, currentTab switches to app tab (#4734)
* fix: popout editor closing for tables (#4674)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added default value for backgroundColor In NumberInput (#4378)
* fix: added background styles for number input
* fix: removed additional f from the background color property
* fix: added backgroundColor property from styles
* fixes: default bg color for dark mode
Co-authored-by: arpitnath <arpitnath42@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added the hover effects on datasources (#4303)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added Background Color to Text Input (#4194)
* Added Background Color to Text Input
* Added Default Value for Background Color
* added default value and make background of text input consistent with the dark theme
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* feat: Add update version button on installable plugin (#4766)
* feat: Add update version button on installable plugin
* use id from update method
* removes redundant check
* use plugin id for fetching files from s3
* fetch latest plugins once updated
* disable update and remove buttons while update in progress
* replace href with link-span cx + send body in patch request
* fix: Dark mode on table's `Striped` and `Striped & Bordered` table type mode (#4611)
* [ Hotfix ] :: Hard to resize table columns (#4438)
* fix :: hard to resize , scrollbar should not be visible
* fix :: resizer not working in pewview
* Enhancement : [RangeSlider widget] Bind onChange event (#4192)
* add onChange event and its handler
* add handler for slider change as well
* fix lint
* added onChange fire event when slider value is changed
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
* Added data-cy for table widget elements (#4792)
* Add data-cy to tooltip label
* Add data-cy to table filter pop-over
* Add data-cy to table elements
* Add review changes
* [docs] Widget updates (#4793)
* widget updates
* minor update
* Update README.md (#4784)
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Fixed grammatical errors in localization doc (#4800)
* [docs] widget property updates (#4806)
* fixes
* added resend invite API
* Onboarding revamp test cases (#4770)
* fix: test cases for oauth
* fix: app controller test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: single workspace test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* add: test cases for sso
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: linting in files
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: test cases for oauth
* fix: linting in files
* rebase: from feature/onboarding-revamp
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* feat :: api update resend invite
* loading state resend mail
* adding loading state
* checkpoints shown only till tablet
* fix: failing test cases for sso
* pr:: changes changed all imports and removed unwanted fragments
* pr changes
* fix :: naming images
* fix :: style organized for onboarding
* fix for user seed issue
* removing unwanted styles
* Setting darkmode from props :: onboarding (#4885)
* passing darkmode as props to components
* error toast
* Review comment :: rename env variable
* Pr :: changes , code cleanup onborading form
* develop merge
* pr changes ::form splitted to components
* password warning added
* chore :: lint folder renaming
* review comments
* fixes
* fix for test cases failure
* changes :: removed empty divs
* cleanup
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Muhsin Shah <muhsinshah21@gmail.com>
Co-authored-by: gsmithun4 <gsmithun4@gmail.com>
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
Co-authored-by: Manish Kushare <kushare.manish9@gmail.com>
Co-authored-by: Akshay <akshaysasidharan93@gmail.com>
Co-authored-by: alammoiz <moixalam@gmail.com>
Co-authored-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Akhilesh Kumar Mishra <79476272+iamakhileshmishra@users.noreply.github.com>
Co-authored-by: Hemanth Kumar <49117799+Hemanthhari2000@users.noreply.github.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: akk312000 <akk312000@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Jose Morales <jmoralesmnz@gmail.com>
Co-authored-by: 3t8 <62209650+3t8@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
Co-authored-by: Santosh Bhandari <bsantosh909@gmail.com>
Co-authored-by: Arpit <arpitnath42@gmail.com>
Co-authored-by: Ajith KV <ajith.jaban@gmail.com>
Co-authored-by: Akarsh Jain <72064462+akarsh-jain-790@users.noreply.github.com>
Co-authored-by: Utsav Paul <91927689+Smartmind12@users.noreply.github.com>
Co-authored-by: Vijaykant Yadav <vjaris42@Vijaykants-MacBook-Pro.local>
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
Co-authored-by: geisterfurz007 <geisterfurz007@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
Co-authored-by: Abhushan Gautam <carefreeav09@gmail.com>
Co-authored-by: Syed Ansar <82027712+Syed-Ansar@users.noreply.github.com>
Co-authored-by: Rahul Sunil <rahulsunil2@gmail.com>
Co-authored-by: Srisuma Atluri <40341173+Srisuma13@users.noreply.github.com>
Co-authored-by: Midhun Kumar E <midhun752@gmail.com>
Co-authored-by: Navaneeth Pk <navaneeth@tooljet.io>
Co-authored-by: Akasshhg <91525166+gogoiakash2311@users.noreply.github.com>
2022-12-08 07:54:31 +00:00
|
|
|
.send({ email: 'user@tooljet.io', password: 'psswrd' })
|
2022-06-29 19:19:45 +00:00
|
|
|
.expect(401);
|
|
|
|
|
|
|
|
|
|
await request(app.getHttpServer())
|
|
|
|
|
.post('/api/authenticate')
|
Feature :: Onboarding revamp (#4044)
* typo
* password length check , ui fixes
* fixing typos
* fixing navbar ui
* updated icon , changed history to Link
* fix :: repopulating data
* fix :: key added for non sso logins
* ui improvements , added loading states , bugfixes
* changing folder names
* fix :: removing scroll and fixing to 100%
* fix :: all spell mistakes corrected
* fix :: bug on password show/hide
* fix :: bug in button animation state
* fix :: added loader states for all onboarding buttons
* fix :: imports
* feat :: centering ui for signup and login pages
* bugfixes :: minor
* feat :: added mediaquery for mobile screens
* fix :: typo spell check
* PR changes
- instance configs
- reused jwt payload
* fix :: loading bugfix
* feat :: added loader for verification sucess screen
* styles :: loader
* fix :: typo corrections
* fix :: image path
* fix :: darmode & enter press in onboard
* Fixed organization name issue
* fix :: keystroke not taken initially
* fix :: trim company name
* fix :: setting autocomplete to off
* removing redirectsso and confirmation page as its unused now
* few ui corrections , laoding states
* Fixed organization login sso issue
* Add db transaction wrap
* refactoring the code
* flow changes
* Added db tranxn wrap to auth services
* adding accept invite screen
* added verify organization token route
* fixes
* adding disable_multiworkspace to default config
* cleanup
* intermediate commit :: revamping organization page , api integration
* fixes
* feat :: organization token send in invite from org account setup
* fix :: making orgtoken conditional and ui changes / functional updates organization invte
* removed unwanted code
* fix :: login/account setup for sso user in single workspace flow
* fixes
* fix :: CTA loader misaligned
* fix :: sso login single workspace
* fix
* fix :: role check db
* fix :: role check DB
* fix :: setting fallback screen for organizational invite
* feat :: org signup
* fix :: loading states bug
* fix :: loading bug
* fixes
* added password length validation
* fixes
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* fix: sub path for static asset serve (#4668)
* Bugfix :: Sort event fired on sort removal (#4542)
* onsort applied on sort removal
* bugcheck
* removing unused toast
* Feature :: Table image column type addition (#4547)
* feat :: adding column type image
* feat :: adding image fit property
* Fix :: Closing of textarea ontype Table widget (#4549)
* fix :: closing of textarea ontype
* fix :: bug not able to clear value
* bug fixed : generate file in text is not supported (#4346)
* add eslintignore for frontend (#4669)
* [cypress] Fix failing manage SSO spec in single workspace #4390 (#4509)
* added [data-cy=login-page-logo] also removed one dropdown of same name
* Revert command.js
* call loginpagelogo
* Fixed toast test case
* updated text
* remove timer
* revert linting
* Github text fixed
* Replaced the woocommerce connection screenshot from dark to light one (#4654)
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
* gifs for Keyboard Shortcuts Added (#4643)
* Fix. Image to button group docs (#4630) (#4631)
* Add. Image to button group docs (#4630)
* Update docs/docs/widgets/button-group.md
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
* [added] Translated global strings in french #4169 (#4232)
* [added] Translated global strings in french
Added global strings translated to French language , Issue: #4169
* [localization ] Fixed the Proposed Changes in French Translation
* [localization ] Fixed the Remaining Proposed Changes in French Translation v2
* Update selectHost
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
* [localization] issue-4188 added spanish keys for card app (#4229)
* issue-4188 added spanish keys for card app
* IT-4188 fixed PR
* Improve toast message shortcut on component deletion (#4513)
* Improve toast message shortcut
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* feat: Add DTO for organization create (#4651)
* feat: Add DTO for organization create
* chore: fix eslint error
* chore: eslint ...
* Fixed failing manage SSO spec in multi workspace (#4658)
* Fixed failing manage SSO spec in multi workspace
* github to gitHib
* persist data without saving the query (#4649)
* Fixed failing dashboard specs (#4667)
* Add and modify data-cy
* Fix failing manage users spec in multiworkspace
* Fix failing user permission spec in multi workspace
* Fix failing dashboard spec
* Fix failing manage group spec
* Fix failing manage users spec in single workspace
* Fix failing user permission spec in single workspace
* indentation changes
* Remove wait
* [Marketplace] AWS S3 (#4670)
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* marketplace: s3
* rename operations file to query_operations
* fix: crash on click of existing plugin
* remove unused console
* adds missing async await
* add isoptional for repo
* plugin card ui style fixes
* update plugin name
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
* fix: Added a modal with warning message on disabling password (#4552)
* Copy to clipboard (#4588)
* Update EventManager.jsx
* Update EventManager.jsx
* Update EventManager.jsx
* fix :: adding sso configs based on org id
* loader and password check
* multiworkspace invite flow updated
* restrict only active users
* fix
* added error message for password length check
* fix :: password trim
* fix :: all happy flows tested , single and multi exept sso
* fix: message on invalid password
* revert: package-lock.json file
* feat :: changing ui for user present for org invite in multi workspace
* fix :: remove password check for existing user multiworkspace
* fix :: added fallback
* fix :: typo
* fix :: adding checks
* fix
* feat :: for single workspace user logged in directly
* fix :: code meaning fix
* fix
* fixes
* fix
* fix
* fix
* fix :: sso fix and bug updates
* fix :: json resolution for only single workspace
* token :: app level
* fix
* fix
* fixes
* fix
* ui fixes , removed loading and added checks
* showing sso options
* fix :: back to
* fix single workspace
* adding sso check ui
* sso single workspace fix
* code refactoring
* fix :: bugfix on click enter submit in signup and signin
* qa fix :: typo
* fix for sending welcome email on invite
* bug fixes
* fix
* qa bug fixes and translations
* switch workspace fixes
* fix :: company name taking empty spaces
* adding some more translations
* making all screens center aligned
* fix :: login page not loading
* fix :: singup conditional
* fixes
* typo fix
* fix :: for diabled cases of sso , password login , disabled signup
* fix
* fix :: added max input length for workspace name
* fix
* fix :: missing validation on edit email
* fix :: all screens vertically aligned
* fix :: alignment link expiry screen
* fix
* fix :: styling terms and condition
* fix :: for redirect url loginto workspace fixed according to new design
* typo
* feat :: removed onboarding modal , redundant
* typo fix
* fix
* name is now mandatory for sign up
* fix for password retry count not updating
* showing onboarding questions for sign up users
* fix :: spaces in password in diff screens
* fix :: darkmode initial
* fix for accept organization invite success message
* fix :: dark mode
* fix :: dark mode
* feat :: updating all dark mode images
* bugfix img
* bugfix ::img
* dark mode :: improvements
* single workspace signup fix
* updating images
* stylefix
* self review :: bugfixes
* sign up page fix
* fix for asking password for single ws activation
* or separator fix for signup page
* fix
* feat :: updating cta images
* fix :: loader bugs
* hiding sso options in org invite, sign in via sso
* fix :: dark mode img
* bugfixes :: cta changed
* Fix :: onboarding styles fixes (#4773)
* fix: styling in authWrappers
* cleanup
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* fix :: conflicting styles
* fix :: loaders , and added header to link expired screen , style fixes
* fix :: mobile onboarding btn
* fix :: loading onboarding completion
* fix :: subpath not taking img path
* fix :: path
* fix :: removing trailing img / for subpath
* fix :: cta img
* fix :: remove scrollbar
* last name as undefined in comments
* fixed loading bug and cursor of company input onboard form
* comments fixes
* fix :: removing verify email screen on org invite
* comments fix
* fix :: no login methods
* fix :: bug in expired org invite verification link
* fix :: edge case name being empty when user types multiple spaces
* fix :: comments breaking
* fix :: notification breaking
* fix :: user groups table lastname
* fix for sso redirection
* fix :: empty first and last name during org invite
* bug fixed :On updating any permissions under permission tab, currentTab switches to app tab (#4734)
* fix: popout editor closing for tables (#4674)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added default value for backgroundColor In NumberInput (#4378)
* fix: added background styles for number input
* fix: removed additional f from the background color property
* fix: added backgroundColor property from styles
* fixes: default bg color for dark mode
Co-authored-by: arpitnath <arpitnath42@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added the hover effects on datasources (#4303)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added Background Color to Text Input (#4194)
* Added Background Color to Text Input
* Added Default Value for Background Color
* added default value and make background of text input consistent with the dark theme
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* feat: Add update version button on installable plugin (#4766)
* feat: Add update version button on installable plugin
* use id from update method
* removes redundant check
* use plugin id for fetching files from s3
* fetch latest plugins once updated
* disable update and remove buttons while update in progress
* replace href with link-span cx + send body in patch request
* fix: Dark mode on table's `Striped` and `Striped & Bordered` table type mode (#4611)
* [ Hotfix ] :: Hard to resize table columns (#4438)
* fix :: hard to resize , scrollbar should not be visible
* fix :: resizer not working in pewview
* Enhancement : [RangeSlider widget] Bind onChange event (#4192)
* add onChange event and its handler
* add handler for slider change as well
* fix lint
* added onChange fire event when slider value is changed
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
* Added data-cy for table widget elements (#4792)
* Add data-cy to tooltip label
* Add data-cy to table filter pop-over
* Add data-cy to table elements
* Add review changes
* [docs] Widget updates (#4793)
* widget updates
* minor update
* Update README.md (#4784)
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Fixed grammatical errors in localization doc (#4800)
* [docs] widget property updates (#4806)
* fixes
* added resend invite API
* Onboarding revamp test cases (#4770)
* fix: test cases for oauth
* fix: app controller test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: single workspace test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* add: test cases for sso
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: linting in files
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: test cases for oauth
* fix: linting in files
* rebase: from feature/onboarding-revamp
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* feat :: api update resend invite
* loading state resend mail
* adding loading state
* checkpoints shown only till tablet
* fix: failing test cases for sso
* pr:: changes changed all imports and removed unwanted fragments
* pr changes
* fix :: naming images
* fix :: style organized for onboarding
* fix for user seed issue
* removing unwanted styles
* Setting darkmode from props :: onboarding (#4885)
* passing darkmode as props to components
* error toast
* Review comment :: rename env variable
* Pr :: changes , code cleanup onborading form
* develop merge
* pr changes ::form splitted to components
* password warning added
* chore :: lint folder renaming
* review comments
* fixes
* fix for test cases failure
* changes :: removed empty divs
* cleanup
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Muhsin Shah <muhsinshah21@gmail.com>
Co-authored-by: gsmithun4 <gsmithun4@gmail.com>
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
Co-authored-by: Manish Kushare <kushare.manish9@gmail.com>
Co-authored-by: Akshay <akshaysasidharan93@gmail.com>
Co-authored-by: alammoiz <moixalam@gmail.com>
Co-authored-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Akhilesh Kumar Mishra <79476272+iamakhileshmishra@users.noreply.github.com>
Co-authored-by: Hemanth Kumar <49117799+Hemanthhari2000@users.noreply.github.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: akk312000 <akk312000@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Jose Morales <jmoralesmnz@gmail.com>
Co-authored-by: 3t8 <62209650+3t8@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
Co-authored-by: Santosh Bhandari <bsantosh909@gmail.com>
Co-authored-by: Arpit <arpitnath42@gmail.com>
Co-authored-by: Ajith KV <ajith.jaban@gmail.com>
Co-authored-by: Akarsh Jain <72064462+akarsh-jain-790@users.noreply.github.com>
Co-authored-by: Utsav Paul <91927689+Smartmind12@users.noreply.github.com>
Co-authored-by: Vijaykant Yadav <vjaris42@Vijaykants-MacBook-Pro.local>
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
Co-authored-by: geisterfurz007 <geisterfurz007@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
Co-authored-by: Abhushan Gautam <carefreeav09@gmail.com>
Co-authored-by: Syed Ansar <82027712+Syed-Ansar@users.noreply.github.com>
Co-authored-by: Rahul Sunil <rahulsunil2@gmail.com>
Co-authored-by: Srisuma Atluri <40341173+Srisuma13@users.noreply.github.com>
Co-authored-by: Midhun Kumar E <midhun752@gmail.com>
Co-authored-by: Navaneeth Pk <navaneeth@tooljet.io>
Co-authored-by: Akasshhg <91525166+gogoiakash2311@users.noreply.github.com>
2022-12-08 07:54:31 +00:00
|
|
|
.send({ email: 'user@tooljet.io', password: 'psswrd' })
|
2022-06-29 19:19:45 +00:00
|
|
|
.expect(401);
|
|
|
|
|
|
|
|
|
|
await request(app.getHttpServer())
|
|
|
|
|
.post('/api/authenticate')
|
Feature :: Onboarding revamp (#4044)
* typo
* password length check , ui fixes
* fixing typos
* fixing navbar ui
* updated icon , changed history to Link
* fix :: repopulating data
* fix :: key added for non sso logins
* ui improvements , added loading states , bugfixes
* changing folder names
* fix :: removing scroll and fixing to 100%
* fix :: all spell mistakes corrected
* fix :: bug on password show/hide
* fix :: bug in button animation state
* fix :: added loader states for all onboarding buttons
* fix :: imports
* feat :: centering ui for signup and login pages
* bugfixes :: minor
* feat :: added mediaquery for mobile screens
* fix :: typo spell check
* PR changes
- instance configs
- reused jwt payload
* fix :: loading bugfix
* feat :: added loader for verification sucess screen
* styles :: loader
* fix :: typo corrections
* fix :: image path
* fix :: darmode & enter press in onboard
* Fixed organization name issue
* fix :: keystroke not taken initially
* fix :: trim company name
* fix :: setting autocomplete to off
* removing redirectsso and confirmation page as its unused now
* few ui corrections , laoding states
* Fixed organization login sso issue
* Add db transaction wrap
* refactoring the code
* flow changes
* Added db tranxn wrap to auth services
* adding accept invite screen
* added verify organization token route
* fixes
* adding disable_multiworkspace to default config
* cleanup
* intermediate commit :: revamping organization page , api integration
* fixes
* feat :: organization token send in invite from org account setup
* fix :: making orgtoken conditional and ui changes / functional updates organization invte
* removed unwanted code
* fix :: login/account setup for sso user in single workspace flow
* fixes
* fix :: CTA loader misaligned
* fix :: sso login single workspace
* fix
* fix :: role check db
* fix :: role check DB
* fix :: setting fallback screen for organizational invite
* feat :: org signup
* fix :: loading states bug
* fix :: loading bug
* fixes
* added password length validation
* fixes
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* fix: sub path for static asset serve (#4668)
* Bugfix :: Sort event fired on sort removal (#4542)
* onsort applied on sort removal
* bugcheck
* removing unused toast
* Feature :: Table image column type addition (#4547)
* feat :: adding column type image
* feat :: adding image fit property
* Fix :: Closing of textarea ontype Table widget (#4549)
* fix :: closing of textarea ontype
* fix :: bug not able to clear value
* bug fixed : generate file in text is not supported (#4346)
* add eslintignore for frontend (#4669)
* [cypress] Fix failing manage SSO spec in single workspace #4390 (#4509)
* added [data-cy=login-page-logo] also removed one dropdown of same name
* Revert command.js
* call loginpagelogo
* Fixed toast test case
* updated text
* remove timer
* revert linting
* Github text fixed
* Replaced the woocommerce connection screenshot from dark to light one (#4654)
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
* gifs for Keyboard Shortcuts Added (#4643)
* Fix. Image to button group docs (#4630) (#4631)
* Add. Image to button group docs (#4630)
* Update docs/docs/widgets/button-group.md
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
* [added] Translated global strings in french #4169 (#4232)
* [added] Translated global strings in french
Added global strings translated to French language , Issue: #4169
* [localization ] Fixed the Proposed Changes in French Translation
* [localization ] Fixed the Remaining Proposed Changes in French Translation v2
* Update selectHost
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
* [localization] issue-4188 added spanish keys for card app (#4229)
* issue-4188 added spanish keys for card app
* IT-4188 fixed PR
* Improve toast message shortcut on component deletion (#4513)
* Improve toast message shortcut
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* feat: Add DTO for organization create (#4651)
* feat: Add DTO for organization create
* chore: fix eslint error
* chore: eslint ...
* Fixed failing manage SSO spec in multi workspace (#4658)
* Fixed failing manage SSO spec in multi workspace
* github to gitHib
* persist data without saving the query (#4649)
* Fixed failing dashboard specs (#4667)
* Add and modify data-cy
* Fix failing manage users spec in multiworkspace
* Fix failing user permission spec in multi workspace
* Fix failing dashboard spec
* Fix failing manage group spec
* Fix failing manage users spec in single workspace
* Fix failing user permission spec in single workspace
* indentation changes
* Remove wait
* [Marketplace] AWS S3 (#4670)
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* marketplace: s3
* rename operations file to query_operations
* fix: crash on click of existing plugin
* remove unused console
* adds missing async await
* add isoptional for repo
* plugin card ui style fixes
* update plugin name
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
* fix: Added a modal with warning message on disabling password (#4552)
* Copy to clipboard (#4588)
* Update EventManager.jsx
* Update EventManager.jsx
* Update EventManager.jsx
* fix :: adding sso configs based on org id
* loader and password check
* multiworkspace invite flow updated
* restrict only active users
* fix
* added error message for password length check
* fix :: password trim
* fix :: all happy flows tested , single and multi exept sso
* fix: message on invalid password
* revert: package-lock.json file
* feat :: changing ui for user present for org invite in multi workspace
* fix :: remove password check for existing user multiworkspace
* fix :: added fallback
* fix :: typo
* fix :: adding checks
* fix
* feat :: for single workspace user logged in directly
* fix :: code meaning fix
* fix
* fixes
* fix
* fix
* fix
* fix :: sso fix and bug updates
* fix :: json resolution for only single workspace
* token :: app level
* fix
* fix
* fixes
* fix
* ui fixes , removed loading and added checks
* showing sso options
* fix :: back to
* fix single workspace
* adding sso check ui
* sso single workspace fix
* code refactoring
* fix :: bugfix on click enter submit in signup and signin
* qa fix :: typo
* fix for sending welcome email on invite
* bug fixes
* fix
* qa bug fixes and translations
* switch workspace fixes
* fix :: company name taking empty spaces
* adding some more translations
* making all screens center aligned
* fix :: login page not loading
* fix :: singup conditional
* fixes
* typo fix
* fix :: for diabled cases of sso , password login , disabled signup
* fix
* fix :: added max input length for workspace name
* fix
* fix :: missing validation on edit email
* fix :: all screens vertically aligned
* fix :: alignment link expiry screen
* fix
* fix :: styling terms and condition
* fix :: for redirect url loginto workspace fixed according to new design
* typo
* feat :: removed onboarding modal , redundant
* typo fix
* fix
* name is now mandatory for sign up
* fix for password retry count not updating
* showing onboarding questions for sign up users
* fix :: spaces in password in diff screens
* fix :: darkmode initial
* fix for accept organization invite success message
* fix :: dark mode
* fix :: dark mode
* feat :: updating all dark mode images
* bugfix img
* bugfix ::img
* dark mode :: improvements
* single workspace signup fix
* updating images
* stylefix
* self review :: bugfixes
* sign up page fix
* fix for asking password for single ws activation
* or separator fix for signup page
* fix
* feat :: updating cta images
* fix :: loader bugs
* hiding sso options in org invite, sign in via sso
* fix :: dark mode img
* bugfixes :: cta changed
* Fix :: onboarding styles fixes (#4773)
* fix: styling in authWrappers
* cleanup
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* fix :: conflicting styles
* fix :: loaders , and added header to link expired screen , style fixes
* fix :: mobile onboarding btn
* fix :: loading onboarding completion
* fix :: subpath not taking img path
* fix :: path
* fix :: removing trailing img / for subpath
* fix :: cta img
* fix :: remove scrollbar
* last name as undefined in comments
* fixed loading bug and cursor of company input onboard form
* comments fixes
* fix :: removing verify email screen on org invite
* comments fix
* fix :: no login methods
* fix :: bug in expired org invite verification link
* fix :: edge case name being empty when user types multiple spaces
* fix :: comments breaking
* fix :: notification breaking
* fix :: user groups table lastname
* fix for sso redirection
* fix :: empty first and last name during org invite
* bug fixed :On updating any permissions under permission tab, currentTab switches to app tab (#4734)
* fix: popout editor closing for tables (#4674)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added default value for backgroundColor In NumberInput (#4378)
* fix: added background styles for number input
* fix: removed additional f from the background color property
* fix: added backgroundColor property from styles
* fixes: default bg color for dark mode
Co-authored-by: arpitnath <arpitnath42@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added the hover effects on datasources (#4303)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added Background Color to Text Input (#4194)
* Added Background Color to Text Input
* Added Default Value for Background Color
* added default value and make background of text input consistent with the dark theme
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* feat: Add update version button on installable plugin (#4766)
* feat: Add update version button on installable plugin
* use id from update method
* removes redundant check
* use plugin id for fetching files from s3
* fetch latest plugins once updated
* disable update and remove buttons while update in progress
* replace href with link-span cx + send body in patch request
* fix: Dark mode on table's `Striped` and `Striped & Bordered` table type mode (#4611)
* [ Hotfix ] :: Hard to resize table columns (#4438)
* fix :: hard to resize , scrollbar should not be visible
* fix :: resizer not working in pewview
* Enhancement : [RangeSlider widget] Bind onChange event (#4192)
* add onChange event and its handler
* add handler for slider change as well
* fix lint
* added onChange fire event when slider value is changed
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
* Added data-cy for table widget elements (#4792)
* Add data-cy to tooltip label
* Add data-cy to table filter pop-over
* Add data-cy to table elements
* Add review changes
* [docs] Widget updates (#4793)
* widget updates
* minor update
* Update README.md (#4784)
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Fixed grammatical errors in localization doc (#4800)
* [docs] widget property updates (#4806)
* fixes
* added resend invite API
* Onboarding revamp test cases (#4770)
* fix: test cases for oauth
* fix: app controller test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: single workspace test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* add: test cases for sso
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: linting in files
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: test cases for oauth
* fix: linting in files
* rebase: from feature/onboarding-revamp
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* feat :: api update resend invite
* loading state resend mail
* adding loading state
* checkpoints shown only till tablet
* fix: failing test cases for sso
* pr:: changes changed all imports and removed unwanted fragments
* pr changes
* fix :: naming images
* fix :: style organized for onboarding
* fix for user seed issue
* removing unwanted styles
* Setting darkmode from props :: onboarding (#4885)
* passing darkmode as props to components
* error toast
* Review comment :: rename env variable
* Pr :: changes , code cleanup onborading form
* develop merge
* pr changes ::form splitted to components
* password warning added
* chore :: lint folder renaming
* review comments
* fixes
* fix for test cases failure
* changes :: removed empty divs
* cleanup
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Muhsin Shah <muhsinshah21@gmail.com>
Co-authored-by: gsmithun4 <gsmithun4@gmail.com>
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
Co-authored-by: Manish Kushare <kushare.manish9@gmail.com>
Co-authored-by: Akshay <akshaysasidharan93@gmail.com>
Co-authored-by: alammoiz <moixalam@gmail.com>
Co-authored-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Akhilesh Kumar Mishra <79476272+iamakhileshmishra@users.noreply.github.com>
Co-authored-by: Hemanth Kumar <49117799+Hemanthhari2000@users.noreply.github.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: akk312000 <akk312000@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Jose Morales <jmoralesmnz@gmail.com>
Co-authored-by: 3t8 <62209650+3t8@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
Co-authored-by: Santosh Bhandari <bsantosh909@gmail.com>
Co-authored-by: Arpit <arpitnath42@gmail.com>
Co-authored-by: Ajith KV <ajith.jaban@gmail.com>
Co-authored-by: Akarsh Jain <72064462+akarsh-jain-790@users.noreply.github.com>
Co-authored-by: Utsav Paul <91927689+Smartmind12@users.noreply.github.com>
Co-authored-by: Vijaykant Yadav <vjaris42@Vijaykants-MacBook-Pro.local>
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
Co-authored-by: geisterfurz007 <geisterfurz007@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
Co-authored-by: Abhushan Gautam <carefreeav09@gmail.com>
Co-authored-by: Syed Ansar <82027712+Syed-Ansar@users.noreply.github.com>
Co-authored-by: Rahul Sunil <rahulsunil2@gmail.com>
Co-authored-by: Srisuma Atluri <40341173+Srisuma13@users.noreply.github.com>
Co-authored-by: Midhun Kumar E <midhun752@gmail.com>
Co-authored-by: Navaneeth Pk <navaneeth@tooljet.io>
Co-authored-by: Akasshhg <91525166+gogoiakash2311@users.noreply.github.com>
2022-12-08 07:54:31 +00:00
|
|
|
.send({ email: 'user@tooljet.io', password: 'psswrd' })
|
2022-06-29 19:19:45 +00:00
|
|
|
.expect(401);
|
|
|
|
|
|
|
|
|
|
await request(app.getHttpServer())
|
|
|
|
|
.post('/api/authenticate')
|
Feature :: Onboarding revamp (#4044)
* typo
* password length check , ui fixes
* fixing typos
* fixing navbar ui
* updated icon , changed history to Link
* fix :: repopulating data
* fix :: key added for non sso logins
* ui improvements , added loading states , bugfixes
* changing folder names
* fix :: removing scroll and fixing to 100%
* fix :: all spell mistakes corrected
* fix :: bug on password show/hide
* fix :: bug in button animation state
* fix :: added loader states for all onboarding buttons
* fix :: imports
* feat :: centering ui for signup and login pages
* bugfixes :: minor
* feat :: added mediaquery for mobile screens
* fix :: typo spell check
* PR changes
- instance configs
- reused jwt payload
* fix :: loading bugfix
* feat :: added loader for verification sucess screen
* styles :: loader
* fix :: typo corrections
* fix :: image path
* fix :: darmode & enter press in onboard
* Fixed organization name issue
* fix :: keystroke not taken initially
* fix :: trim company name
* fix :: setting autocomplete to off
* removing redirectsso and confirmation page as its unused now
* few ui corrections , laoding states
* Fixed organization login sso issue
* Add db transaction wrap
* refactoring the code
* flow changes
* Added db tranxn wrap to auth services
* adding accept invite screen
* added verify organization token route
* fixes
* adding disable_multiworkspace to default config
* cleanup
* intermediate commit :: revamping organization page , api integration
* fixes
* feat :: organization token send in invite from org account setup
* fix :: making orgtoken conditional and ui changes / functional updates organization invte
* removed unwanted code
* fix :: login/account setup for sso user in single workspace flow
* fixes
* fix :: CTA loader misaligned
* fix :: sso login single workspace
* fix
* fix :: role check db
* fix :: role check DB
* fix :: setting fallback screen for organizational invite
* feat :: org signup
* fix :: loading states bug
* fix :: loading bug
* fixes
* added password length validation
* fixes
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* fix: sub path for static asset serve (#4668)
* Bugfix :: Sort event fired on sort removal (#4542)
* onsort applied on sort removal
* bugcheck
* removing unused toast
* Feature :: Table image column type addition (#4547)
* feat :: adding column type image
* feat :: adding image fit property
* Fix :: Closing of textarea ontype Table widget (#4549)
* fix :: closing of textarea ontype
* fix :: bug not able to clear value
* bug fixed : generate file in text is not supported (#4346)
* add eslintignore for frontend (#4669)
* [cypress] Fix failing manage SSO spec in single workspace #4390 (#4509)
* added [data-cy=login-page-logo] also removed one dropdown of same name
* Revert command.js
* call loginpagelogo
* Fixed toast test case
* updated text
* remove timer
* revert linting
* Github text fixed
* Replaced the woocommerce connection screenshot from dark to light one (#4654)
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
* gifs for Keyboard Shortcuts Added (#4643)
* Fix. Image to button group docs (#4630) (#4631)
* Add. Image to button group docs (#4630)
* Update docs/docs/widgets/button-group.md
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
* [added] Translated global strings in french #4169 (#4232)
* [added] Translated global strings in french
Added global strings translated to French language , Issue: #4169
* [localization ] Fixed the Proposed Changes in French Translation
* [localization ] Fixed the Remaining Proposed Changes in French Translation v2
* Update selectHost
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
* [localization] issue-4188 added spanish keys for card app (#4229)
* issue-4188 added spanish keys for card app
* IT-4188 fixed PR
* Improve toast message shortcut on component deletion (#4513)
* Improve toast message shortcut
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* feat: Add DTO for organization create (#4651)
* feat: Add DTO for organization create
* chore: fix eslint error
* chore: eslint ...
* Fixed failing manage SSO spec in multi workspace (#4658)
* Fixed failing manage SSO spec in multi workspace
* github to gitHib
* persist data without saving the query (#4649)
* Fixed failing dashboard specs (#4667)
* Add and modify data-cy
* Fix failing manage users spec in multiworkspace
* Fix failing user permission spec in multi workspace
* Fix failing dashboard spec
* Fix failing manage group spec
* Fix failing manage users spec in single workspace
* Fix failing user permission spec in single workspace
* indentation changes
* Remove wait
* [Marketplace] AWS S3 (#4670)
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* marketplace: s3
* rename operations file to query_operations
* fix: crash on click of existing plugin
* remove unused console
* adds missing async await
* add isoptional for repo
* plugin card ui style fixes
* update plugin name
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
* fix: Added a modal with warning message on disabling password (#4552)
* Copy to clipboard (#4588)
* Update EventManager.jsx
* Update EventManager.jsx
* Update EventManager.jsx
* fix :: adding sso configs based on org id
* loader and password check
* multiworkspace invite flow updated
* restrict only active users
* fix
* added error message for password length check
* fix :: password trim
* fix :: all happy flows tested , single and multi exept sso
* fix: message on invalid password
* revert: package-lock.json file
* feat :: changing ui for user present for org invite in multi workspace
* fix :: remove password check for existing user multiworkspace
* fix :: added fallback
* fix :: typo
* fix :: adding checks
* fix
* feat :: for single workspace user logged in directly
* fix :: code meaning fix
* fix
* fixes
* fix
* fix
* fix
* fix :: sso fix and bug updates
* fix :: json resolution for only single workspace
* token :: app level
* fix
* fix
* fixes
* fix
* ui fixes , removed loading and added checks
* showing sso options
* fix :: back to
* fix single workspace
* adding sso check ui
* sso single workspace fix
* code refactoring
* fix :: bugfix on click enter submit in signup and signin
* qa fix :: typo
* fix for sending welcome email on invite
* bug fixes
* fix
* qa bug fixes and translations
* switch workspace fixes
* fix :: company name taking empty spaces
* adding some more translations
* making all screens center aligned
* fix :: login page not loading
* fix :: singup conditional
* fixes
* typo fix
* fix :: for diabled cases of sso , password login , disabled signup
* fix
* fix :: added max input length for workspace name
* fix
* fix :: missing validation on edit email
* fix :: all screens vertically aligned
* fix :: alignment link expiry screen
* fix
* fix :: styling terms and condition
* fix :: for redirect url loginto workspace fixed according to new design
* typo
* feat :: removed onboarding modal , redundant
* typo fix
* fix
* name is now mandatory for sign up
* fix for password retry count not updating
* showing onboarding questions for sign up users
* fix :: spaces in password in diff screens
* fix :: darkmode initial
* fix for accept organization invite success message
* fix :: dark mode
* fix :: dark mode
* feat :: updating all dark mode images
* bugfix img
* bugfix ::img
* dark mode :: improvements
* single workspace signup fix
* updating images
* stylefix
* self review :: bugfixes
* sign up page fix
* fix for asking password for single ws activation
* or separator fix for signup page
* fix
* feat :: updating cta images
* fix :: loader bugs
* hiding sso options in org invite, sign in via sso
* fix :: dark mode img
* bugfixes :: cta changed
* Fix :: onboarding styles fixes (#4773)
* fix: styling in authWrappers
* cleanup
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* fix :: conflicting styles
* fix :: loaders , and added header to link expired screen , style fixes
* fix :: mobile onboarding btn
* fix :: loading onboarding completion
* fix :: subpath not taking img path
* fix :: path
* fix :: removing trailing img / for subpath
* fix :: cta img
* fix :: remove scrollbar
* last name as undefined in comments
* fixed loading bug and cursor of company input onboard form
* comments fixes
* fix :: removing verify email screen on org invite
* comments fix
* fix :: no login methods
* fix :: bug in expired org invite verification link
* fix :: edge case name being empty when user types multiple spaces
* fix :: comments breaking
* fix :: notification breaking
* fix :: user groups table lastname
* fix for sso redirection
* fix :: empty first and last name during org invite
* bug fixed :On updating any permissions under permission tab, currentTab switches to app tab (#4734)
* fix: popout editor closing for tables (#4674)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added default value for backgroundColor In NumberInput (#4378)
* fix: added background styles for number input
* fix: removed additional f from the background color property
* fix: added backgroundColor property from styles
* fixes: default bg color for dark mode
Co-authored-by: arpitnath <arpitnath42@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added the hover effects on datasources (#4303)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added Background Color to Text Input (#4194)
* Added Background Color to Text Input
* Added Default Value for Background Color
* added default value and make background of text input consistent with the dark theme
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* feat: Add update version button on installable plugin (#4766)
* feat: Add update version button on installable plugin
* use id from update method
* removes redundant check
* use plugin id for fetching files from s3
* fetch latest plugins once updated
* disable update and remove buttons while update in progress
* replace href with link-span cx + send body in patch request
* fix: Dark mode on table's `Striped` and `Striped & Bordered` table type mode (#4611)
* [ Hotfix ] :: Hard to resize table columns (#4438)
* fix :: hard to resize , scrollbar should not be visible
* fix :: resizer not working in pewview
* Enhancement : [RangeSlider widget] Bind onChange event (#4192)
* add onChange event and its handler
* add handler for slider change as well
* fix lint
* added onChange fire event when slider value is changed
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
* Added data-cy for table widget elements (#4792)
* Add data-cy to tooltip label
* Add data-cy to table filter pop-over
* Add data-cy to table elements
* Add review changes
* [docs] Widget updates (#4793)
* widget updates
* minor update
* Update README.md (#4784)
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Fixed grammatical errors in localization doc (#4800)
* [docs] widget property updates (#4806)
* fixes
* added resend invite API
* Onboarding revamp test cases (#4770)
* fix: test cases for oauth
* fix: app controller test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: single workspace test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* add: test cases for sso
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: linting in files
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: test cases for oauth
* fix: linting in files
* rebase: from feature/onboarding-revamp
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* feat :: api update resend invite
* loading state resend mail
* adding loading state
* checkpoints shown only till tablet
* fix: failing test cases for sso
* pr:: changes changed all imports and removed unwanted fragments
* pr changes
* fix :: naming images
* fix :: style organized for onboarding
* fix for user seed issue
* removing unwanted styles
* Setting darkmode from props :: onboarding (#4885)
* passing darkmode as props to components
* error toast
* Review comment :: rename env variable
* Pr :: changes , code cleanup onborading form
* develop merge
* pr changes ::form splitted to components
* password warning added
* chore :: lint folder renaming
* review comments
* fixes
* fix for test cases failure
* changes :: removed empty divs
* cleanup
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Muhsin Shah <muhsinshah21@gmail.com>
Co-authored-by: gsmithun4 <gsmithun4@gmail.com>
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
Co-authored-by: Manish Kushare <kushare.manish9@gmail.com>
Co-authored-by: Akshay <akshaysasidharan93@gmail.com>
Co-authored-by: alammoiz <moixalam@gmail.com>
Co-authored-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Akhilesh Kumar Mishra <79476272+iamakhileshmishra@users.noreply.github.com>
Co-authored-by: Hemanth Kumar <49117799+Hemanthhari2000@users.noreply.github.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: akk312000 <akk312000@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Jose Morales <jmoralesmnz@gmail.com>
Co-authored-by: 3t8 <62209650+3t8@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
Co-authored-by: Santosh Bhandari <bsantosh909@gmail.com>
Co-authored-by: Arpit <arpitnath42@gmail.com>
Co-authored-by: Ajith KV <ajith.jaban@gmail.com>
Co-authored-by: Akarsh Jain <72064462+akarsh-jain-790@users.noreply.github.com>
Co-authored-by: Utsav Paul <91927689+Smartmind12@users.noreply.github.com>
Co-authored-by: Vijaykant Yadav <vjaris42@Vijaykants-MacBook-Pro.local>
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
Co-authored-by: geisterfurz007 <geisterfurz007@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
Co-authored-by: Abhushan Gautam <carefreeav09@gmail.com>
Co-authored-by: Syed Ansar <82027712+Syed-Ansar@users.noreply.github.com>
Co-authored-by: Rahul Sunil <rahulsunil2@gmail.com>
Co-authored-by: Srisuma Atluri <40341173+Srisuma13@users.noreply.github.com>
Co-authored-by: Midhun Kumar E <midhun752@gmail.com>
Co-authored-by: Navaneeth Pk <navaneeth@tooljet.io>
Co-authored-by: Akasshhg <91525166+gogoiakash2311@users.noreply.github.com>
2022-12-08 07:54:31 +00:00
|
|
|
.send({ email: 'user@tooljet.io', password: 'psswrd' })
|
2022-06-29 19:19:45 +00:00
|
|
|
.expect(401);
|
|
|
|
|
|
|
|
|
|
const response = await request(app.getHttpServer())
|
|
|
|
|
.post('/api/authenticate')
|
Feature :: Onboarding revamp (#4044)
* typo
* password length check , ui fixes
* fixing typos
* fixing navbar ui
* updated icon , changed history to Link
* fix :: repopulating data
* fix :: key added for non sso logins
* ui improvements , added loading states , bugfixes
* changing folder names
* fix :: removing scroll and fixing to 100%
* fix :: all spell mistakes corrected
* fix :: bug on password show/hide
* fix :: bug in button animation state
* fix :: added loader states for all onboarding buttons
* fix :: imports
* feat :: centering ui for signup and login pages
* bugfixes :: minor
* feat :: added mediaquery for mobile screens
* fix :: typo spell check
* PR changes
- instance configs
- reused jwt payload
* fix :: loading bugfix
* feat :: added loader for verification sucess screen
* styles :: loader
* fix :: typo corrections
* fix :: image path
* fix :: darmode & enter press in onboard
* Fixed organization name issue
* fix :: keystroke not taken initially
* fix :: trim company name
* fix :: setting autocomplete to off
* removing redirectsso and confirmation page as its unused now
* few ui corrections , laoding states
* Fixed organization login sso issue
* Add db transaction wrap
* refactoring the code
* flow changes
* Added db tranxn wrap to auth services
* adding accept invite screen
* added verify organization token route
* fixes
* adding disable_multiworkspace to default config
* cleanup
* intermediate commit :: revamping organization page , api integration
* fixes
* feat :: organization token send in invite from org account setup
* fix :: making orgtoken conditional and ui changes / functional updates organization invte
* removed unwanted code
* fix :: login/account setup for sso user in single workspace flow
* fixes
* fix :: CTA loader misaligned
* fix :: sso login single workspace
* fix
* fix :: role check db
* fix :: role check DB
* fix :: setting fallback screen for organizational invite
* feat :: org signup
* fix :: loading states bug
* fix :: loading bug
* fixes
* added password length validation
* fixes
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* fix: sub path for static asset serve (#4668)
* Bugfix :: Sort event fired on sort removal (#4542)
* onsort applied on sort removal
* bugcheck
* removing unused toast
* Feature :: Table image column type addition (#4547)
* feat :: adding column type image
* feat :: adding image fit property
* Fix :: Closing of textarea ontype Table widget (#4549)
* fix :: closing of textarea ontype
* fix :: bug not able to clear value
* bug fixed : generate file in text is not supported (#4346)
* add eslintignore for frontend (#4669)
* [cypress] Fix failing manage SSO spec in single workspace #4390 (#4509)
* added [data-cy=login-page-logo] also removed one dropdown of same name
* Revert command.js
* call loginpagelogo
* Fixed toast test case
* updated text
* remove timer
* revert linting
* Github text fixed
* Replaced the woocommerce connection screenshot from dark to light one (#4654)
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
* gifs for Keyboard Shortcuts Added (#4643)
* Fix. Image to button group docs (#4630) (#4631)
* Add. Image to button group docs (#4630)
* Update docs/docs/widgets/button-group.md
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
* [added] Translated global strings in french #4169 (#4232)
* [added] Translated global strings in french
Added global strings translated to French language , Issue: #4169
* [localization ] Fixed the Proposed Changes in French Translation
* [localization ] Fixed the Remaining Proposed Changes in French Translation v2
* Update selectHost
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
* [localization] issue-4188 added spanish keys for card app (#4229)
* issue-4188 added spanish keys for card app
* IT-4188 fixed PR
* Improve toast message shortcut on component deletion (#4513)
* Improve toast message shortcut
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* feat: Add DTO for organization create (#4651)
* feat: Add DTO for organization create
* chore: fix eslint error
* chore: eslint ...
* Fixed failing manage SSO spec in multi workspace (#4658)
* Fixed failing manage SSO spec in multi workspace
* github to gitHib
* persist data without saving the query (#4649)
* Fixed failing dashboard specs (#4667)
* Add and modify data-cy
* Fix failing manage users spec in multiworkspace
* Fix failing user permission spec in multi workspace
* Fix failing dashboard spec
* Fix failing manage group spec
* Fix failing manage users spec in single workspace
* Fix failing user permission spec in single workspace
* indentation changes
* Remove wait
* [Marketplace] AWS S3 (#4670)
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* marketplace: s3
* rename operations file to query_operations
* fix: crash on click of existing plugin
* remove unused console
* adds missing async await
* add isoptional for repo
* plugin card ui style fixes
* update plugin name
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
* fix: Added a modal with warning message on disabling password (#4552)
* Copy to clipboard (#4588)
* Update EventManager.jsx
* Update EventManager.jsx
* Update EventManager.jsx
* fix :: adding sso configs based on org id
* loader and password check
* multiworkspace invite flow updated
* restrict only active users
* fix
* added error message for password length check
* fix :: password trim
* fix :: all happy flows tested , single and multi exept sso
* fix: message on invalid password
* revert: package-lock.json file
* feat :: changing ui for user present for org invite in multi workspace
* fix :: remove password check for existing user multiworkspace
* fix :: added fallback
* fix :: typo
* fix :: adding checks
* fix
* feat :: for single workspace user logged in directly
* fix :: code meaning fix
* fix
* fixes
* fix
* fix
* fix
* fix :: sso fix and bug updates
* fix :: json resolution for only single workspace
* token :: app level
* fix
* fix
* fixes
* fix
* ui fixes , removed loading and added checks
* showing sso options
* fix :: back to
* fix single workspace
* adding sso check ui
* sso single workspace fix
* code refactoring
* fix :: bugfix on click enter submit in signup and signin
* qa fix :: typo
* fix for sending welcome email on invite
* bug fixes
* fix
* qa bug fixes and translations
* switch workspace fixes
* fix :: company name taking empty spaces
* adding some more translations
* making all screens center aligned
* fix :: login page not loading
* fix :: singup conditional
* fixes
* typo fix
* fix :: for diabled cases of sso , password login , disabled signup
* fix
* fix :: added max input length for workspace name
* fix
* fix :: missing validation on edit email
* fix :: all screens vertically aligned
* fix :: alignment link expiry screen
* fix
* fix :: styling terms and condition
* fix :: for redirect url loginto workspace fixed according to new design
* typo
* feat :: removed onboarding modal , redundant
* typo fix
* fix
* name is now mandatory for sign up
* fix for password retry count not updating
* showing onboarding questions for sign up users
* fix :: spaces in password in diff screens
* fix :: darkmode initial
* fix for accept organization invite success message
* fix :: dark mode
* fix :: dark mode
* feat :: updating all dark mode images
* bugfix img
* bugfix ::img
* dark mode :: improvements
* single workspace signup fix
* updating images
* stylefix
* self review :: bugfixes
* sign up page fix
* fix for asking password for single ws activation
* or separator fix for signup page
* fix
* feat :: updating cta images
* fix :: loader bugs
* hiding sso options in org invite, sign in via sso
* fix :: dark mode img
* bugfixes :: cta changed
* Fix :: onboarding styles fixes (#4773)
* fix: styling in authWrappers
* cleanup
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* fix :: conflicting styles
* fix :: loaders , and added header to link expired screen , style fixes
* fix :: mobile onboarding btn
* fix :: loading onboarding completion
* fix :: subpath not taking img path
* fix :: path
* fix :: removing trailing img / for subpath
* fix :: cta img
* fix :: remove scrollbar
* last name as undefined in comments
* fixed loading bug and cursor of company input onboard form
* comments fixes
* fix :: removing verify email screen on org invite
* comments fix
* fix :: no login methods
* fix :: bug in expired org invite verification link
* fix :: edge case name being empty when user types multiple spaces
* fix :: comments breaking
* fix :: notification breaking
* fix :: user groups table lastname
* fix for sso redirection
* fix :: empty first and last name during org invite
* bug fixed :On updating any permissions under permission tab, currentTab switches to app tab (#4734)
* fix: popout editor closing for tables (#4674)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added default value for backgroundColor In NumberInput (#4378)
* fix: added background styles for number input
* fix: removed additional f from the background color property
* fix: added backgroundColor property from styles
* fixes: default bg color for dark mode
Co-authored-by: arpitnath <arpitnath42@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added the hover effects on datasources (#4303)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added Background Color to Text Input (#4194)
* Added Background Color to Text Input
* Added Default Value for Background Color
* added default value and make background of text input consistent with the dark theme
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* feat: Add update version button on installable plugin (#4766)
* feat: Add update version button on installable plugin
* use id from update method
* removes redundant check
* use plugin id for fetching files from s3
* fetch latest plugins once updated
* disable update and remove buttons while update in progress
* replace href with link-span cx + send body in patch request
* fix: Dark mode on table's `Striped` and `Striped & Bordered` table type mode (#4611)
* [ Hotfix ] :: Hard to resize table columns (#4438)
* fix :: hard to resize , scrollbar should not be visible
* fix :: resizer not working in pewview
* Enhancement : [RangeSlider widget] Bind onChange event (#4192)
* add onChange event and its handler
* add handler for slider change as well
* fix lint
* added onChange fire event when slider value is changed
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
* Added data-cy for table widget elements (#4792)
* Add data-cy to tooltip label
* Add data-cy to table filter pop-over
* Add data-cy to table elements
* Add review changes
* [docs] Widget updates (#4793)
* widget updates
* minor update
* Update README.md (#4784)
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Fixed grammatical errors in localization doc (#4800)
* [docs] widget property updates (#4806)
* fixes
* added resend invite API
* Onboarding revamp test cases (#4770)
* fix: test cases for oauth
* fix: app controller test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: single workspace test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* add: test cases for sso
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: linting in files
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: test cases for oauth
* fix: linting in files
* rebase: from feature/onboarding-revamp
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* feat :: api update resend invite
* loading state resend mail
* adding loading state
* checkpoints shown only till tablet
* fix: failing test cases for sso
* pr:: changes changed all imports and removed unwanted fragments
* pr changes
* fix :: naming images
* fix :: style organized for onboarding
* fix for user seed issue
* removing unwanted styles
* Setting darkmode from props :: onboarding (#4885)
* passing darkmode as props to components
* error toast
* Review comment :: rename env variable
* Pr :: changes , code cleanup onborading form
* develop merge
* pr changes ::form splitted to components
* password warning added
* chore :: lint folder renaming
* review comments
* fixes
* fix for test cases failure
* changes :: removed empty divs
* cleanup
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Muhsin Shah <muhsinshah21@gmail.com>
Co-authored-by: gsmithun4 <gsmithun4@gmail.com>
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
Co-authored-by: Manish Kushare <kushare.manish9@gmail.com>
Co-authored-by: Akshay <akshaysasidharan93@gmail.com>
Co-authored-by: alammoiz <moixalam@gmail.com>
Co-authored-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Akhilesh Kumar Mishra <79476272+iamakhileshmishra@users.noreply.github.com>
Co-authored-by: Hemanth Kumar <49117799+Hemanthhari2000@users.noreply.github.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: akk312000 <akk312000@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Jose Morales <jmoralesmnz@gmail.com>
Co-authored-by: 3t8 <62209650+3t8@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
Co-authored-by: Santosh Bhandari <bsantosh909@gmail.com>
Co-authored-by: Arpit <arpitnath42@gmail.com>
Co-authored-by: Ajith KV <ajith.jaban@gmail.com>
Co-authored-by: Akarsh Jain <72064462+akarsh-jain-790@users.noreply.github.com>
Co-authored-by: Utsav Paul <91927689+Smartmind12@users.noreply.github.com>
Co-authored-by: Vijaykant Yadav <vjaris42@Vijaykants-MacBook-Pro.local>
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
Co-authored-by: geisterfurz007 <geisterfurz007@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
Co-authored-by: Abhushan Gautam <carefreeav09@gmail.com>
Co-authored-by: Syed Ansar <82027712+Syed-Ansar@users.noreply.github.com>
Co-authored-by: Rahul Sunil <rahulsunil2@gmail.com>
Co-authored-by: Srisuma Atluri <40341173+Srisuma13@users.noreply.github.com>
Co-authored-by: Midhun Kumar E <midhun752@gmail.com>
Co-authored-by: Navaneeth Pk <navaneeth@tooljet.io>
Co-authored-by: Akasshhg <91525166+gogoiakash2311@users.noreply.github.com>
2022-12-08 07:54:31 +00:00
|
|
|
.send({ email: 'user@tooljet.io', password: 'psswrd' });
|
2022-06-29 19:19:45 +00:00
|
|
|
|
|
|
|
|
expect(response.statusCode).toBe(401);
|
|
|
|
|
expect(response.body.message).toBe('Invalid credentials');
|
|
|
|
|
});
|
|
|
|
|
it('throw 401 if invalid credentials, maximum retry limit reached error will not throw after the count configured in PASSWORD_RETRY_LIMIT', async () => {
|
|
|
|
|
jest.spyOn(mockConfig, 'get').mockImplementation((key: string) => {
|
|
|
|
|
switch (key) {
|
|
|
|
|
case 'PASSWORD_RETRY_LIMIT':
|
|
|
|
|
return '3';
|
|
|
|
|
default:
|
|
|
|
|
return process.env[key];
|
|
|
|
|
}
|
|
|
|
|
});
|
Feature :: Onboarding revamp (#4044)
* typo
* password length check , ui fixes
* fixing typos
* fixing navbar ui
* updated icon , changed history to Link
* fix :: repopulating data
* fix :: key added for non sso logins
* ui improvements , added loading states , bugfixes
* changing folder names
* fix :: removing scroll and fixing to 100%
* fix :: all spell mistakes corrected
* fix :: bug on password show/hide
* fix :: bug in button animation state
* fix :: added loader states for all onboarding buttons
* fix :: imports
* feat :: centering ui for signup and login pages
* bugfixes :: minor
* feat :: added mediaquery for mobile screens
* fix :: typo spell check
* PR changes
- instance configs
- reused jwt payload
* fix :: loading bugfix
* feat :: added loader for verification sucess screen
* styles :: loader
* fix :: typo corrections
* fix :: image path
* fix :: darmode & enter press in onboard
* Fixed organization name issue
* fix :: keystroke not taken initially
* fix :: trim company name
* fix :: setting autocomplete to off
* removing redirectsso and confirmation page as its unused now
* few ui corrections , laoding states
* Fixed organization login sso issue
* Add db transaction wrap
* refactoring the code
* flow changes
* Added db tranxn wrap to auth services
* adding accept invite screen
* added verify organization token route
* fixes
* adding disable_multiworkspace to default config
* cleanup
* intermediate commit :: revamping organization page , api integration
* fixes
* feat :: organization token send in invite from org account setup
* fix :: making orgtoken conditional and ui changes / functional updates organization invte
* removed unwanted code
* fix :: login/account setup for sso user in single workspace flow
* fixes
* fix :: CTA loader misaligned
* fix :: sso login single workspace
* fix
* fix :: role check db
* fix :: role check DB
* fix :: setting fallback screen for organizational invite
* feat :: org signup
* fix :: loading states bug
* fix :: loading bug
* fixes
* added password length validation
* fixes
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* fix: sub path for static asset serve (#4668)
* Bugfix :: Sort event fired on sort removal (#4542)
* onsort applied on sort removal
* bugcheck
* removing unused toast
* Feature :: Table image column type addition (#4547)
* feat :: adding column type image
* feat :: adding image fit property
* Fix :: Closing of textarea ontype Table widget (#4549)
* fix :: closing of textarea ontype
* fix :: bug not able to clear value
* bug fixed : generate file in text is not supported (#4346)
* add eslintignore for frontend (#4669)
* [cypress] Fix failing manage SSO spec in single workspace #4390 (#4509)
* added [data-cy=login-page-logo] also removed one dropdown of same name
* Revert command.js
* call loginpagelogo
* Fixed toast test case
* updated text
* remove timer
* revert linting
* Github text fixed
* Replaced the woocommerce connection screenshot from dark to light one (#4654)
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
* gifs for Keyboard Shortcuts Added (#4643)
* Fix. Image to button group docs (#4630) (#4631)
* Add. Image to button group docs (#4630)
* Update docs/docs/widgets/button-group.md
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
* [added] Translated global strings in french #4169 (#4232)
* [added] Translated global strings in french
Added global strings translated to French language , Issue: #4169
* [localization ] Fixed the Proposed Changes in French Translation
* [localization ] Fixed the Remaining Proposed Changes in French Translation v2
* Update selectHost
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
* [localization] issue-4188 added spanish keys for card app (#4229)
* issue-4188 added spanish keys for card app
* IT-4188 fixed PR
* Improve toast message shortcut on component deletion (#4513)
* Improve toast message shortcut
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* feat: Add DTO for organization create (#4651)
* feat: Add DTO for organization create
* chore: fix eslint error
* chore: eslint ...
* Fixed failing manage SSO spec in multi workspace (#4658)
* Fixed failing manage SSO spec in multi workspace
* github to gitHib
* persist data without saving the query (#4649)
* Fixed failing dashboard specs (#4667)
* Add and modify data-cy
* Fix failing manage users spec in multiworkspace
* Fix failing user permission spec in multi workspace
* Fix failing dashboard spec
* Fix failing manage group spec
* Fix failing manage users spec in single workspace
* Fix failing user permission spec in single workspace
* indentation changes
* Remove wait
* [Marketplace] AWS S3 (#4670)
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* marketplace: s3
* rename operations file to query_operations
* fix: crash on click of existing plugin
* remove unused console
* adds missing async await
* add isoptional for repo
* plugin card ui style fixes
* update plugin name
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
* fix: Added a modal with warning message on disabling password (#4552)
* Copy to clipboard (#4588)
* Update EventManager.jsx
* Update EventManager.jsx
* Update EventManager.jsx
* fix :: adding sso configs based on org id
* loader and password check
* multiworkspace invite flow updated
* restrict only active users
* fix
* added error message for password length check
* fix :: password trim
* fix :: all happy flows tested , single and multi exept sso
* fix: message on invalid password
* revert: package-lock.json file
* feat :: changing ui for user present for org invite in multi workspace
* fix :: remove password check for existing user multiworkspace
* fix :: added fallback
* fix :: typo
* fix :: adding checks
* fix
* feat :: for single workspace user logged in directly
* fix :: code meaning fix
* fix
* fixes
* fix
* fix
* fix
* fix :: sso fix and bug updates
* fix :: json resolution for only single workspace
* token :: app level
* fix
* fix
* fixes
* fix
* ui fixes , removed loading and added checks
* showing sso options
* fix :: back to
* fix single workspace
* adding sso check ui
* sso single workspace fix
* code refactoring
* fix :: bugfix on click enter submit in signup and signin
* qa fix :: typo
* fix for sending welcome email on invite
* bug fixes
* fix
* qa bug fixes and translations
* switch workspace fixes
* fix :: company name taking empty spaces
* adding some more translations
* making all screens center aligned
* fix :: login page not loading
* fix :: singup conditional
* fixes
* typo fix
* fix :: for diabled cases of sso , password login , disabled signup
* fix
* fix :: added max input length for workspace name
* fix
* fix :: missing validation on edit email
* fix :: all screens vertically aligned
* fix :: alignment link expiry screen
* fix
* fix :: styling terms and condition
* fix :: for redirect url loginto workspace fixed according to new design
* typo
* feat :: removed onboarding modal , redundant
* typo fix
* fix
* name is now mandatory for sign up
* fix for password retry count not updating
* showing onboarding questions for sign up users
* fix :: spaces in password in diff screens
* fix :: darkmode initial
* fix for accept organization invite success message
* fix :: dark mode
* fix :: dark mode
* feat :: updating all dark mode images
* bugfix img
* bugfix ::img
* dark mode :: improvements
* single workspace signup fix
* updating images
* stylefix
* self review :: bugfixes
* sign up page fix
* fix for asking password for single ws activation
* or separator fix for signup page
* fix
* feat :: updating cta images
* fix :: loader bugs
* hiding sso options in org invite, sign in via sso
* fix :: dark mode img
* bugfixes :: cta changed
* Fix :: onboarding styles fixes (#4773)
* fix: styling in authWrappers
* cleanup
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* fix :: conflicting styles
* fix :: loaders , and added header to link expired screen , style fixes
* fix :: mobile onboarding btn
* fix :: loading onboarding completion
* fix :: subpath not taking img path
* fix :: path
* fix :: removing trailing img / for subpath
* fix :: cta img
* fix :: remove scrollbar
* last name as undefined in comments
* fixed loading bug and cursor of company input onboard form
* comments fixes
* fix :: removing verify email screen on org invite
* comments fix
* fix :: no login methods
* fix :: bug in expired org invite verification link
* fix :: edge case name being empty when user types multiple spaces
* fix :: comments breaking
* fix :: notification breaking
* fix :: user groups table lastname
* fix for sso redirection
* fix :: empty first and last name during org invite
* bug fixed :On updating any permissions under permission tab, currentTab switches to app tab (#4734)
* fix: popout editor closing for tables (#4674)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added default value for backgroundColor In NumberInput (#4378)
* fix: added background styles for number input
* fix: removed additional f from the background color property
* fix: added backgroundColor property from styles
* fixes: default bg color for dark mode
Co-authored-by: arpitnath <arpitnath42@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added the hover effects on datasources (#4303)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added Background Color to Text Input (#4194)
* Added Background Color to Text Input
* Added Default Value for Background Color
* added default value and make background of text input consistent with the dark theme
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* feat: Add update version button on installable plugin (#4766)
* feat: Add update version button on installable plugin
* use id from update method
* removes redundant check
* use plugin id for fetching files from s3
* fetch latest plugins once updated
* disable update and remove buttons while update in progress
* replace href with link-span cx + send body in patch request
* fix: Dark mode on table's `Striped` and `Striped & Bordered` table type mode (#4611)
* [ Hotfix ] :: Hard to resize table columns (#4438)
* fix :: hard to resize , scrollbar should not be visible
* fix :: resizer not working in pewview
* Enhancement : [RangeSlider widget] Bind onChange event (#4192)
* add onChange event and its handler
* add handler for slider change as well
* fix lint
* added onChange fire event when slider value is changed
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
* Added data-cy for table widget elements (#4792)
* Add data-cy to tooltip label
* Add data-cy to table filter pop-over
* Add data-cy to table elements
* Add review changes
* [docs] Widget updates (#4793)
* widget updates
* minor update
* Update README.md (#4784)
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Fixed grammatical errors in localization doc (#4800)
* [docs] widget property updates (#4806)
* fixes
* added resend invite API
* Onboarding revamp test cases (#4770)
* fix: test cases for oauth
* fix: app controller test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: single workspace test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* add: test cases for sso
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: linting in files
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: test cases for oauth
* fix: linting in files
* rebase: from feature/onboarding-revamp
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* feat :: api update resend invite
* loading state resend mail
* adding loading state
* checkpoints shown only till tablet
* fix: failing test cases for sso
* pr:: changes changed all imports and removed unwanted fragments
* pr changes
* fix :: naming images
* fix :: style organized for onboarding
* fix for user seed issue
* removing unwanted styles
* Setting darkmode from props :: onboarding (#4885)
* passing darkmode as props to components
* error toast
* Review comment :: rename env variable
* Pr :: changes , code cleanup onborading form
* develop merge
* pr changes ::form splitted to components
* password warning added
* chore :: lint folder renaming
* review comments
* fixes
* fix for test cases failure
* changes :: removed empty divs
* cleanup
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Muhsin Shah <muhsinshah21@gmail.com>
Co-authored-by: gsmithun4 <gsmithun4@gmail.com>
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
Co-authored-by: Manish Kushare <kushare.manish9@gmail.com>
Co-authored-by: Akshay <akshaysasidharan93@gmail.com>
Co-authored-by: alammoiz <moixalam@gmail.com>
Co-authored-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Akhilesh Kumar Mishra <79476272+iamakhileshmishra@users.noreply.github.com>
Co-authored-by: Hemanth Kumar <49117799+Hemanthhari2000@users.noreply.github.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: akk312000 <akk312000@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Jose Morales <jmoralesmnz@gmail.com>
Co-authored-by: 3t8 <62209650+3t8@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
Co-authored-by: Santosh Bhandari <bsantosh909@gmail.com>
Co-authored-by: Arpit <arpitnath42@gmail.com>
Co-authored-by: Ajith KV <ajith.jaban@gmail.com>
Co-authored-by: Akarsh Jain <72064462+akarsh-jain-790@users.noreply.github.com>
Co-authored-by: Utsav Paul <91927689+Smartmind12@users.noreply.github.com>
Co-authored-by: Vijaykant Yadav <vjaris42@Vijaykants-MacBook-Pro.local>
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
Co-authored-by: geisterfurz007 <geisterfurz007@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
Co-authored-by: Abhushan Gautam <carefreeav09@gmail.com>
Co-authored-by: Syed Ansar <82027712+Syed-Ansar@users.noreply.github.com>
Co-authored-by: Rahul Sunil <rahulsunil2@gmail.com>
Co-authored-by: Srisuma Atluri <40341173+Srisuma13@users.noreply.github.com>
Co-authored-by: Midhun Kumar E <midhun752@gmail.com>
Co-authored-by: Navaneeth Pk <navaneeth@tooljet.io>
Co-authored-by: Akasshhg <91525166+gogoiakash2311@users.noreply.github.com>
2022-12-08 07:54:31 +00:00
|
|
|
await createUser(app, { email: 'user@tooljet.io', status: 'active' });
|
|
|
|
|
|
2022-06-29 19:19:45 +00:00
|
|
|
await request(app.getHttpServer())
|
|
|
|
|
.post('/api/authenticate')
|
Feature :: Onboarding revamp (#4044)
* typo
* password length check , ui fixes
* fixing typos
* fixing navbar ui
* updated icon , changed history to Link
* fix :: repopulating data
* fix :: key added for non sso logins
* ui improvements , added loading states , bugfixes
* changing folder names
* fix :: removing scroll and fixing to 100%
* fix :: all spell mistakes corrected
* fix :: bug on password show/hide
* fix :: bug in button animation state
* fix :: added loader states for all onboarding buttons
* fix :: imports
* feat :: centering ui for signup and login pages
* bugfixes :: minor
* feat :: added mediaquery for mobile screens
* fix :: typo spell check
* PR changes
- instance configs
- reused jwt payload
* fix :: loading bugfix
* feat :: added loader for verification sucess screen
* styles :: loader
* fix :: typo corrections
* fix :: image path
* fix :: darmode & enter press in onboard
* Fixed organization name issue
* fix :: keystroke not taken initially
* fix :: trim company name
* fix :: setting autocomplete to off
* removing redirectsso and confirmation page as its unused now
* few ui corrections , laoding states
* Fixed organization login sso issue
* Add db transaction wrap
* refactoring the code
* flow changes
* Added db tranxn wrap to auth services
* adding accept invite screen
* added verify organization token route
* fixes
* adding disable_multiworkspace to default config
* cleanup
* intermediate commit :: revamping organization page , api integration
* fixes
* feat :: organization token send in invite from org account setup
* fix :: making orgtoken conditional and ui changes / functional updates organization invte
* removed unwanted code
* fix :: login/account setup for sso user in single workspace flow
* fixes
* fix :: CTA loader misaligned
* fix :: sso login single workspace
* fix
* fix :: role check db
* fix :: role check DB
* fix :: setting fallback screen for organizational invite
* feat :: org signup
* fix :: loading states bug
* fix :: loading bug
* fixes
* added password length validation
* fixes
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* fix: sub path for static asset serve (#4668)
* Bugfix :: Sort event fired on sort removal (#4542)
* onsort applied on sort removal
* bugcheck
* removing unused toast
* Feature :: Table image column type addition (#4547)
* feat :: adding column type image
* feat :: adding image fit property
* Fix :: Closing of textarea ontype Table widget (#4549)
* fix :: closing of textarea ontype
* fix :: bug not able to clear value
* bug fixed : generate file in text is not supported (#4346)
* add eslintignore for frontend (#4669)
* [cypress] Fix failing manage SSO spec in single workspace #4390 (#4509)
* added [data-cy=login-page-logo] also removed one dropdown of same name
* Revert command.js
* call loginpagelogo
* Fixed toast test case
* updated text
* remove timer
* revert linting
* Github text fixed
* Replaced the woocommerce connection screenshot from dark to light one (#4654)
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
* gifs for Keyboard Shortcuts Added (#4643)
* Fix. Image to button group docs (#4630) (#4631)
* Add. Image to button group docs (#4630)
* Update docs/docs/widgets/button-group.md
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
* [added] Translated global strings in french #4169 (#4232)
* [added] Translated global strings in french
Added global strings translated to French language , Issue: #4169
* [localization ] Fixed the Proposed Changes in French Translation
* [localization ] Fixed the Remaining Proposed Changes in French Translation v2
* Update selectHost
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
* [localization] issue-4188 added spanish keys for card app (#4229)
* issue-4188 added spanish keys for card app
* IT-4188 fixed PR
* Improve toast message shortcut on component deletion (#4513)
* Improve toast message shortcut
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* feat: Add DTO for organization create (#4651)
* feat: Add DTO for organization create
* chore: fix eslint error
* chore: eslint ...
* Fixed failing manage SSO spec in multi workspace (#4658)
* Fixed failing manage SSO spec in multi workspace
* github to gitHib
* persist data without saving the query (#4649)
* Fixed failing dashboard specs (#4667)
* Add and modify data-cy
* Fix failing manage users spec in multiworkspace
* Fix failing user permission spec in multi workspace
* Fix failing dashboard spec
* Fix failing manage group spec
* Fix failing manage users spec in single workspace
* Fix failing user permission spec in single workspace
* indentation changes
* Remove wait
* [Marketplace] AWS S3 (#4670)
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* marketplace: s3
* rename operations file to query_operations
* fix: crash on click of existing plugin
* remove unused console
* adds missing async await
* add isoptional for repo
* plugin card ui style fixes
* update plugin name
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
* fix: Added a modal with warning message on disabling password (#4552)
* Copy to clipboard (#4588)
* Update EventManager.jsx
* Update EventManager.jsx
* Update EventManager.jsx
* fix :: adding sso configs based on org id
* loader and password check
* multiworkspace invite flow updated
* restrict only active users
* fix
* added error message for password length check
* fix :: password trim
* fix :: all happy flows tested , single and multi exept sso
* fix: message on invalid password
* revert: package-lock.json file
* feat :: changing ui for user present for org invite in multi workspace
* fix :: remove password check for existing user multiworkspace
* fix :: added fallback
* fix :: typo
* fix :: adding checks
* fix
* feat :: for single workspace user logged in directly
* fix :: code meaning fix
* fix
* fixes
* fix
* fix
* fix
* fix :: sso fix and bug updates
* fix :: json resolution for only single workspace
* token :: app level
* fix
* fix
* fixes
* fix
* ui fixes , removed loading and added checks
* showing sso options
* fix :: back to
* fix single workspace
* adding sso check ui
* sso single workspace fix
* code refactoring
* fix :: bugfix on click enter submit in signup and signin
* qa fix :: typo
* fix for sending welcome email on invite
* bug fixes
* fix
* qa bug fixes and translations
* switch workspace fixes
* fix :: company name taking empty spaces
* adding some more translations
* making all screens center aligned
* fix :: login page not loading
* fix :: singup conditional
* fixes
* typo fix
* fix :: for diabled cases of sso , password login , disabled signup
* fix
* fix :: added max input length for workspace name
* fix
* fix :: missing validation on edit email
* fix :: all screens vertically aligned
* fix :: alignment link expiry screen
* fix
* fix :: styling terms and condition
* fix :: for redirect url loginto workspace fixed according to new design
* typo
* feat :: removed onboarding modal , redundant
* typo fix
* fix
* name is now mandatory for sign up
* fix for password retry count not updating
* showing onboarding questions for sign up users
* fix :: spaces in password in diff screens
* fix :: darkmode initial
* fix for accept organization invite success message
* fix :: dark mode
* fix :: dark mode
* feat :: updating all dark mode images
* bugfix img
* bugfix ::img
* dark mode :: improvements
* single workspace signup fix
* updating images
* stylefix
* self review :: bugfixes
* sign up page fix
* fix for asking password for single ws activation
* or separator fix for signup page
* fix
* feat :: updating cta images
* fix :: loader bugs
* hiding sso options in org invite, sign in via sso
* fix :: dark mode img
* bugfixes :: cta changed
* Fix :: onboarding styles fixes (#4773)
* fix: styling in authWrappers
* cleanup
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* fix :: conflicting styles
* fix :: loaders , and added header to link expired screen , style fixes
* fix :: mobile onboarding btn
* fix :: loading onboarding completion
* fix :: subpath not taking img path
* fix :: path
* fix :: removing trailing img / for subpath
* fix :: cta img
* fix :: remove scrollbar
* last name as undefined in comments
* fixed loading bug and cursor of company input onboard form
* comments fixes
* fix :: removing verify email screen on org invite
* comments fix
* fix :: no login methods
* fix :: bug in expired org invite verification link
* fix :: edge case name being empty when user types multiple spaces
* fix :: comments breaking
* fix :: notification breaking
* fix :: user groups table lastname
* fix for sso redirection
* fix :: empty first and last name during org invite
* bug fixed :On updating any permissions under permission tab, currentTab switches to app tab (#4734)
* fix: popout editor closing for tables (#4674)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added default value for backgroundColor In NumberInput (#4378)
* fix: added background styles for number input
* fix: removed additional f from the background color property
* fix: added backgroundColor property from styles
* fixes: default bg color for dark mode
Co-authored-by: arpitnath <arpitnath42@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added the hover effects on datasources (#4303)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added Background Color to Text Input (#4194)
* Added Background Color to Text Input
* Added Default Value for Background Color
* added default value and make background of text input consistent with the dark theme
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* feat: Add update version button on installable plugin (#4766)
* feat: Add update version button on installable plugin
* use id from update method
* removes redundant check
* use plugin id for fetching files from s3
* fetch latest plugins once updated
* disable update and remove buttons while update in progress
* replace href with link-span cx + send body in patch request
* fix: Dark mode on table's `Striped` and `Striped & Bordered` table type mode (#4611)
* [ Hotfix ] :: Hard to resize table columns (#4438)
* fix :: hard to resize , scrollbar should not be visible
* fix :: resizer not working in pewview
* Enhancement : [RangeSlider widget] Bind onChange event (#4192)
* add onChange event and its handler
* add handler for slider change as well
* fix lint
* added onChange fire event when slider value is changed
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
* Added data-cy for table widget elements (#4792)
* Add data-cy to tooltip label
* Add data-cy to table filter pop-over
* Add data-cy to table elements
* Add review changes
* [docs] Widget updates (#4793)
* widget updates
* minor update
* Update README.md (#4784)
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Fixed grammatical errors in localization doc (#4800)
* [docs] widget property updates (#4806)
* fixes
* added resend invite API
* Onboarding revamp test cases (#4770)
* fix: test cases for oauth
* fix: app controller test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: single workspace test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* add: test cases for sso
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: linting in files
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: test cases for oauth
* fix: linting in files
* rebase: from feature/onboarding-revamp
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* feat :: api update resend invite
* loading state resend mail
* adding loading state
* checkpoints shown only till tablet
* fix: failing test cases for sso
* pr:: changes changed all imports and removed unwanted fragments
* pr changes
* fix :: naming images
* fix :: style organized for onboarding
* fix for user seed issue
* removing unwanted styles
* Setting darkmode from props :: onboarding (#4885)
* passing darkmode as props to components
* error toast
* Review comment :: rename env variable
* Pr :: changes , code cleanup onborading form
* develop merge
* pr changes ::form splitted to components
* password warning added
* chore :: lint folder renaming
* review comments
* fixes
* fix for test cases failure
* changes :: removed empty divs
* cleanup
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Muhsin Shah <muhsinshah21@gmail.com>
Co-authored-by: gsmithun4 <gsmithun4@gmail.com>
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
Co-authored-by: Manish Kushare <kushare.manish9@gmail.com>
Co-authored-by: Akshay <akshaysasidharan93@gmail.com>
Co-authored-by: alammoiz <moixalam@gmail.com>
Co-authored-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Akhilesh Kumar Mishra <79476272+iamakhileshmishra@users.noreply.github.com>
Co-authored-by: Hemanth Kumar <49117799+Hemanthhari2000@users.noreply.github.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: akk312000 <akk312000@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Jose Morales <jmoralesmnz@gmail.com>
Co-authored-by: 3t8 <62209650+3t8@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
Co-authored-by: Santosh Bhandari <bsantosh909@gmail.com>
Co-authored-by: Arpit <arpitnath42@gmail.com>
Co-authored-by: Ajith KV <ajith.jaban@gmail.com>
Co-authored-by: Akarsh Jain <72064462+akarsh-jain-790@users.noreply.github.com>
Co-authored-by: Utsav Paul <91927689+Smartmind12@users.noreply.github.com>
Co-authored-by: Vijaykant Yadav <vjaris42@Vijaykants-MacBook-Pro.local>
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
Co-authored-by: geisterfurz007 <geisterfurz007@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
Co-authored-by: Abhushan Gautam <carefreeav09@gmail.com>
Co-authored-by: Syed Ansar <82027712+Syed-Ansar@users.noreply.github.com>
Co-authored-by: Rahul Sunil <rahulsunil2@gmail.com>
Co-authored-by: Srisuma Atluri <40341173+Srisuma13@users.noreply.github.com>
Co-authored-by: Midhun Kumar E <midhun752@gmail.com>
Co-authored-by: Navaneeth Pk <navaneeth@tooljet.io>
Co-authored-by: Akasshhg <91525166+gogoiakash2311@users.noreply.github.com>
2022-12-08 07:54:31 +00:00
|
|
|
.send({ email: 'admin@tooljet.io', password: 'psswrd' })
|
2022-06-29 19:19:45 +00:00
|
|
|
.expect(401);
|
|
|
|
|
|
|
|
|
|
await request(app.getHttpServer())
|
|
|
|
|
.post('/api/authenticate')
|
Feature :: Onboarding revamp (#4044)
* typo
* password length check , ui fixes
* fixing typos
* fixing navbar ui
* updated icon , changed history to Link
* fix :: repopulating data
* fix :: key added for non sso logins
* ui improvements , added loading states , bugfixes
* changing folder names
* fix :: removing scroll and fixing to 100%
* fix :: all spell mistakes corrected
* fix :: bug on password show/hide
* fix :: bug in button animation state
* fix :: added loader states for all onboarding buttons
* fix :: imports
* feat :: centering ui for signup and login pages
* bugfixes :: minor
* feat :: added mediaquery for mobile screens
* fix :: typo spell check
* PR changes
- instance configs
- reused jwt payload
* fix :: loading bugfix
* feat :: added loader for verification sucess screen
* styles :: loader
* fix :: typo corrections
* fix :: image path
* fix :: darmode & enter press in onboard
* Fixed organization name issue
* fix :: keystroke not taken initially
* fix :: trim company name
* fix :: setting autocomplete to off
* removing redirectsso and confirmation page as its unused now
* few ui corrections , laoding states
* Fixed organization login sso issue
* Add db transaction wrap
* refactoring the code
* flow changes
* Added db tranxn wrap to auth services
* adding accept invite screen
* added verify organization token route
* fixes
* adding disable_multiworkspace to default config
* cleanup
* intermediate commit :: revamping organization page , api integration
* fixes
* feat :: organization token send in invite from org account setup
* fix :: making orgtoken conditional and ui changes / functional updates organization invte
* removed unwanted code
* fix :: login/account setup for sso user in single workspace flow
* fixes
* fix :: CTA loader misaligned
* fix :: sso login single workspace
* fix
* fix :: role check db
* fix :: role check DB
* fix :: setting fallback screen for organizational invite
* feat :: org signup
* fix :: loading states bug
* fix :: loading bug
* fixes
* added password length validation
* fixes
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* fix: sub path for static asset serve (#4668)
* Bugfix :: Sort event fired on sort removal (#4542)
* onsort applied on sort removal
* bugcheck
* removing unused toast
* Feature :: Table image column type addition (#4547)
* feat :: adding column type image
* feat :: adding image fit property
* Fix :: Closing of textarea ontype Table widget (#4549)
* fix :: closing of textarea ontype
* fix :: bug not able to clear value
* bug fixed : generate file in text is not supported (#4346)
* add eslintignore for frontend (#4669)
* [cypress] Fix failing manage SSO spec in single workspace #4390 (#4509)
* added [data-cy=login-page-logo] also removed one dropdown of same name
* Revert command.js
* call loginpagelogo
* Fixed toast test case
* updated text
* remove timer
* revert linting
* Github text fixed
* Replaced the woocommerce connection screenshot from dark to light one (#4654)
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
* gifs for Keyboard Shortcuts Added (#4643)
* Fix. Image to button group docs (#4630) (#4631)
* Add. Image to button group docs (#4630)
* Update docs/docs/widgets/button-group.md
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
* [added] Translated global strings in french #4169 (#4232)
* [added] Translated global strings in french
Added global strings translated to French language , Issue: #4169
* [localization ] Fixed the Proposed Changes in French Translation
* [localization ] Fixed the Remaining Proposed Changes in French Translation v2
* Update selectHost
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
* [localization] issue-4188 added spanish keys for card app (#4229)
* issue-4188 added spanish keys for card app
* IT-4188 fixed PR
* Improve toast message shortcut on component deletion (#4513)
* Improve toast message shortcut
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* feat: Add DTO for organization create (#4651)
* feat: Add DTO for organization create
* chore: fix eslint error
* chore: eslint ...
* Fixed failing manage SSO spec in multi workspace (#4658)
* Fixed failing manage SSO spec in multi workspace
* github to gitHib
* persist data without saving the query (#4649)
* Fixed failing dashboard specs (#4667)
* Add and modify data-cy
* Fix failing manage users spec in multiworkspace
* Fix failing user permission spec in multi workspace
* Fix failing dashboard spec
* Fix failing manage group spec
* Fix failing manage users spec in single workspace
* Fix failing user permission spec in single workspace
* indentation changes
* Remove wait
* [Marketplace] AWS S3 (#4670)
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* marketplace: s3
* rename operations file to query_operations
* fix: crash on click of existing plugin
* remove unused console
* adds missing async await
* add isoptional for repo
* plugin card ui style fixes
* update plugin name
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
* fix: Added a modal with warning message on disabling password (#4552)
* Copy to clipboard (#4588)
* Update EventManager.jsx
* Update EventManager.jsx
* Update EventManager.jsx
* fix :: adding sso configs based on org id
* loader and password check
* multiworkspace invite flow updated
* restrict only active users
* fix
* added error message for password length check
* fix :: password trim
* fix :: all happy flows tested , single and multi exept sso
* fix: message on invalid password
* revert: package-lock.json file
* feat :: changing ui for user present for org invite in multi workspace
* fix :: remove password check for existing user multiworkspace
* fix :: added fallback
* fix :: typo
* fix :: adding checks
* fix
* feat :: for single workspace user logged in directly
* fix :: code meaning fix
* fix
* fixes
* fix
* fix
* fix
* fix :: sso fix and bug updates
* fix :: json resolution for only single workspace
* token :: app level
* fix
* fix
* fixes
* fix
* ui fixes , removed loading and added checks
* showing sso options
* fix :: back to
* fix single workspace
* adding sso check ui
* sso single workspace fix
* code refactoring
* fix :: bugfix on click enter submit in signup and signin
* qa fix :: typo
* fix for sending welcome email on invite
* bug fixes
* fix
* qa bug fixes and translations
* switch workspace fixes
* fix :: company name taking empty spaces
* adding some more translations
* making all screens center aligned
* fix :: login page not loading
* fix :: singup conditional
* fixes
* typo fix
* fix :: for diabled cases of sso , password login , disabled signup
* fix
* fix :: added max input length for workspace name
* fix
* fix :: missing validation on edit email
* fix :: all screens vertically aligned
* fix :: alignment link expiry screen
* fix
* fix :: styling terms and condition
* fix :: for redirect url loginto workspace fixed according to new design
* typo
* feat :: removed onboarding modal , redundant
* typo fix
* fix
* name is now mandatory for sign up
* fix for password retry count not updating
* showing onboarding questions for sign up users
* fix :: spaces in password in diff screens
* fix :: darkmode initial
* fix for accept organization invite success message
* fix :: dark mode
* fix :: dark mode
* feat :: updating all dark mode images
* bugfix img
* bugfix ::img
* dark mode :: improvements
* single workspace signup fix
* updating images
* stylefix
* self review :: bugfixes
* sign up page fix
* fix for asking password for single ws activation
* or separator fix for signup page
* fix
* feat :: updating cta images
* fix :: loader bugs
* hiding sso options in org invite, sign in via sso
* fix :: dark mode img
* bugfixes :: cta changed
* Fix :: onboarding styles fixes (#4773)
* fix: styling in authWrappers
* cleanup
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* fix :: conflicting styles
* fix :: loaders , and added header to link expired screen , style fixes
* fix :: mobile onboarding btn
* fix :: loading onboarding completion
* fix :: subpath not taking img path
* fix :: path
* fix :: removing trailing img / for subpath
* fix :: cta img
* fix :: remove scrollbar
* last name as undefined in comments
* fixed loading bug and cursor of company input onboard form
* comments fixes
* fix :: removing verify email screen on org invite
* comments fix
* fix :: no login methods
* fix :: bug in expired org invite verification link
* fix :: edge case name being empty when user types multiple spaces
* fix :: comments breaking
* fix :: notification breaking
* fix :: user groups table lastname
* fix for sso redirection
* fix :: empty first and last name during org invite
* bug fixed :On updating any permissions under permission tab, currentTab switches to app tab (#4734)
* fix: popout editor closing for tables (#4674)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added default value for backgroundColor In NumberInput (#4378)
* fix: added background styles for number input
* fix: removed additional f from the background color property
* fix: added backgroundColor property from styles
* fixes: default bg color for dark mode
Co-authored-by: arpitnath <arpitnath42@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added the hover effects on datasources (#4303)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added Background Color to Text Input (#4194)
* Added Background Color to Text Input
* Added Default Value for Background Color
* added default value and make background of text input consistent with the dark theme
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* feat: Add update version button on installable plugin (#4766)
* feat: Add update version button on installable plugin
* use id from update method
* removes redundant check
* use plugin id for fetching files from s3
* fetch latest plugins once updated
* disable update and remove buttons while update in progress
* replace href with link-span cx + send body in patch request
* fix: Dark mode on table's `Striped` and `Striped & Bordered` table type mode (#4611)
* [ Hotfix ] :: Hard to resize table columns (#4438)
* fix :: hard to resize , scrollbar should not be visible
* fix :: resizer not working in pewview
* Enhancement : [RangeSlider widget] Bind onChange event (#4192)
* add onChange event and its handler
* add handler for slider change as well
* fix lint
* added onChange fire event when slider value is changed
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
* Added data-cy for table widget elements (#4792)
* Add data-cy to tooltip label
* Add data-cy to table filter pop-over
* Add data-cy to table elements
* Add review changes
* [docs] Widget updates (#4793)
* widget updates
* minor update
* Update README.md (#4784)
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Fixed grammatical errors in localization doc (#4800)
* [docs] widget property updates (#4806)
* fixes
* added resend invite API
* Onboarding revamp test cases (#4770)
* fix: test cases for oauth
* fix: app controller test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: single workspace test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* add: test cases for sso
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: linting in files
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: test cases for oauth
* fix: linting in files
* rebase: from feature/onboarding-revamp
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* feat :: api update resend invite
* loading state resend mail
* adding loading state
* checkpoints shown only till tablet
* fix: failing test cases for sso
* pr:: changes changed all imports and removed unwanted fragments
* pr changes
* fix :: naming images
* fix :: style organized for onboarding
* fix for user seed issue
* removing unwanted styles
* Setting darkmode from props :: onboarding (#4885)
* passing darkmode as props to components
* error toast
* Review comment :: rename env variable
* Pr :: changes , code cleanup onborading form
* develop merge
* pr changes ::form splitted to components
* password warning added
* chore :: lint folder renaming
* review comments
* fixes
* fix for test cases failure
* changes :: removed empty divs
* cleanup
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Muhsin Shah <muhsinshah21@gmail.com>
Co-authored-by: gsmithun4 <gsmithun4@gmail.com>
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
Co-authored-by: Manish Kushare <kushare.manish9@gmail.com>
Co-authored-by: Akshay <akshaysasidharan93@gmail.com>
Co-authored-by: alammoiz <moixalam@gmail.com>
Co-authored-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Akhilesh Kumar Mishra <79476272+iamakhileshmishra@users.noreply.github.com>
Co-authored-by: Hemanth Kumar <49117799+Hemanthhari2000@users.noreply.github.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: akk312000 <akk312000@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Jose Morales <jmoralesmnz@gmail.com>
Co-authored-by: 3t8 <62209650+3t8@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
Co-authored-by: Santosh Bhandari <bsantosh909@gmail.com>
Co-authored-by: Arpit <arpitnath42@gmail.com>
Co-authored-by: Ajith KV <ajith.jaban@gmail.com>
Co-authored-by: Akarsh Jain <72064462+akarsh-jain-790@users.noreply.github.com>
Co-authored-by: Utsav Paul <91927689+Smartmind12@users.noreply.github.com>
Co-authored-by: Vijaykant Yadav <vjaris42@Vijaykants-MacBook-Pro.local>
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
Co-authored-by: geisterfurz007 <geisterfurz007@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
Co-authored-by: Abhushan Gautam <carefreeav09@gmail.com>
Co-authored-by: Syed Ansar <82027712+Syed-Ansar@users.noreply.github.com>
Co-authored-by: Rahul Sunil <rahulsunil2@gmail.com>
Co-authored-by: Srisuma Atluri <40341173+Srisuma13@users.noreply.github.com>
Co-authored-by: Midhun Kumar E <midhun752@gmail.com>
Co-authored-by: Navaneeth Pk <navaneeth@tooljet.io>
Co-authored-by: Akasshhg <91525166+gogoiakash2311@users.noreply.github.com>
2022-12-08 07:54:31 +00:00
|
|
|
.send({ email: 'admin@tooljet.io', password: 'psswrd' })
|
2022-06-29 19:19:45 +00:00
|
|
|
.expect(401);
|
|
|
|
|
|
|
|
|
|
const invalidCredentialResp = await request(app.getHttpServer())
|
|
|
|
|
.post('/api/authenticate')
|
Feature :: Onboarding revamp (#4044)
* typo
* password length check , ui fixes
* fixing typos
* fixing navbar ui
* updated icon , changed history to Link
* fix :: repopulating data
* fix :: key added for non sso logins
* ui improvements , added loading states , bugfixes
* changing folder names
* fix :: removing scroll and fixing to 100%
* fix :: all spell mistakes corrected
* fix :: bug on password show/hide
* fix :: bug in button animation state
* fix :: added loader states for all onboarding buttons
* fix :: imports
* feat :: centering ui for signup and login pages
* bugfixes :: minor
* feat :: added mediaquery for mobile screens
* fix :: typo spell check
* PR changes
- instance configs
- reused jwt payload
* fix :: loading bugfix
* feat :: added loader for verification sucess screen
* styles :: loader
* fix :: typo corrections
* fix :: image path
* fix :: darmode & enter press in onboard
* Fixed organization name issue
* fix :: keystroke not taken initially
* fix :: trim company name
* fix :: setting autocomplete to off
* removing redirectsso and confirmation page as its unused now
* few ui corrections , laoding states
* Fixed organization login sso issue
* Add db transaction wrap
* refactoring the code
* flow changes
* Added db tranxn wrap to auth services
* adding accept invite screen
* added verify organization token route
* fixes
* adding disable_multiworkspace to default config
* cleanup
* intermediate commit :: revamping organization page , api integration
* fixes
* feat :: organization token send in invite from org account setup
* fix :: making orgtoken conditional and ui changes / functional updates organization invte
* removed unwanted code
* fix :: login/account setup for sso user in single workspace flow
* fixes
* fix :: CTA loader misaligned
* fix :: sso login single workspace
* fix
* fix :: role check db
* fix :: role check DB
* fix :: setting fallback screen for organizational invite
* feat :: org signup
* fix :: loading states bug
* fix :: loading bug
* fixes
* added password length validation
* fixes
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* fix: sub path for static asset serve (#4668)
* Bugfix :: Sort event fired on sort removal (#4542)
* onsort applied on sort removal
* bugcheck
* removing unused toast
* Feature :: Table image column type addition (#4547)
* feat :: adding column type image
* feat :: adding image fit property
* Fix :: Closing of textarea ontype Table widget (#4549)
* fix :: closing of textarea ontype
* fix :: bug not able to clear value
* bug fixed : generate file in text is not supported (#4346)
* add eslintignore for frontend (#4669)
* [cypress] Fix failing manage SSO spec in single workspace #4390 (#4509)
* added [data-cy=login-page-logo] also removed one dropdown of same name
* Revert command.js
* call loginpagelogo
* Fixed toast test case
* updated text
* remove timer
* revert linting
* Github text fixed
* Replaced the woocommerce connection screenshot from dark to light one (#4654)
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
* gifs for Keyboard Shortcuts Added (#4643)
* Fix. Image to button group docs (#4630) (#4631)
* Add. Image to button group docs (#4630)
* Update docs/docs/widgets/button-group.md
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
* [added] Translated global strings in french #4169 (#4232)
* [added] Translated global strings in french
Added global strings translated to French language , Issue: #4169
* [localization ] Fixed the Proposed Changes in French Translation
* [localization ] Fixed the Remaining Proposed Changes in French Translation v2
* Update selectHost
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
* [localization] issue-4188 added spanish keys for card app (#4229)
* issue-4188 added spanish keys for card app
* IT-4188 fixed PR
* Improve toast message shortcut on component deletion (#4513)
* Improve toast message shortcut
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* feat: Add DTO for organization create (#4651)
* feat: Add DTO for organization create
* chore: fix eslint error
* chore: eslint ...
* Fixed failing manage SSO spec in multi workspace (#4658)
* Fixed failing manage SSO spec in multi workspace
* github to gitHib
* persist data without saving the query (#4649)
* Fixed failing dashboard specs (#4667)
* Add and modify data-cy
* Fix failing manage users spec in multiworkspace
* Fix failing user permission spec in multi workspace
* Fix failing dashboard spec
* Fix failing manage group spec
* Fix failing manage users spec in single workspace
* Fix failing user permission spec in single workspace
* indentation changes
* Remove wait
* [Marketplace] AWS S3 (#4670)
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* marketplace: s3
* rename operations file to query_operations
* fix: crash on click of existing plugin
* remove unused console
* adds missing async await
* add isoptional for repo
* plugin card ui style fixes
* update plugin name
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
* fix: Added a modal with warning message on disabling password (#4552)
* Copy to clipboard (#4588)
* Update EventManager.jsx
* Update EventManager.jsx
* Update EventManager.jsx
* fix :: adding sso configs based on org id
* loader and password check
* multiworkspace invite flow updated
* restrict only active users
* fix
* added error message for password length check
* fix :: password trim
* fix :: all happy flows tested , single and multi exept sso
* fix: message on invalid password
* revert: package-lock.json file
* feat :: changing ui for user present for org invite in multi workspace
* fix :: remove password check for existing user multiworkspace
* fix :: added fallback
* fix :: typo
* fix :: adding checks
* fix
* feat :: for single workspace user logged in directly
* fix :: code meaning fix
* fix
* fixes
* fix
* fix
* fix
* fix :: sso fix and bug updates
* fix :: json resolution for only single workspace
* token :: app level
* fix
* fix
* fixes
* fix
* ui fixes , removed loading and added checks
* showing sso options
* fix :: back to
* fix single workspace
* adding sso check ui
* sso single workspace fix
* code refactoring
* fix :: bugfix on click enter submit in signup and signin
* qa fix :: typo
* fix for sending welcome email on invite
* bug fixes
* fix
* qa bug fixes and translations
* switch workspace fixes
* fix :: company name taking empty spaces
* adding some more translations
* making all screens center aligned
* fix :: login page not loading
* fix :: singup conditional
* fixes
* typo fix
* fix :: for diabled cases of sso , password login , disabled signup
* fix
* fix :: added max input length for workspace name
* fix
* fix :: missing validation on edit email
* fix :: all screens vertically aligned
* fix :: alignment link expiry screen
* fix
* fix :: styling terms and condition
* fix :: for redirect url loginto workspace fixed according to new design
* typo
* feat :: removed onboarding modal , redundant
* typo fix
* fix
* name is now mandatory for sign up
* fix for password retry count not updating
* showing onboarding questions for sign up users
* fix :: spaces in password in diff screens
* fix :: darkmode initial
* fix for accept organization invite success message
* fix :: dark mode
* fix :: dark mode
* feat :: updating all dark mode images
* bugfix img
* bugfix ::img
* dark mode :: improvements
* single workspace signup fix
* updating images
* stylefix
* self review :: bugfixes
* sign up page fix
* fix for asking password for single ws activation
* or separator fix for signup page
* fix
* feat :: updating cta images
* fix :: loader bugs
* hiding sso options in org invite, sign in via sso
* fix :: dark mode img
* bugfixes :: cta changed
* Fix :: onboarding styles fixes (#4773)
* fix: styling in authWrappers
* cleanup
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* fix :: conflicting styles
* fix :: loaders , and added header to link expired screen , style fixes
* fix :: mobile onboarding btn
* fix :: loading onboarding completion
* fix :: subpath not taking img path
* fix :: path
* fix :: removing trailing img / for subpath
* fix :: cta img
* fix :: remove scrollbar
* last name as undefined in comments
* fixed loading bug and cursor of company input onboard form
* comments fixes
* fix :: removing verify email screen on org invite
* comments fix
* fix :: no login methods
* fix :: bug in expired org invite verification link
* fix :: edge case name being empty when user types multiple spaces
* fix :: comments breaking
* fix :: notification breaking
* fix :: user groups table lastname
* fix for sso redirection
* fix :: empty first and last name during org invite
* bug fixed :On updating any permissions under permission tab, currentTab switches to app tab (#4734)
* fix: popout editor closing for tables (#4674)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added default value for backgroundColor In NumberInput (#4378)
* fix: added background styles for number input
* fix: removed additional f from the background color property
* fix: added backgroundColor property from styles
* fixes: default bg color for dark mode
Co-authored-by: arpitnath <arpitnath42@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added the hover effects on datasources (#4303)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added Background Color to Text Input (#4194)
* Added Background Color to Text Input
* Added Default Value for Background Color
* added default value and make background of text input consistent with the dark theme
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* feat: Add update version button on installable plugin (#4766)
* feat: Add update version button on installable plugin
* use id from update method
* removes redundant check
* use plugin id for fetching files from s3
* fetch latest plugins once updated
* disable update and remove buttons while update in progress
* replace href with link-span cx + send body in patch request
* fix: Dark mode on table's `Striped` and `Striped & Bordered` table type mode (#4611)
* [ Hotfix ] :: Hard to resize table columns (#4438)
* fix :: hard to resize , scrollbar should not be visible
* fix :: resizer not working in pewview
* Enhancement : [RangeSlider widget] Bind onChange event (#4192)
* add onChange event and its handler
* add handler for slider change as well
* fix lint
* added onChange fire event when slider value is changed
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
* Added data-cy for table widget elements (#4792)
* Add data-cy to tooltip label
* Add data-cy to table filter pop-over
* Add data-cy to table elements
* Add review changes
* [docs] Widget updates (#4793)
* widget updates
* minor update
* Update README.md (#4784)
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Fixed grammatical errors in localization doc (#4800)
* [docs] widget property updates (#4806)
* fixes
* added resend invite API
* Onboarding revamp test cases (#4770)
* fix: test cases for oauth
* fix: app controller test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: single workspace test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* add: test cases for sso
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: linting in files
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: test cases for oauth
* fix: linting in files
* rebase: from feature/onboarding-revamp
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* feat :: api update resend invite
* loading state resend mail
* adding loading state
* checkpoints shown only till tablet
* fix: failing test cases for sso
* pr:: changes changed all imports and removed unwanted fragments
* pr changes
* fix :: naming images
* fix :: style organized for onboarding
* fix for user seed issue
* removing unwanted styles
* Setting darkmode from props :: onboarding (#4885)
* passing darkmode as props to components
* error toast
* Review comment :: rename env variable
* Pr :: changes , code cleanup onborading form
* develop merge
* pr changes ::form splitted to components
* password warning added
* chore :: lint folder renaming
* review comments
* fixes
* fix for test cases failure
* changes :: removed empty divs
* cleanup
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Muhsin Shah <muhsinshah21@gmail.com>
Co-authored-by: gsmithun4 <gsmithun4@gmail.com>
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
Co-authored-by: Manish Kushare <kushare.manish9@gmail.com>
Co-authored-by: Akshay <akshaysasidharan93@gmail.com>
Co-authored-by: alammoiz <moixalam@gmail.com>
Co-authored-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Akhilesh Kumar Mishra <79476272+iamakhileshmishra@users.noreply.github.com>
Co-authored-by: Hemanth Kumar <49117799+Hemanthhari2000@users.noreply.github.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: akk312000 <akk312000@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Jose Morales <jmoralesmnz@gmail.com>
Co-authored-by: 3t8 <62209650+3t8@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
Co-authored-by: Santosh Bhandari <bsantosh909@gmail.com>
Co-authored-by: Arpit <arpitnath42@gmail.com>
Co-authored-by: Ajith KV <ajith.jaban@gmail.com>
Co-authored-by: Akarsh Jain <72064462+akarsh-jain-790@users.noreply.github.com>
Co-authored-by: Utsav Paul <91927689+Smartmind12@users.noreply.github.com>
Co-authored-by: Vijaykant Yadav <vjaris42@Vijaykants-MacBook-Pro.local>
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
Co-authored-by: geisterfurz007 <geisterfurz007@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
Co-authored-by: Abhushan Gautam <carefreeav09@gmail.com>
Co-authored-by: Syed Ansar <82027712+Syed-Ansar@users.noreply.github.com>
Co-authored-by: Rahul Sunil <rahulsunil2@gmail.com>
Co-authored-by: Srisuma Atluri <40341173+Srisuma13@users.noreply.github.com>
Co-authored-by: Midhun Kumar E <midhun752@gmail.com>
Co-authored-by: Navaneeth Pk <navaneeth@tooljet.io>
Co-authored-by: Akasshhg <91525166+gogoiakash2311@users.noreply.github.com>
2022-12-08 07:54:31 +00:00
|
|
|
.send({ email: 'admin@tooljet.io', password: 'psswrd' });
|
2022-06-29 19:19:45 +00:00
|
|
|
|
|
|
|
|
expect(invalidCredentialResp.statusCode).toBe(401);
|
|
|
|
|
expect(invalidCredentialResp.body.message).toBe('Invalid credentials');
|
|
|
|
|
|
|
|
|
|
const response = await request(app.getHttpServer())
|
|
|
|
|
.post('/api/authenticate')
|
Feature :: Onboarding revamp (#4044)
* typo
* password length check , ui fixes
* fixing typos
* fixing navbar ui
* updated icon , changed history to Link
* fix :: repopulating data
* fix :: key added for non sso logins
* ui improvements , added loading states , bugfixes
* changing folder names
* fix :: removing scroll and fixing to 100%
* fix :: all spell mistakes corrected
* fix :: bug on password show/hide
* fix :: bug in button animation state
* fix :: added loader states for all onboarding buttons
* fix :: imports
* feat :: centering ui for signup and login pages
* bugfixes :: minor
* feat :: added mediaquery for mobile screens
* fix :: typo spell check
* PR changes
- instance configs
- reused jwt payload
* fix :: loading bugfix
* feat :: added loader for verification sucess screen
* styles :: loader
* fix :: typo corrections
* fix :: image path
* fix :: darmode & enter press in onboard
* Fixed organization name issue
* fix :: keystroke not taken initially
* fix :: trim company name
* fix :: setting autocomplete to off
* removing redirectsso and confirmation page as its unused now
* few ui corrections , laoding states
* Fixed organization login sso issue
* Add db transaction wrap
* refactoring the code
* flow changes
* Added db tranxn wrap to auth services
* adding accept invite screen
* added verify organization token route
* fixes
* adding disable_multiworkspace to default config
* cleanup
* intermediate commit :: revamping organization page , api integration
* fixes
* feat :: organization token send in invite from org account setup
* fix :: making orgtoken conditional and ui changes / functional updates organization invte
* removed unwanted code
* fix :: login/account setup for sso user in single workspace flow
* fixes
* fix :: CTA loader misaligned
* fix :: sso login single workspace
* fix
* fix :: role check db
* fix :: role check DB
* fix :: setting fallback screen for organizational invite
* feat :: org signup
* fix :: loading states bug
* fix :: loading bug
* fixes
* added password length validation
* fixes
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* fix: sub path for static asset serve (#4668)
* Bugfix :: Sort event fired on sort removal (#4542)
* onsort applied on sort removal
* bugcheck
* removing unused toast
* Feature :: Table image column type addition (#4547)
* feat :: adding column type image
* feat :: adding image fit property
* Fix :: Closing of textarea ontype Table widget (#4549)
* fix :: closing of textarea ontype
* fix :: bug not able to clear value
* bug fixed : generate file in text is not supported (#4346)
* add eslintignore for frontend (#4669)
* [cypress] Fix failing manage SSO spec in single workspace #4390 (#4509)
* added [data-cy=login-page-logo] also removed one dropdown of same name
* Revert command.js
* call loginpagelogo
* Fixed toast test case
* updated text
* remove timer
* revert linting
* Github text fixed
* Replaced the woocommerce connection screenshot from dark to light one (#4654)
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
* gifs for Keyboard Shortcuts Added (#4643)
* Fix. Image to button group docs (#4630) (#4631)
* Add. Image to button group docs (#4630)
* Update docs/docs/widgets/button-group.md
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
* [added] Translated global strings in french #4169 (#4232)
* [added] Translated global strings in french
Added global strings translated to French language , Issue: #4169
* [localization ] Fixed the Proposed Changes in French Translation
* [localization ] Fixed the Remaining Proposed Changes in French Translation v2
* Update selectHost
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
* [localization] issue-4188 added spanish keys for card app (#4229)
* issue-4188 added spanish keys for card app
* IT-4188 fixed PR
* Improve toast message shortcut on component deletion (#4513)
* Improve toast message shortcut
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* feat: Add DTO for organization create (#4651)
* feat: Add DTO for organization create
* chore: fix eslint error
* chore: eslint ...
* Fixed failing manage SSO spec in multi workspace (#4658)
* Fixed failing manage SSO spec in multi workspace
* github to gitHib
* persist data without saving the query (#4649)
* Fixed failing dashboard specs (#4667)
* Add and modify data-cy
* Fix failing manage users spec in multiworkspace
* Fix failing user permission spec in multi workspace
* Fix failing dashboard spec
* Fix failing manage group spec
* Fix failing manage users spec in single workspace
* Fix failing user permission spec in single workspace
* indentation changes
* Remove wait
* [Marketplace] AWS S3 (#4670)
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* marketplace: s3
* rename operations file to query_operations
* fix: crash on click of existing plugin
* remove unused console
* adds missing async await
* add isoptional for repo
* plugin card ui style fixes
* update plugin name
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
* fix: Added a modal with warning message on disabling password (#4552)
* Copy to clipboard (#4588)
* Update EventManager.jsx
* Update EventManager.jsx
* Update EventManager.jsx
* fix :: adding sso configs based on org id
* loader and password check
* multiworkspace invite flow updated
* restrict only active users
* fix
* added error message for password length check
* fix :: password trim
* fix :: all happy flows tested , single and multi exept sso
* fix: message on invalid password
* revert: package-lock.json file
* feat :: changing ui for user present for org invite in multi workspace
* fix :: remove password check for existing user multiworkspace
* fix :: added fallback
* fix :: typo
* fix :: adding checks
* fix
* feat :: for single workspace user logged in directly
* fix :: code meaning fix
* fix
* fixes
* fix
* fix
* fix
* fix :: sso fix and bug updates
* fix :: json resolution for only single workspace
* token :: app level
* fix
* fix
* fixes
* fix
* ui fixes , removed loading and added checks
* showing sso options
* fix :: back to
* fix single workspace
* adding sso check ui
* sso single workspace fix
* code refactoring
* fix :: bugfix on click enter submit in signup and signin
* qa fix :: typo
* fix for sending welcome email on invite
* bug fixes
* fix
* qa bug fixes and translations
* switch workspace fixes
* fix :: company name taking empty spaces
* adding some more translations
* making all screens center aligned
* fix :: login page not loading
* fix :: singup conditional
* fixes
* typo fix
* fix :: for diabled cases of sso , password login , disabled signup
* fix
* fix :: added max input length for workspace name
* fix
* fix :: missing validation on edit email
* fix :: all screens vertically aligned
* fix :: alignment link expiry screen
* fix
* fix :: styling terms and condition
* fix :: for redirect url loginto workspace fixed according to new design
* typo
* feat :: removed onboarding modal , redundant
* typo fix
* fix
* name is now mandatory for sign up
* fix for password retry count not updating
* showing onboarding questions for sign up users
* fix :: spaces in password in diff screens
* fix :: darkmode initial
* fix for accept organization invite success message
* fix :: dark mode
* fix :: dark mode
* feat :: updating all dark mode images
* bugfix img
* bugfix ::img
* dark mode :: improvements
* single workspace signup fix
* updating images
* stylefix
* self review :: bugfixes
* sign up page fix
* fix for asking password for single ws activation
* or separator fix for signup page
* fix
* feat :: updating cta images
* fix :: loader bugs
* hiding sso options in org invite, sign in via sso
* fix :: dark mode img
* bugfixes :: cta changed
* Fix :: onboarding styles fixes (#4773)
* fix: styling in authWrappers
* cleanup
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* fix :: conflicting styles
* fix :: loaders , and added header to link expired screen , style fixes
* fix :: mobile onboarding btn
* fix :: loading onboarding completion
* fix :: subpath not taking img path
* fix :: path
* fix :: removing trailing img / for subpath
* fix :: cta img
* fix :: remove scrollbar
* last name as undefined in comments
* fixed loading bug and cursor of company input onboard form
* comments fixes
* fix :: removing verify email screen on org invite
* comments fix
* fix :: no login methods
* fix :: bug in expired org invite verification link
* fix :: edge case name being empty when user types multiple spaces
* fix :: comments breaking
* fix :: notification breaking
* fix :: user groups table lastname
* fix for sso redirection
* fix :: empty first and last name during org invite
* bug fixed :On updating any permissions under permission tab, currentTab switches to app tab (#4734)
* fix: popout editor closing for tables (#4674)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added default value for backgroundColor In NumberInput (#4378)
* fix: added background styles for number input
* fix: removed additional f from the background color property
* fix: added backgroundColor property from styles
* fixes: default bg color for dark mode
Co-authored-by: arpitnath <arpitnath42@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added the hover effects on datasources (#4303)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added Background Color to Text Input (#4194)
* Added Background Color to Text Input
* Added Default Value for Background Color
* added default value and make background of text input consistent with the dark theme
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* feat: Add update version button on installable plugin (#4766)
* feat: Add update version button on installable plugin
* use id from update method
* removes redundant check
* use plugin id for fetching files from s3
* fetch latest plugins once updated
* disable update and remove buttons while update in progress
* replace href with link-span cx + send body in patch request
* fix: Dark mode on table's `Striped` and `Striped & Bordered` table type mode (#4611)
* [ Hotfix ] :: Hard to resize table columns (#4438)
* fix :: hard to resize , scrollbar should not be visible
* fix :: resizer not working in pewview
* Enhancement : [RangeSlider widget] Bind onChange event (#4192)
* add onChange event and its handler
* add handler for slider change as well
* fix lint
* added onChange fire event when slider value is changed
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
* Added data-cy for table widget elements (#4792)
* Add data-cy to tooltip label
* Add data-cy to table filter pop-over
* Add data-cy to table elements
* Add review changes
* [docs] Widget updates (#4793)
* widget updates
* minor update
* Update README.md (#4784)
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Fixed grammatical errors in localization doc (#4800)
* [docs] widget property updates (#4806)
* fixes
* added resend invite API
* Onboarding revamp test cases (#4770)
* fix: test cases for oauth
* fix: app controller test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: single workspace test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* add: test cases for sso
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: linting in files
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: test cases for oauth
* fix: linting in files
* rebase: from feature/onboarding-revamp
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* feat :: api update resend invite
* loading state resend mail
* adding loading state
* checkpoints shown only till tablet
* fix: failing test cases for sso
* pr:: changes changed all imports and removed unwanted fragments
* pr changes
* fix :: naming images
* fix :: style organized for onboarding
* fix for user seed issue
* removing unwanted styles
* Setting darkmode from props :: onboarding (#4885)
* passing darkmode as props to components
* error toast
* Review comment :: rename env variable
* Pr :: changes , code cleanup onborading form
* develop merge
* pr changes ::form splitted to components
* password warning added
* chore :: lint folder renaming
* review comments
* fixes
* fix for test cases failure
* changes :: removed empty divs
* cleanup
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Muhsin Shah <muhsinshah21@gmail.com>
Co-authored-by: gsmithun4 <gsmithun4@gmail.com>
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
Co-authored-by: Manish Kushare <kushare.manish9@gmail.com>
Co-authored-by: Akshay <akshaysasidharan93@gmail.com>
Co-authored-by: alammoiz <moixalam@gmail.com>
Co-authored-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Akhilesh Kumar Mishra <79476272+iamakhileshmishra@users.noreply.github.com>
Co-authored-by: Hemanth Kumar <49117799+Hemanthhari2000@users.noreply.github.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: akk312000 <akk312000@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Jose Morales <jmoralesmnz@gmail.com>
Co-authored-by: 3t8 <62209650+3t8@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
Co-authored-by: Santosh Bhandari <bsantosh909@gmail.com>
Co-authored-by: Arpit <arpitnath42@gmail.com>
Co-authored-by: Ajith KV <ajith.jaban@gmail.com>
Co-authored-by: Akarsh Jain <72064462+akarsh-jain-790@users.noreply.github.com>
Co-authored-by: Utsav Paul <91927689+Smartmind12@users.noreply.github.com>
Co-authored-by: Vijaykant Yadav <vjaris42@Vijaykants-MacBook-Pro.local>
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
Co-authored-by: geisterfurz007 <geisterfurz007@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
Co-authored-by: Abhushan Gautam <carefreeav09@gmail.com>
Co-authored-by: Syed Ansar <82027712+Syed-Ansar@users.noreply.github.com>
Co-authored-by: Rahul Sunil <rahulsunil2@gmail.com>
Co-authored-by: Srisuma Atluri <40341173+Srisuma13@users.noreply.github.com>
Co-authored-by: Midhun Kumar E <midhun752@gmail.com>
Co-authored-by: Navaneeth Pk <navaneeth@tooljet.io>
Co-authored-by: Akasshhg <91525166+gogoiakash2311@users.noreply.github.com>
2022-12-08 07:54:31 +00:00
|
|
|
.send({ email: 'admin@tooljet.io', password: 'psswrd' });
|
2022-06-29 19:19:45 +00:00
|
|
|
|
|
|
|
|
expect(response.statusCode).toBe(401);
|
|
|
|
|
expect(response.body.message).toBe(
|
Feature :: Onboarding revamp (#4044)
* typo
* password length check , ui fixes
* fixing typos
* fixing navbar ui
* updated icon , changed history to Link
* fix :: repopulating data
* fix :: key added for non sso logins
* ui improvements , added loading states , bugfixes
* changing folder names
* fix :: removing scroll and fixing to 100%
* fix :: all spell mistakes corrected
* fix :: bug on password show/hide
* fix :: bug in button animation state
* fix :: added loader states for all onboarding buttons
* fix :: imports
* feat :: centering ui for signup and login pages
* bugfixes :: minor
* feat :: added mediaquery for mobile screens
* fix :: typo spell check
* PR changes
- instance configs
- reused jwt payload
* fix :: loading bugfix
* feat :: added loader for verification sucess screen
* styles :: loader
* fix :: typo corrections
* fix :: image path
* fix :: darmode & enter press in onboard
* Fixed organization name issue
* fix :: keystroke not taken initially
* fix :: trim company name
* fix :: setting autocomplete to off
* removing redirectsso and confirmation page as its unused now
* few ui corrections , laoding states
* Fixed organization login sso issue
* Add db transaction wrap
* refactoring the code
* flow changes
* Added db tranxn wrap to auth services
* adding accept invite screen
* added verify organization token route
* fixes
* adding disable_multiworkspace to default config
* cleanup
* intermediate commit :: revamping organization page , api integration
* fixes
* feat :: organization token send in invite from org account setup
* fix :: making orgtoken conditional and ui changes / functional updates organization invte
* removed unwanted code
* fix :: login/account setup for sso user in single workspace flow
* fixes
* fix :: CTA loader misaligned
* fix :: sso login single workspace
* fix
* fix :: role check db
* fix :: role check DB
* fix :: setting fallback screen for organizational invite
* feat :: org signup
* fix :: loading states bug
* fix :: loading bug
* fixes
* added password length validation
* fixes
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* fix: sub path for static asset serve (#4668)
* Bugfix :: Sort event fired on sort removal (#4542)
* onsort applied on sort removal
* bugcheck
* removing unused toast
* Feature :: Table image column type addition (#4547)
* feat :: adding column type image
* feat :: adding image fit property
* Fix :: Closing of textarea ontype Table widget (#4549)
* fix :: closing of textarea ontype
* fix :: bug not able to clear value
* bug fixed : generate file in text is not supported (#4346)
* add eslintignore for frontend (#4669)
* [cypress] Fix failing manage SSO spec in single workspace #4390 (#4509)
* added [data-cy=login-page-logo] also removed one dropdown of same name
* Revert command.js
* call loginpagelogo
* Fixed toast test case
* updated text
* remove timer
* revert linting
* Github text fixed
* Replaced the woocommerce connection screenshot from dark to light one (#4654)
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
* gifs for Keyboard Shortcuts Added (#4643)
* Fix. Image to button group docs (#4630) (#4631)
* Add. Image to button group docs (#4630)
* Update docs/docs/widgets/button-group.md
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
* [added] Translated global strings in french #4169 (#4232)
* [added] Translated global strings in french
Added global strings translated to French language , Issue: #4169
* [localization ] Fixed the Proposed Changes in French Translation
* [localization ] Fixed the Remaining Proposed Changes in French Translation v2
* Update selectHost
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
* [localization] issue-4188 added spanish keys for card app (#4229)
* issue-4188 added spanish keys for card app
* IT-4188 fixed PR
* Improve toast message shortcut on component deletion (#4513)
* Improve toast message shortcut
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* feat: Add DTO for organization create (#4651)
* feat: Add DTO for organization create
* chore: fix eslint error
* chore: eslint ...
* Fixed failing manage SSO spec in multi workspace (#4658)
* Fixed failing manage SSO spec in multi workspace
* github to gitHib
* persist data without saving the query (#4649)
* Fixed failing dashboard specs (#4667)
* Add and modify data-cy
* Fix failing manage users spec in multiworkspace
* Fix failing user permission spec in multi workspace
* Fix failing dashboard spec
* Fix failing manage group spec
* Fix failing manage users spec in single workspace
* Fix failing user permission spec in single workspace
* indentation changes
* Remove wait
* [Marketplace] AWS S3 (#4670)
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* marketplace: s3
* rename operations file to query_operations
* fix: crash on click of existing plugin
* remove unused console
* adds missing async await
* add isoptional for repo
* plugin card ui style fixes
* update plugin name
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
* fix: Added a modal with warning message on disabling password (#4552)
* Copy to clipboard (#4588)
* Update EventManager.jsx
* Update EventManager.jsx
* Update EventManager.jsx
* fix :: adding sso configs based on org id
* loader and password check
* multiworkspace invite flow updated
* restrict only active users
* fix
* added error message for password length check
* fix :: password trim
* fix :: all happy flows tested , single and multi exept sso
* fix: message on invalid password
* revert: package-lock.json file
* feat :: changing ui for user present for org invite in multi workspace
* fix :: remove password check for existing user multiworkspace
* fix :: added fallback
* fix :: typo
* fix :: adding checks
* fix
* feat :: for single workspace user logged in directly
* fix :: code meaning fix
* fix
* fixes
* fix
* fix
* fix
* fix :: sso fix and bug updates
* fix :: json resolution for only single workspace
* token :: app level
* fix
* fix
* fixes
* fix
* ui fixes , removed loading and added checks
* showing sso options
* fix :: back to
* fix single workspace
* adding sso check ui
* sso single workspace fix
* code refactoring
* fix :: bugfix on click enter submit in signup and signin
* qa fix :: typo
* fix for sending welcome email on invite
* bug fixes
* fix
* qa bug fixes and translations
* switch workspace fixes
* fix :: company name taking empty spaces
* adding some more translations
* making all screens center aligned
* fix :: login page not loading
* fix :: singup conditional
* fixes
* typo fix
* fix :: for diabled cases of sso , password login , disabled signup
* fix
* fix :: added max input length for workspace name
* fix
* fix :: missing validation on edit email
* fix :: all screens vertically aligned
* fix :: alignment link expiry screen
* fix
* fix :: styling terms and condition
* fix :: for redirect url loginto workspace fixed according to new design
* typo
* feat :: removed onboarding modal , redundant
* typo fix
* fix
* name is now mandatory for sign up
* fix for password retry count not updating
* showing onboarding questions for sign up users
* fix :: spaces in password in diff screens
* fix :: darkmode initial
* fix for accept organization invite success message
* fix :: dark mode
* fix :: dark mode
* feat :: updating all dark mode images
* bugfix img
* bugfix ::img
* dark mode :: improvements
* single workspace signup fix
* updating images
* stylefix
* self review :: bugfixes
* sign up page fix
* fix for asking password for single ws activation
* or separator fix for signup page
* fix
* feat :: updating cta images
* fix :: loader bugs
* hiding sso options in org invite, sign in via sso
* fix :: dark mode img
* bugfixes :: cta changed
* Fix :: onboarding styles fixes (#4773)
* fix: styling in authWrappers
* cleanup
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* fix :: conflicting styles
* fix :: loaders , and added header to link expired screen , style fixes
* fix :: mobile onboarding btn
* fix :: loading onboarding completion
* fix :: subpath not taking img path
* fix :: path
* fix :: removing trailing img / for subpath
* fix :: cta img
* fix :: remove scrollbar
* last name as undefined in comments
* fixed loading bug and cursor of company input onboard form
* comments fixes
* fix :: removing verify email screen on org invite
* comments fix
* fix :: no login methods
* fix :: bug in expired org invite verification link
* fix :: edge case name being empty when user types multiple spaces
* fix :: comments breaking
* fix :: notification breaking
* fix :: user groups table lastname
* fix for sso redirection
* fix :: empty first and last name during org invite
* bug fixed :On updating any permissions under permission tab, currentTab switches to app tab (#4734)
* fix: popout editor closing for tables (#4674)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added default value for backgroundColor In NumberInput (#4378)
* fix: added background styles for number input
* fix: removed additional f from the background color property
* fix: added backgroundColor property from styles
* fixes: default bg color for dark mode
Co-authored-by: arpitnath <arpitnath42@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added the hover effects on datasources (#4303)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added Background Color to Text Input (#4194)
* Added Background Color to Text Input
* Added Default Value for Background Color
* added default value and make background of text input consistent with the dark theme
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* feat: Add update version button on installable plugin (#4766)
* feat: Add update version button on installable plugin
* use id from update method
* removes redundant check
* use plugin id for fetching files from s3
* fetch latest plugins once updated
* disable update and remove buttons while update in progress
* replace href with link-span cx + send body in patch request
* fix: Dark mode on table's `Striped` and `Striped & Bordered` table type mode (#4611)
* [ Hotfix ] :: Hard to resize table columns (#4438)
* fix :: hard to resize , scrollbar should not be visible
* fix :: resizer not working in pewview
* Enhancement : [RangeSlider widget] Bind onChange event (#4192)
* add onChange event and its handler
* add handler for slider change as well
* fix lint
* added onChange fire event when slider value is changed
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
* Added data-cy for table widget elements (#4792)
* Add data-cy to tooltip label
* Add data-cy to table filter pop-over
* Add data-cy to table elements
* Add review changes
* [docs] Widget updates (#4793)
* widget updates
* minor update
* Update README.md (#4784)
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Fixed grammatical errors in localization doc (#4800)
* [docs] widget property updates (#4806)
* fixes
* added resend invite API
* Onboarding revamp test cases (#4770)
* fix: test cases for oauth
* fix: app controller test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: single workspace test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* add: test cases for sso
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: linting in files
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: test cases for oauth
* fix: linting in files
* rebase: from feature/onboarding-revamp
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* feat :: api update resend invite
* loading state resend mail
* adding loading state
* checkpoints shown only till tablet
* fix: failing test cases for sso
* pr:: changes changed all imports and removed unwanted fragments
* pr changes
* fix :: naming images
* fix :: style organized for onboarding
* fix for user seed issue
* removing unwanted styles
* Setting darkmode from props :: onboarding (#4885)
* passing darkmode as props to components
* error toast
* Review comment :: rename env variable
* Pr :: changes , code cleanup onborading form
* develop merge
* pr changes ::form splitted to components
* password warning added
* chore :: lint folder renaming
* review comments
* fixes
* fix for test cases failure
* changes :: removed empty divs
* cleanup
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Muhsin Shah <muhsinshah21@gmail.com>
Co-authored-by: gsmithun4 <gsmithun4@gmail.com>
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
Co-authored-by: Manish Kushare <kushare.manish9@gmail.com>
Co-authored-by: Akshay <akshaysasidharan93@gmail.com>
Co-authored-by: alammoiz <moixalam@gmail.com>
Co-authored-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Akhilesh Kumar Mishra <79476272+iamakhileshmishra@users.noreply.github.com>
Co-authored-by: Hemanth Kumar <49117799+Hemanthhari2000@users.noreply.github.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: akk312000 <akk312000@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Jose Morales <jmoralesmnz@gmail.com>
Co-authored-by: 3t8 <62209650+3t8@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
Co-authored-by: Santosh Bhandari <bsantosh909@gmail.com>
Co-authored-by: Arpit <arpitnath42@gmail.com>
Co-authored-by: Ajith KV <ajith.jaban@gmail.com>
Co-authored-by: Akarsh Jain <72064462+akarsh-jain-790@users.noreply.github.com>
Co-authored-by: Utsav Paul <91927689+Smartmind12@users.noreply.github.com>
Co-authored-by: Vijaykant Yadav <vjaris42@Vijaykants-MacBook-Pro.local>
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
Co-authored-by: geisterfurz007 <geisterfurz007@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
Co-authored-by: Abhushan Gautam <carefreeav09@gmail.com>
Co-authored-by: Syed Ansar <82027712+Syed-Ansar@users.noreply.github.com>
Co-authored-by: Rahul Sunil <rahulsunil2@gmail.com>
Co-authored-by: Srisuma Atluri <40341173+Srisuma13@users.noreply.github.com>
Co-authored-by: Midhun Kumar E <midhun752@gmail.com>
Co-authored-by: Navaneeth Pk <navaneeth@tooljet.io>
Co-authored-by: Akasshhg <91525166+gogoiakash2311@users.noreply.github.com>
2022-12-08 07:54:31 +00:00
|
|
|
'Maximum password retry limit reached, please reset your password using forgot password option'
|
2022-06-29 19:19:45 +00:00
|
|
|
);
|
|
|
|
|
});
|
2022-05-05 07:08:42 +00:00
|
|
|
it('should throw 401 if form login is disabled', async () => {
|
|
|
|
|
await ssoConfigsRepository.update({ organizationId: current_organization.id }, { enabled: false });
|
|
|
|
|
await request(app.getHttpServer())
|
|
|
|
|
.post('/api/authenticate/' + current_organization.id)
|
|
|
|
|
.send({ email: 'admin@tooljet.io', password: 'password' })
|
|
|
|
|
.expect(401);
|
|
|
|
|
});
|
|
|
|
|
it('should create new organization if login is disabled for default organization', async () => {
|
|
|
|
|
await ssoConfigsRepository.update({ organizationId: current_organization.id }, { enabled: false });
|
|
|
|
|
const response = await request(app.getHttpServer())
|
|
|
|
|
.post('/api/authenticate')
|
|
|
|
|
.send({ email: 'admin@tooljet.io', password: 'password' });
|
|
|
|
|
expect(response.statusCode).toBe(201);
|
2023-04-06 11:12:58 +00:00
|
|
|
expect(response.body.current_organization_id).not.toBe(current_organization.id);
|
2022-05-05 07:08:42 +00:00
|
|
|
});
|
2022-06-29 19:19:45 +00:00
|
|
|
it('should be able to switch between organizations with admin privilege', async () => {
|
2022-05-05 07:08:42 +00:00
|
|
|
const { organization: invited_organization } = await createUser(
|
|
|
|
|
app,
|
|
|
|
|
{ organizationName: 'New Organization' },
|
|
|
|
|
current_user
|
|
|
|
|
);
|
2023-04-06 11:12:58 +00:00
|
|
|
|
|
|
|
|
const authResponse = await request(app.getHttpServer())
|
|
|
|
|
.post('/api/authenticate')
|
|
|
|
|
.send({ email: 'admin@tooljet.io', password: 'password' });
|
|
|
|
|
|
2022-05-05 07:08:42 +00:00
|
|
|
const response = await request(app.getHttpServer())
|
|
|
|
|
.get('/api/switch/' + invited_organization.id)
|
2023-04-06 11:12:58 +00:00
|
|
|
.set('tj-workspace-id', current_user.defaultOrganizationId)
|
|
|
|
|
.set('Cookie', authResponse.headers['set-cookie']);
|
2022-05-05 07:08:42 +00:00
|
|
|
|
|
|
|
|
expect(response.statusCode).toBe(200);
|
|
|
|
|
expect(Object.keys(response.body).sort()).toEqual(
|
2023-10-18 07:30:17 +00:00
|
|
|
['id', 'email', 'first_name', 'last_name', 'current_organization_id', 'current_organization_slug'].sort()
|
2022-05-05 07:08:42 +00:00
|
|
|
);
|
|
|
|
|
|
2023-04-06 11:12:58 +00:00
|
|
|
const { email, first_name, last_name } = response.body;
|
2022-05-05 07:08:42 +00:00
|
|
|
|
|
|
|
|
expect(email).toEqual(current_user.email);
|
|
|
|
|
expect(first_name).toEqual(current_user.firstName);
|
|
|
|
|
expect(last_name).toEqual(current_user.lastName);
|
|
|
|
|
await current_user.reload();
|
|
|
|
|
expect(current_user.defaultOrganizationId).toBe(invited_organization.id);
|
|
|
|
|
});
|
2022-06-29 19:19:45 +00:00
|
|
|
it('should be able to switch between organizations with user privilege', async () => {
|
2022-05-05 07:08:42 +00:00
|
|
|
const { organization: invited_organization } = await createUser(
|
|
|
|
|
app,
|
|
|
|
|
{ groups: ['all_users'], organizationName: 'New Organization' },
|
|
|
|
|
current_user
|
|
|
|
|
);
|
2023-04-06 11:12:58 +00:00
|
|
|
|
|
|
|
|
const authResponse = await request(app.getHttpServer())
|
|
|
|
|
.post('/api/authenticate')
|
|
|
|
|
.send({ email: 'admin@tooljet.io', password: 'password' });
|
|
|
|
|
|
2022-05-05 07:08:42 +00:00
|
|
|
const response = await request(app.getHttpServer())
|
|
|
|
|
.get('/api/switch/' + invited_organization.id)
|
2023-04-06 11:12:58 +00:00
|
|
|
.set('tj-workspace-id', authResponse.body.current_organization_id)
|
|
|
|
|
.set('Cookie', authResponse.headers['set-cookie']);
|
2022-05-05 07:08:42 +00:00
|
|
|
|
|
|
|
|
expect(response.statusCode).toBe(200);
|
|
|
|
|
expect(Object.keys(response.body).sort()).toEqual(
|
2023-10-18 07:30:17 +00:00
|
|
|
['id', 'email', 'first_name', 'last_name', 'current_organization_id', 'current_organization_slug'].sort()
|
2022-05-05 07:08:42 +00:00
|
|
|
);
|
|
|
|
|
|
2023-04-06 11:12:58 +00:00
|
|
|
const { email, first_name, last_name, current_organization_id } = response.body;
|
2022-05-05 07:08:42 +00:00
|
|
|
|
|
|
|
|
expect(email).toEqual(current_user.email);
|
|
|
|
|
expect(first_name).toEqual(current_user.firstName);
|
|
|
|
|
expect(last_name).toEqual(current_user.lastName);
|
2023-04-06 11:12:58 +00:00
|
|
|
expect(current_organization_id).toBe(invited_organization.id);
|
2022-05-05 07:08:42 +00:00
|
|
|
await current_user.reload();
|
|
|
|
|
expect(current_user.defaultOrganizationId).toBe(invited_organization.id);
|
|
|
|
|
});
|
2021-12-15 17:23:07 +00:00
|
|
|
});
|
|
|
|
|
});
|
|
|
|
|
|
2022-06-29 19:19:45 +00:00
|
|
|
describe('POST /api/forgot-password', () => {
|
2022-05-05 07:08:42 +00:00
|
|
|
beforeEach(async () => {
|
|
|
|
|
await createUser(app, {
|
|
|
|
|
email: 'admin@tooljet.io',
|
|
|
|
|
firstName: 'user',
|
|
|
|
|
lastName: 'name',
|
|
|
|
|
});
|
|
|
|
|
});
|
2022-04-20 09:16:57 +00:00
|
|
|
it('should return error if required params are not present', async () => {
|
2022-06-29 19:19:45 +00:00
|
|
|
const response = await request(app.getHttpServer()).post('/api/forgot-password');
|
2022-04-20 09:16:57 +00:00
|
|
|
|
|
|
|
|
expect(response.statusCode).toBe(400);
|
|
|
|
|
expect(response.body.message).toStrictEqual(['email should not be empty', 'email must be an email']);
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
it('should set token and send email', async () => {
|
|
|
|
|
const emailServiceMock = jest.spyOn(EmailService.prototype, 'sendPasswordResetEmail');
|
|
|
|
|
emailServiceMock.mockImplementation();
|
|
|
|
|
|
|
|
|
|
const response = await request(app.getHttpServer())
|
2022-06-29 19:19:45 +00:00
|
|
|
.post('/api/forgot-password')
|
2022-04-20 09:16:57 +00:00
|
|
|
.send({ email: 'admin@tooljet.io' });
|
|
|
|
|
|
|
|
|
|
expect(response.statusCode).toBe(201);
|
|
|
|
|
|
|
|
|
|
const user = await getManager().findOne(User, {
|
|
|
|
|
where: { email: 'admin@tooljet.io' },
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
expect(emailServiceMock).toHaveBeenCalledWith(user.email, user.forgotPasswordToken);
|
|
|
|
|
});
|
|
|
|
|
});
|
|
|
|
|
|
2022-06-29 19:19:45 +00:00
|
|
|
describe('POST /api/reset-password', () => {
|
2022-05-05 07:08:42 +00:00
|
|
|
beforeEach(async () => {
|
|
|
|
|
await createUser(app, {
|
|
|
|
|
email: 'admin@tooljet.io',
|
|
|
|
|
firstName: 'user',
|
|
|
|
|
lastName: 'name',
|
|
|
|
|
});
|
|
|
|
|
});
|
2022-04-20 09:16:57 +00:00
|
|
|
it('should return error if required params are not present', async () => {
|
2022-06-29 19:19:45 +00:00
|
|
|
const response = await request(app.getHttpServer()).post('/api/reset-password');
|
2022-04-20 09:16:57 +00:00
|
|
|
|
|
|
|
|
expect(response.statusCode).toBe(400);
|
|
|
|
|
expect(response.body.message).toStrictEqual([
|
Feature :: Onboarding revamp (#4044)
* typo
* password length check , ui fixes
* fixing typos
* fixing navbar ui
* updated icon , changed history to Link
* fix :: repopulating data
* fix :: key added for non sso logins
* ui improvements , added loading states , bugfixes
* changing folder names
* fix :: removing scroll and fixing to 100%
* fix :: all spell mistakes corrected
* fix :: bug on password show/hide
* fix :: bug in button animation state
* fix :: added loader states for all onboarding buttons
* fix :: imports
* feat :: centering ui for signup and login pages
* bugfixes :: minor
* feat :: added mediaquery for mobile screens
* fix :: typo spell check
* PR changes
- instance configs
- reused jwt payload
* fix :: loading bugfix
* feat :: added loader for verification sucess screen
* styles :: loader
* fix :: typo corrections
* fix :: image path
* fix :: darmode & enter press in onboard
* Fixed organization name issue
* fix :: keystroke not taken initially
* fix :: trim company name
* fix :: setting autocomplete to off
* removing redirectsso and confirmation page as its unused now
* few ui corrections , laoding states
* Fixed organization login sso issue
* Add db transaction wrap
* refactoring the code
* flow changes
* Added db tranxn wrap to auth services
* adding accept invite screen
* added verify organization token route
* fixes
* adding disable_multiworkspace to default config
* cleanup
* intermediate commit :: revamping organization page , api integration
* fixes
* feat :: organization token send in invite from org account setup
* fix :: making orgtoken conditional and ui changes / functional updates organization invte
* removed unwanted code
* fix :: login/account setup for sso user in single workspace flow
* fixes
* fix :: CTA loader misaligned
* fix :: sso login single workspace
* fix
* fix :: role check db
* fix :: role check DB
* fix :: setting fallback screen for organizational invite
* feat :: org signup
* fix :: loading states bug
* fix :: loading bug
* fixes
* added password length validation
* fixes
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* fix: sub path for static asset serve (#4668)
* Bugfix :: Sort event fired on sort removal (#4542)
* onsort applied on sort removal
* bugcheck
* removing unused toast
* Feature :: Table image column type addition (#4547)
* feat :: adding column type image
* feat :: adding image fit property
* Fix :: Closing of textarea ontype Table widget (#4549)
* fix :: closing of textarea ontype
* fix :: bug not able to clear value
* bug fixed : generate file in text is not supported (#4346)
* add eslintignore for frontend (#4669)
* [cypress] Fix failing manage SSO spec in single workspace #4390 (#4509)
* added [data-cy=login-page-logo] also removed one dropdown of same name
* Revert command.js
* call loginpagelogo
* Fixed toast test case
* updated text
* remove timer
* revert linting
* Github text fixed
* Replaced the woocommerce connection screenshot from dark to light one (#4654)
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
* gifs for Keyboard Shortcuts Added (#4643)
* Fix. Image to button group docs (#4630) (#4631)
* Add. Image to button group docs (#4630)
* Update docs/docs/widgets/button-group.md
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
* [added] Translated global strings in french #4169 (#4232)
* [added] Translated global strings in french
Added global strings translated to French language , Issue: #4169
* [localization ] Fixed the Proposed Changes in French Translation
* [localization ] Fixed the Remaining Proposed Changes in French Translation v2
* Update selectHost
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
* [localization] issue-4188 added spanish keys for card app (#4229)
* issue-4188 added spanish keys for card app
* IT-4188 fixed PR
* Improve toast message shortcut on component deletion (#4513)
* Improve toast message shortcut
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* feat: Add DTO for organization create (#4651)
* feat: Add DTO for organization create
* chore: fix eslint error
* chore: eslint ...
* Fixed failing manage SSO spec in multi workspace (#4658)
* Fixed failing manage SSO spec in multi workspace
* github to gitHib
* persist data without saving the query (#4649)
* Fixed failing dashboard specs (#4667)
* Add and modify data-cy
* Fix failing manage users spec in multiworkspace
* Fix failing user permission spec in multi workspace
* Fix failing dashboard spec
* Fix failing manage group spec
* Fix failing manage users spec in single workspace
* Fix failing user permission spec in single workspace
* indentation changes
* Remove wait
* [Marketplace] AWS S3 (#4670)
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* marketplace: s3
* rename operations file to query_operations
* fix: crash on click of existing plugin
* remove unused console
* adds missing async await
* add isoptional for repo
* plugin card ui style fixes
* update plugin name
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
* fix: Added a modal with warning message on disabling password (#4552)
* Copy to clipboard (#4588)
* Update EventManager.jsx
* Update EventManager.jsx
* Update EventManager.jsx
* fix :: adding sso configs based on org id
* loader and password check
* multiworkspace invite flow updated
* restrict only active users
* fix
* added error message for password length check
* fix :: password trim
* fix :: all happy flows tested , single and multi exept sso
* fix: message on invalid password
* revert: package-lock.json file
* feat :: changing ui for user present for org invite in multi workspace
* fix :: remove password check for existing user multiworkspace
* fix :: added fallback
* fix :: typo
* fix :: adding checks
* fix
* feat :: for single workspace user logged in directly
* fix :: code meaning fix
* fix
* fixes
* fix
* fix
* fix
* fix :: sso fix and bug updates
* fix :: json resolution for only single workspace
* token :: app level
* fix
* fix
* fixes
* fix
* ui fixes , removed loading and added checks
* showing sso options
* fix :: back to
* fix single workspace
* adding sso check ui
* sso single workspace fix
* code refactoring
* fix :: bugfix on click enter submit in signup and signin
* qa fix :: typo
* fix for sending welcome email on invite
* bug fixes
* fix
* qa bug fixes and translations
* switch workspace fixes
* fix :: company name taking empty spaces
* adding some more translations
* making all screens center aligned
* fix :: login page not loading
* fix :: singup conditional
* fixes
* typo fix
* fix :: for diabled cases of sso , password login , disabled signup
* fix
* fix :: added max input length for workspace name
* fix
* fix :: missing validation on edit email
* fix :: all screens vertically aligned
* fix :: alignment link expiry screen
* fix
* fix :: styling terms and condition
* fix :: for redirect url loginto workspace fixed according to new design
* typo
* feat :: removed onboarding modal , redundant
* typo fix
* fix
* name is now mandatory for sign up
* fix for password retry count not updating
* showing onboarding questions for sign up users
* fix :: spaces in password in diff screens
* fix :: darkmode initial
* fix for accept organization invite success message
* fix :: dark mode
* fix :: dark mode
* feat :: updating all dark mode images
* bugfix img
* bugfix ::img
* dark mode :: improvements
* single workspace signup fix
* updating images
* stylefix
* self review :: bugfixes
* sign up page fix
* fix for asking password for single ws activation
* or separator fix for signup page
* fix
* feat :: updating cta images
* fix :: loader bugs
* hiding sso options in org invite, sign in via sso
* fix :: dark mode img
* bugfixes :: cta changed
* Fix :: onboarding styles fixes (#4773)
* fix: styling in authWrappers
* cleanup
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* fix :: conflicting styles
* fix :: loaders , and added header to link expired screen , style fixes
* fix :: mobile onboarding btn
* fix :: loading onboarding completion
* fix :: subpath not taking img path
* fix :: path
* fix :: removing trailing img / for subpath
* fix :: cta img
* fix :: remove scrollbar
* last name as undefined in comments
* fixed loading bug and cursor of company input onboard form
* comments fixes
* fix :: removing verify email screen on org invite
* comments fix
* fix :: no login methods
* fix :: bug in expired org invite verification link
* fix :: edge case name being empty when user types multiple spaces
* fix :: comments breaking
* fix :: notification breaking
* fix :: user groups table lastname
* fix for sso redirection
* fix :: empty first and last name during org invite
* bug fixed :On updating any permissions under permission tab, currentTab switches to app tab (#4734)
* fix: popout editor closing for tables (#4674)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added default value for backgroundColor In NumberInput (#4378)
* fix: added background styles for number input
* fix: removed additional f from the background color property
* fix: added backgroundColor property from styles
* fixes: default bg color for dark mode
Co-authored-by: arpitnath <arpitnath42@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added the hover effects on datasources (#4303)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added Background Color to Text Input (#4194)
* Added Background Color to Text Input
* Added Default Value for Background Color
* added default value and make background of text input consistent with the dark theme
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* feat: Add update version button on installable plugin (#4766)
* feat: Add update version button on installable plugin
* use id from update method
* removes redundant check
* use plugin id for fetching files from s3
* fetch latest plugins once updated
* disable update and remove buttons while update in progress
* replace href with link-span cx + send body in patch request
* fix: Dark mode on table's `Striped` and `Striped & Bordered` table type mode (#4611)
* [ Hotfix ] :: Hard to resize table columns (#4438)
* fix :: hard to resize , scrollbar should not be visible
* fix :: resizer not working in pewview
* Enhancement : [RangeSlider widget] Bind onChange event (#4192)
* add onChange event and its handler
* add handler for slider change as well
* fix lint
* added onChange fire event when slider value is changed
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
* Added data-cy for table widget elements (#4792)
* Add data-cy to tooltip label
* Add data-cy to table filter pop-over
* Add data-cy to table elements
* Add review changes
* [docs] Widget updates (#4793)
* widget updates
* minor update
* Update README.md (#4784)
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Fixed grammatical errors in localization doc (#4800)
* [docs] widget property updates (#4806)
* fixes
* added resend invite API
* Onboarding revamp test cases (#4770)
* fix: test cases for oauth
* fix: app controller test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: single workspace test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* add: test cases for sso
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: linting in files
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: test cases for oauth
* fix: linting in files
* rebase: from feature/onboarding-revamp
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* feat :: api update resend invite
* loading state resend mail
* adding loading state
* checkpoints shown only till tablet
* fix: failing test cases for sso
* pr:: changes changed all imports and removed unwanted fragments
* pr changes
* fix :: naming images
* fix :: style organized for onboarding
* fix for user seed issue
* removing unwanted styles
* Setting darkmode from props :: onboarding (#4885)
* passing darkmode as props to components
* error toast
* Review comment :: rename env variable
* Pr :: changes , code cleanup onborading form
* develop merge
* pr changes ::form splitted to components
* password warning added
* chore :: lint folder renaming
* review comments
* fixes
* fix for test cases failure
* changes :: removed empty divs
* cleanup
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Muhsin Shah <muhsinshah21@gmail.com>
Co-authored-by: gsmithun4 <gsmithun4@gmail.com>
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
Co-authored-by: Manish Kushare <kushare.manish9@gmail.com>
Co-authored-by: Akshay <akshaysasidharan93@gmail.com>
Co-authored-by: alammoiz <moixalam@gmail.com>
Co-authored-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Akhilesh Kumar Mishra <79476272+iamakhileshmishra@users.noreply.github.com>
Co-authored-by: Hemanth Kumar <49117799+Hemanthhari2000@users.noreply.github.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: akk312000 <akk312000@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Jose Morales <jmoralesmnz@gmail.com>
Co-authored-by: 3t8 <62209650+3t8@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
Co-authored-by: Santosh Bhandari <bsantosh909@gmail.com>
Co-authored-by: Arpit <arpitnath42@gmail.com>
Co-authored-by: Ajith KV <ajith.jaban@gmail.com>
Co-authored-by: Akarsh Jain <72064462+akarsh-jain-790@users.noreply.github.com>
Co-authored-by: Utsav Paul <91927689+Smartmind12@users.noreply.github.com>
Co-authored-by: Vijaykant Yadav <vjaris42@Vijaykants-MacBook-Pro.local>
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
Co-authored-by: geisterfurz007 <geisterfurz007@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
Co-authored-by: Abhushan Gautam <carefreeav09@gmail.com>
Co-authored-by: Syed Ansar <82027712+Syed-Ansar@users.noreply.github.com>
Co-authored-by: Rahul Sunil <rahulsunil2@gmail.com>
Co-authored-by: Srisuma Atluri <40341173+Srisuma13@users.noreply.github.com>
Co-authored-by: Midhun Kumar E <midhun752@gmail.com>
Co-authored-by: Navaneeth Pk <navaneeth@tooljet.io>
Co-authored-by: Akasshhg <91525166+gogoiakash2311@users.noreply.github.com>
2022-12-08 07:54:31 +00:00
|
|
|
'Password should contain more than 5 letters',
|
2022-04-20 09:16:57 +00:00
|
|
|
'password should not be empty',
|
|
|
|
|
'password must be a string',
|
|
|
|
|
'token should not be empty',
|
|
|
|
|
'token must be a string',
|
|
|
|
|
]);
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
it('should reset password', async () => {
|
|
|
|
|
const user = await getManager().findOne(User, {
|
|
|
|
|
where: { email: 'admin@tooljet.io' },
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
user.forgotPasswordToken = 'token';
|
|
|
|
|
await user.save();
|
|
|
|
|
|
2022-06-29 19:19:45 +00:00
|
|
|
const response = await request(app.getHttpServer()).post('/api/reset-password').send({
|
2022-04-20 09:16:57 +00:00
|
|
|
password: 'new_password',
|
|
|
|
|
token: 'token',
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
expect(response.statusCode).toBe(201);
|
|
|
|
|
|
|
|
|
|
await request(app.getHttpServer())
|
|
|
|
|
.post('/api/authenticate')
|
|
|
|
|
.send({ email: 'admin@tooljet.io', password: 'new_password' })
|
|
|
|
|
.expect(201);
|
|
|
|
|
});
|
|
|
|
|
});
|
|
|
|
|
|
2022-06-02 09:50:51 +00:00
|
|
|
describe('POST /api/accept-invite', () => {
|
2022-06-29 19:19:45 +00:00
|
|
|
describe('Multi-Workspace Enabled', () => {
|
2022-06-02 09:50:51 +00:00
|
|
|
beforeEach(() => {
|
|
|
|
|
jest.spyOn(mockConfig, 'get').mockImplementation((key: string) => {
|
|
|
|
|
switch (key) {
|
|
|
|
|
case 'DISABLE_MULTI_WORKSPACE':
|
|
|
|
|
return 'false';
|
|
|
|
|
default:
|
|
|
|
|
return process.env[key];
|
|
|
|
|
}
|
|
|
|
|
});
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
it('should allow users to accept invitation when Multi-Workspace is enabled', async () => {
|
|
|
|
|
const userData = await createUser(app, {
|
|
|
|
|
email: 'organizationUser@tooljet.io',
|
|
|
|
|
status: 'invited',
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
const { user, orgUser } = userData;
|
|
|
|
|
|
|
|
|
|
const response = await request(app.getHttpServer()).post('/api/accept-invite').send({
|
|
|
|
|
token: orgUser.invitationToken,
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
expect(response.statusCode).toBe(201);
|
|
|
|
|
|
|
|
|
|
const organizationUser = await getManager().findOneOrFail(OrganizationUser, { where: { userId: user.id } });
|
|
|
|
|
expect(organizationUser.status).toEqual('active');
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
it('should not allow users to accept invitation when user sign up is not completed', async () => {
|
|
|
|
|
const userData = await createUser(app, {
|
|
|
|
|
email: 'organizationUser@tooljet.io',
|
|
|
|
|
invitationToken: uuidv4(),
|
|
|
|
|
status: 'invited',
|
|
|
|
|
});
|
|
|
|
|
const { user, orgUser } = userData;
|
|
|
|
|
|
|
|
|
|
const response = await request(app.getHttpServer()).post('/api/accept-invite').send({
|
|
|
|
|
token: orgUser.invitationToken,
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
expect(response.statusCode).toBe(401);
|
|
|
|
|
expect(response.body.message).toBe(
|
2022-06-07 19:19:14 +00:00
|
|
|
'Please setup your account using account setup link shared via email before accepting the invite'
|
2022-06-02 09:50:51 +00:00
|
|
|
);
|
|
|
|
|
});
|
|
|
|
|
});
|
|
|
|
|
});
|
|
|
|
|
|
Feature :: Onboarding revamp (#4044)
* typo
* password length check , ui fixes
* fixing typos
* fixing navbar ui
* updated icon , changed history to Link
* fix :: repopulating data
* fix :: key added for non sso logins
* ui improvements , added loading states , bugfixes
* changing folder names
* fix :: removing scroll and fixing to 100%
* fix :: all spell mistakes corrected
* fix :: bug on password show/hide
* fix :: bug in button animation state
* fix :: added loader states for all onboarding buttons
* fix :: imports
* feat :: centering ui for signup and login pages
* bugfixes :: minor
* feat :: added mediaquery for mobile screens
* fix :: typo spell check
* PR changes
- instance configs
- reused jwt payload
* fix :: loading bugfix
* feat :: added loader for verification sucess screen
* styles :: loader
* fix :: typo corrections
* fix :: image path
* fix :: darmode & enter press in onboard
* Fixed organization name issue
* fix :: keystroke not taken initially
* fix :: trim company name
* fix :: setting autocomplete to off
* removing redirectsso and confirmation page as its unused now
* few ui corrections , laoding states
* Fixed organization login sso issue
* Add db transaction wrap
* refactoring the code
* flow changes
* Added db tranxn wrap to auth services
* adding accept invite screen
* added verify organization token route
* fixes
* adding disable_multiworkspace to default config
* cleanup
* intermediate commit :: revamping organization page , api integration
* fixes
* feat :: organization token send in invite from org account setup
* fix :: making orgtoken conditional and ui changes / functional updates organization invte
* removed unwanted code
* fix :: login/account setup for sso user in single workspace flow
* fixes
* fix :: CTA loader misaligned
* fix :: sso login single workspace
* fix
* fix :: role check db
* fix :: role check DB
* fix :: setting fallback screen for organizational invite
* feat :: org signup
* fix :: loading states bug
* fix :: loading bug
* fixes
* added password length validation
* fixes
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* fix: sub path for static asset serve (#4668)
* Bugfix :: Sort event fired on sort removal (#4542)
* onsort applied on sort removal
* bugcheck
* removing unused toast
* Feature :: Table image column type addition (#4547)
* feat :: adding column type image
* feat :: adding image fit property
* Fix :: Closing of textarea ontype Table widget (#4549)
* fix :: closing of textarea ontype
* fix :: bug not able to clear value
* bug fixed : generate file in text is not supported (#4346)
* add eslintignore for frontend (#4669)
* [cypress] Fix failing manage SSO spec in single workspace #4390 (#4509)
* added [data-cy=login-page-logo] also removed one dropdown of same name
* Revert command.js
* call loginpagelogo
* Fixed toast test case
* updated text
* remove timer
* revert linting
* Github text fixed
* Replaced the woocommerce connection screenshot from dark to light one (#4654)
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
* gifs for Keyboard Shortcuts Added (#4643)
* Fix. Image to button group docs (#4630) (#4631)
* Add. Image to button group docs (#4630)
* Update docs/docs/widgets/button-group.md
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
* [added] Translated global strings in french #4169 (#4232)
* [added] Translated global strings in french
Added global strings translated to French language , Issue: #4169
* [localization ] Fixed the Proposed Changes in French Translation
* [localization ] Fixed the Remaining Proposed Changes in French Translation v2
* Update selectHost
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
* [localization] issue-4188 added spanish keys for card app (#4229)
* issue-4188 added spanish keys for card app
* IT-4188 fixed PR
* Improve toast message shortcut on component deletion (#4513)
* Improve toast message shortcut
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* feat: Add DTO for organization create (#4651)
* feat: Add DTO for organization create
* chore: fix eslint error
* chore: eslint ...
* Fixed failing manage SSO spec in multi workspace (#4658)
* Fixed failing manage SSO spec in multi workspace
* github to gitHib
* persist data without saving the query (#4649)
* Fixed failing dashboard specs (#4667)
* Add and modify data-cy
* Fix failing manage users spec in multiworkspace
* Fix failing user permission spec in multi workspace
* Fix failing dashboard spec
* Fix failing manage group spec
* Fix failing manage users spec in single workspace
* Fix failing user permission spec in single workspace
* indentation changes
* Remove wait
* [Marketplace] AWS S3 (#4670)
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* marketplace: s3
* rename operations file to query_operations
* fix: crash on click of existing plugin
* remove unused console
* adds missing async await
* add isoptional for repo
* plugin card ui style fixes
* update plugin name
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
* fix: Added a modal with warning message on disabling password (#4552)
* Copy to clipboard (#4588)
* Update EventManager.jsx
* Update EventManager.jsx
* Update EventManager.jsx
* fix :: adding sso configs based on org id
* loader and password check
* multiworkspace invite flow updated
* restrict only active users
* fix
* added error message for password length check
* fix :: password trim
* fix :: all happy flows tested , single and multi exept sso
* fix: message on invalid password
* revert: package-lock.json file
* feat :: changing ui for user present for org invite in multi workspace
* fix :: remove password check for existing user multiworkspace
* fix :: added fallback
* fix :: typo
* fix :: adding checks
* fix
* feat :: for single workspace user logged in directly
* fix :: code meaning fix
* fix
* fixes
* fix
* fix
* fix
* fix :: sso fix and bug updates
* fix :: json resolution for only single workspace
* token :: app level
* fix
* fix
* fixes
* fix
* ui fixes , removed loading and added checks
* showing sso options
* fix :: back to
* fix single workspace
* adding sso check ui
* sso single workspace fix
* code refactoring
* fix :: bugfix on click enter submit in signup and signin
* qa fix :: typo
* fix for sending welcome email on invite
* bug fixes
* fix
* qa bug fixes and translations
* switch workspace fixes
* fix :: company name taking empty spaces
* adding some more translations
* making all screens center aligned
* fix :: login page not loading
* fix :: singup conditional
* fixes
* typo fix
* fix :: for diabled cases of sso , password login , disabled signup
* fix
* fix :: added max input length for workspace name
* fix
* fix :: missing validation on edit email
* fix :: all screens vertically aligned
* fix :: alignment link expiry screen
* fix
* fix :: styling terms and condition
* fix :: for redirect url loginto workspace fixed according to new design
* typo
* feat :: removed onboarding modal , redundant
* typo fix
* fix
* name is now mandatory for sign up
* fix for password retry count not updating
* showing onboarding questions for sign up users
* fix :: spaces in password in diff screens
* fix :: darkmode initial
* fix for accept organization invite success message
* fix :: dark mode
* fix :: dark mode
* feat :: updating all dark mode images
* bugfix img
* bugfix ::img
* dark mode :: improvements
* single workspace signup fix
* updating images
* stylefix
* self review :: bugfixes
* sign up page fix
* fix for asking password for single ws activation
* or separator fix for signup page
* fix
* feat :: updating cta images
* fix :: loader bugs
* hiding sso options in org invite, sign in via sso
* fix :: dark mode img
* bugfixes :: cta changed
* Fix :: onboarding styles fixes (#4773)
* fix: styling in authWrappers
* cleanup
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* fix :: conflicting styles
* fix :: loaders , and added header to link expired screen , style fixes
* fix :: mobile onboarding btn
* fix :: loading onboarding completion
* fix :: subpath not taking img path
* fix :: path
* fix :: removing trailing img / for subpath
* fix :: cta img
* fix :: remove scrollbar
* last name as undefined in comments
* fixed loading bug and cursor of company input onboard form
* comments fixes
* fix :: removing verify email screen on org invite
* comments fix
* fix :: no login methods
* fix :: bug in expired org invite verification link
* fix :: edge case name being empty when user types multiple spaces
* fix :: comments breaking
* fix :: notification breaking
* fix :: user groups table lastname
* fix for sso redirection
* fix :: empty first and last name during org invite
* bug fixed :On updating any permissions under permission tab, currentTab switches to app tab (#4734)
* fix: popout editor closing for tables (#4674)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added default value for backgroundColor In NumberInput (#4378)
* fix: added background styles for number input
* fix: removed additional f from the background color property
* fix: added backgroundColor property from styles
* fixes: default bg color for dark mode
Co-authored-by: arpitnath <arpitnath42@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added the hover effects on datasources (#4303)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added Background Color to Text Input (#4194)
* Added Background Color to Text Input
* Added Default Value for Background Color
* added default value and make background of text input consistent with the dark theme
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* feat: Add update version button on installable plugin (#4766)
* feat: Add update version button on installable plugin
* use id from update method
* removes redundant check
* use plugin id for fetching files from s3
* fetch latest plugins once updated
* disable update and remove buttons while update in progress
* replace href with link-span cx + send body in patch request
* fix: Dark mode on table's `Striped` and `Striped & Bordered` table type mode (#4611)
* [ Hotfix ] :: Hard to resize table columns (#4438)
* fix :: hard to resize , scrollbar should not be visible
* fix :: resizer not working in pewview
* Enhancement : [RangeSlider widget] Bind onChange event (#4192)
* add onChange event and its handler
* add handler for slider change as well
* fix lint
* added onChange fire event when slider value is changed
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
* Added data-cy for table widget elements (#4792)
* Add data-cy to tooltip label
* Add data-cy to table filter pop-over
* Add data-cy to table elements
* Add review changes
* [docs] Widget updates (#4793)
* widget updates
* minor update
* Update README.md (#4784)
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Fixed grammatical errors in localization doc (#4800)
* [docs] widget property updates (#4806)
* fixes
* added resend invite API
* Onboarding revamp test cases (#4770)
* fix: test cases for oauth
* fix: app controller test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: single workspace test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* add: test cases for sso
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: linting in files
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: test cases for oauth
* fix: linting in files
* rebase: from feature/onboarding-revamp
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* feat :: api update resend invite
* loading state resend mail
* adding loading state
* checkpoints shown only till tablet
* fix: failing test cases for sso
* pr:: changes changed all imports and removed unwanted fragments
* pr changes
* fix :: naming images
* fix :: style organized for onboarding
* fix for user seed issue
* removing unwanted styles
* Setting darkmode from props :: onboarding (#4885)
* passing darkmode as props to components
* error toast
* Review comment :: rename env variable
* Pr :: changes , code cleanup onborading form
* develop merge
* pr changes ::form splitted to components
* password warning added
* chore :: lint folder renaming
* review comments
* fixes
* fix for test cases failure
* changes :: removed empty divs
* cleanup
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Muhsin Shah <muhsinshah21@gmail.com>
Co-authored-by: gsmithun4 <gsmithun4@gmail.com>
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
Co-authored-by: Manish Kushare <kushare.manish9@gmail.com>
Co-authored-by: Akshay <akshaysasidharan93@gmail.com>
Co-authored-by: alammoiz <moixalam@gmail.com>
Co-authored-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Akhilesh Kumar Mishra <79476272+iamakhileshmishra@users.noreply.github.com>
Co-authored-by: Hemanth Kumar <49117799+Hemanthhari2000@users.noreply.github.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: akk312000 <akk312000@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Jose Morales <jmoralesmnz@gmail.com>
Co-authored-by: 3t8 <62209650+3t8@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
Co-authored-by: Santosh Bhandari <bsantosh909@gmail.com>
Co-authored-by: Arpit <arpitnath42@gmail.com>
Co-authored-by: Ajith KV <ajith.jaban@gmail.com>
Co-authored-by: Akarsh Jain <72064462+akarsh-jain-790@users.noreply.github.com>
Co-authored-by: Utsav Paul <91927689+Smartmind12@users.noreply.github.com>
Co-authored-by: Vijaykant Yadav <vjaris42@Vijaykants-MacBook-Pro.local>
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
Co-authored-by: geisterfurz007 <geisterfurz007@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
Co-authored-by: Abhushan Gautam <carefreeav09@gmail.com>
Co-authored-by: Syed Ansar <82027712+Syed-Ansar@users.noreply.github.com>
Co-authored-by: Rahul Sunil <rahulsunil2@gmail.com>
Co-authored-by: Srisuma Atluri <40341173+Srisuma13@users.noreply.github.com>
Co-authored-by: Midhun Kumar E <midhun752@gmail.com>
Co-authored-by: Navaneeth Pk <navaneeth@tooljet.io>
Co-authored-by: Akasshhg <91525166+gogoiakash2311@users.noreply.github.com>
2022-12-08 07:54:31 +00:00
|
|
|
describe('GET /api/verify-invite-token', () => {
|
|
|
|
|
describe('Multi-Workspace Enabled', () => {
|
|
|
|
|
beforeEach(async () => {
|
|
|
|
|
const { organization, user, orgUser } = await createUser(app, {
|
|
|
|
|
email: 'admin@tooljet.io',
|
|
|
|
|
firstName: 'user',
|
|
|
|
|
lastName: 'name',
|
|
|
|
|
});
|
|
|
|
|
current_organization = organization;
|
|
|
|
|
current_user = user;
|
|
|
|
|
jest.spyOn(mockConfig, 'get').mockImplementation((key: string) => {
|
|
|
|
|
switch (key) {
|
|
|
|
|
case 'DISABLE_MULTI_WORKSPACE':
|
|
|
|
|
return 'false';
|
|
|
|
|
default:
|
|
|
|
|
return process.env[key];
|
|
|
|
|
}
|
|
|
|
|
});
|
|
|
|
|
});
|
|
|
|
|
it('should return 400 while verifying invalid invitation token', async () => {
|
|
|
|
|
await request(app.getHttpServer()).get(`/api/verify-invite-token?token=${uuidv4()}`).expect(400);
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
it('should return user info while verifying invitation token', async () => {
|
|
|
|
|
const userData = await createUser(app, {
|
|
|
|
|
email: 'organizationUser@tooljet.io',
|
|
|
|
|
invitationToken: uuidv4(),
|
|
|
|
|
status: 'invited',
|
|
|
|
|
});
|
|
|
|
|
const {
|
|
|
|
|
user: { invitationToken },
|
|
|
|
|
} = userData;
|
|
|
|
|
const response = await request(app.getHttpServer()).get(`/api/verify-invite-token?token=${invitationToken}`);
|
|
|
|
|
const {
|
|
|
|
|
body: { email, name, onboarding_details },
|
|
|
|
|
status,
|
|
|
|
|
} = response;
|
|
|
|
|
expect(status).toBe(200);
|
|
|
|
|
expect(email).toEqual('organizationUser@tooljet.io');
|
|
|
|
|
expect(name).toEqual('test test');
|
|
|
|
|
expect(Object.keys(onboarding_details)).toEqual(['password', 'questions']);
|
|
|
|
|
await userData.user.reload();
|
|
|
|
|
expect(userData.user.status).toBe('verified');
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
it('should return redirect url while verifying invitation token, organization token is available and user does not exist', async () => {
|
|
|
|
|
const { orgUser } = await createUser(app, {
|
|
|
|
|
email: 'organizationUser@tooljet.io',
|
|
|
|
|
invitationToken: uuidv4(),
|
|
|
|
|
status: 'invited',
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
const { invitationToken } = orgUser;
|
|
|
|
|
const response = await request(app.getHttpServer())
|
|
|
|
|
.get(`/api/verify-invite-token?token=${uuidv4()}&organizationToken=${invitationToken}`)
|
|
|
|
|
.expect(200);
|
|
|
|
|
const {
|
|
|
|
|
body: { redirect_url },
|
|
|
|
|
status,
|
|
|
|
|
} = response;
|
|
|
|
|
expect(status).toBe(200);
|
2023-01-09 12:00:32 +00:00
|
|
|
expect(redirect_url).toBe(
|
|
|
|
|
`${process.env['TOOLJET_HOST']}/organization-invitations/${invitationToken}?oid=${orgUser.organizationId}`
|
|
|
|
|
);
|
Feature :: Onboarding revamp (#4044)
* typo
* password length check , ui fixes
* fixing typos
* fixing navbar ui
* updated icon , changed history to Link
* fix :: repopulating data
* fix :: key added for non sso logins
* ui improvements , added loading states , bugfixes
* changing folder names
* fix :: removing scroll and fixing to 100%
* fix :: all spell mistakes corrected
* fix :: bug on password show/hide
* fix :: bug in button animation state
* fix :: added loader states for all onboarding buttons
* fix :: imports
* feat :: centering ui for signup and login pages
* bugfixes :: minor
* feat :: added mediaquery for mobile screens
* fix :: typo spell check
* PR changes
- instance configs
- reused jwt payload
* fix :: loading bugfix
* feat :: added loader for verification sucess screen
* styles :: loader
* fix :: typo corrections
* fix :: image path
* fix :: darmode & enter press in onboard
* Fixed organization name issue
* fix :: keystroke not taken initially
* fix :: trim company name
* fix :: setting autocomplete to off
* removing redirectsso and confirmation page as its unused now
* few ui corrections , laoding states
* Fixed organization login sso issue
* Add db transaction wrap
* refactoring the code
* flow changes
* Added db tranxn wrap to auth services
* adding accept invite screen
* added verify organization token route
* fixes
* adding disable_multiworkspace to default config
* cleanup
* intermediate commit :: revamping organization page , api integration
* fixes
* feat :: organization token send in invite from org account setup
* fix :: making orgtoken conditional and ui changes / functional updates organization invte
* removed unwanted code
* fix :: login/account setup for sso user in single workspace flow
* fixes
* fix :: CTA loader misaligned
* fix :: sso login single workspace
* fix
* fix :: role check db
* fix :: role check DB
* fix :: setting fallback screen for organizational invite
* feat :: org signup
* fix :: loading states bug
* fix :: loading bug
* fixes
* added password length validation
* fixes
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* fix: sub path for static asset serve (#4668)
* Bugfix :: Sort event fired on sort removal (#4542)
* onsort applied on sort removal
* bugcheck
* removing unused toast
* Feature :: Table image column type addition (#4547)
* feat :: adding column type image
* feat :: adding image fit property
* Fix :: Closing of textarea ontype Table widget (#4549)
* fix :: closing of textarea ontype
* fix :: bug not able to clear value
* bug fixed : generate file in text is not supported (#4346)
* add eslintignore for frontend (#4669)
* [cypress] Fix failing manage SSO spec in single workspace #4390 (#4509)
* added [data-cy=login-page-logo] also removed one dropdown of same name
* Revert command.js
* call loginpagelogo
* Fixed toast test case
* updated text
* remove timer
* revert linting
* Github text fixed
* Replaced the woocommerce connection screenshot from dark to light one (#4654)
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
* gifs for Keyboard Shortcuts Added (#4643)
* Fix. Image to button group docs (#4630) (#4631)
* Add. Image to button group docs (#4630)
* Update docs/docs/widgets/button-group.md
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
* [added] Translated global strings in french #4169 (#4232)
* [added] Translated global strings in french
Added global strings translated to French language , Issue: #4169
* [localization ] Fixed the Proposed Changes in French Translation
* [localization ] Fixed the Remaining Proposed Changes in French Translation v2
* Update selectHost
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
* [localization] issue-4188 added spanish keys for card app (#4229)
* issue-4188 added spanish keys for card app
* IT-4188 fixed PR
* Improve toast message shortcut on component deletion (#4513)
* Improve toast message shortcut
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* Improved user agent check
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
* feat: Add DTO for organization create (#4651)
* feat: Add DTO for organization create
* chore: fix eslint error
* chore: eslint ...
* Fixed failing manage SSO spec in multi workspace (#4658)
* Fixed failing manage SSO spec in multi workspace
* github to gitHib
* persist data without saving the query (#4649)
* Fixed failing dashboard specs (#4667)
* Add and modify data-cy
* Fix failing manage users spec in multiworkspace
* Fix failing user permission spec in multi workspace
* Fix failing dashboard spec
* Fix failing manage group spec
* Fix failing manage users spec in single workspace
* Fix failing user permission spec in single workspace
* indentation changes
* Remove wait
* [Marketplace] AWS S3 (#4670)
* fix: sub path for static asset serve (#4665)
* fix: sub path for static asset serve
* fix: sub path for static asset serve
* marketplace: s3
* rename operations file to query_operations
* fix: crash on click of existing plugin
* remove unused console
* adds missing async await
* add isoptional for repo
* plugin card ui style fixes
* update plugin name
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
* fix: Added a modal with warning message on disabling password (#4552)
* Copy to clipboard (#4588)
* Update EventManager.jsx
* Update EventManager.jsx
* Update EventManager.jsx
* fix :: adding sso configs based on org id
* loader and password check
* multiworkspace invite flow updated
* restrict only active users
* fix
* added error message for password length check
* fix :: password trim
* fix :: all happy flows tested , single and multi exept sso
* fix: message on invalid password
* revert: package-lock.json file
* feat :: changing ui for user present for org invite in multi workspace
* fix :: remove password check for existing user multiworkspace
* fix :: added fallback
* fix :: typo
* fix :: adding checks
* fix
* feat :: for single workspace user logged in directly
* fix :: code meaning fix
* fix
* fixes
* fix
* fix
* fix
* fix :: sso fix and bug updates
* fix :: json resolution for only single workspace
* token :: app level
* fix
* fix
* fixes
* fix
* ui fixes , removed loading and added checks
* showing sso options
* fix :: back to
* fix single workspace
* adding sso check ui
* sso single workspace fix
* code refactoring
* fix :: bugfix on click enter submit in signup and signin
* qa fix :: typo
* fix for sending welcome email on invite
* bug fixes
* fix
* qa bug fixes and translations
* switch workspace fixes
* fix :: company name taking empty spaces
* adding some more translations
* making all screens center aligned
* fix :: login page not loading
* fix :: singup conditional
* fixes
* typo fix
* fix :: for diabled cases of sso , password login , disabled signup
* fix
* fix :: added max input length for workspace name
* fix
* fix :: missing validation on edit email
* fix :: all screens vertically aligned
* fix :: alignment link expiry screen
* fix
* fix :: styling terms and condition
* fix :: for redirect url loginto workspace fixed according to new design
* typo
* feat :: removed onboarding modal , redundant
* typo fix
* fix
* name is now mandatory for sign up
* fix for password retry count not updating
* showing onboarding questions for sign up users
* fix :: spaces in password in diff screens
* fix :: darkmode initial
* fix for accept organization invite success message
* fix :: dark mode
* fix :: dark mode
* feat :: updating all dark mode images
* bugfix img
* bugfix ::img
* dark mode :: improvements
* single workspace signup fix
* updating images
* stylefix
* self review :: bugfixes
* sign up page fix
* fix for asking password for single ws activation
* or separator fix for signup page
* fix
* feat :: updating cta images
* fix :: loader bugs
* hiding sso options in org invite, sign in via sso
* fix :: dark mode img
* bugfixes :: cta changed
* Fix :: onboarding styles fixes (#4773)
* fix: styling in authWrappers
* cleanup
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* fix :: conflicting styles
* fix :: loaders , and added header to link expired screen , style fixes
* fix :: mobile onboarding btn
* fix :: loading onboarding completion
* fix :: subpath not taking img path
* fix :: path
* fix :: removing trailing img / for subpath
* fix :: cta img
* fix :: remove scrollbar
* last name as undefined in comments
* fixed loading bug and cursor of company input onboard form
* comments fixes
* fix :: removing verify email screen on org invite
* comments fix
* fix :: no login methods
* fix :: bug in expired org invite verification link
* fix :: edge case name being empty when user types multiple spaces
* fix :: comments breaking
* fix :: notification breaking
* fix :: user groups table lastname
* fix for sso redirection
* fix :: empty first and last name during org invite
* bug fixed :On updating any permissions under permission tab, currentTab switches to app tab (#4734)
* fix: popout editor closing for tables (#4674)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added default value for backgroundColor In NumberInput (#4378)
* fix: added background styles for number input
* fix: removed additional f from the background color property
* fix: added backgroundColor property from styles
* fixes: default bg color for dark mode
Co-authored-by: arpitnath <arpitnath42@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added the hover effects on datasources (#4303)
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* Added Background Color to Text Input (#4194)
* Added Background Color to Text Input
* Added Default Value for Background Color
* added default value and make background of text input consistent with the dark theme
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
* feat: Add update version button on installable plugin (#4766)
* feat: Add update version button on installable plugin
* use id from update method
* removes redundant check
* use plugin id for fetching files from s3
* fetch latest plugins once updated
* disable update and remove buttons while update in progress
* replace href with link-span cx + send body in patch request
* fix: Dark mode on table's `Striped` and `Striped & Bordered` table type mode (#4611)
* [ Hotfix ] :: Hard to resize table columns (#4438)
* fix :: hard to resize , scrollbar should not be visible
* fix :: resizer not working in pewview
* Enhancement : [RangeSlider widget] Bind onChange event (#4192)
* add onChange event and its handler
* add handler for slider change as well
* fix lint
* added onChange fire event when slider value is changed
Co-authored-by: manishkushare <kushare.manish9@gmail.com>
* Added data-cy for table widget elements (#4792)
* Add data-cy to tooltip label
* Add data-cy to table filter pop-over
* Add data-cy to table elements
* Add review changes
* [docs] Widget updates (#4793)
* widget updates
* minor update
* Update README.md (#4784)
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Update README.md
* Fixed grammatical errors in localization doc (#4800)
* [docs] widget property updates (#4806)
* fixes
* added resend invite API
* Onboarding revamp test cases (#4770)
* fix: test cases for oauth
* fix: app controller test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: single workspace test cases
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* add: test cases for sso
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: linting in files
* fix: test cases for oauth
* fix: app controller test cases
* remove: unused vars
* chore: PR fixes and cleanup
* fix: test cases for oauth
* fix: single workspace test cases
* add: test cases for invitation links
* fix: test cases for oauth
* fix: app controller test cases
* chore: PR fixes and cleanup
* add: test cases for sso
* fix: app test cases
* fix: test cases for oauth
* fix: linting in files
* rebase: from feature/onboarding-revamp
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
* feat :: api update resend invite
* loading state resend mail
* adding loading state
* checkpoints shown only till tablet
* fix: failing test cases for sso
* pr:: changes changed all imports and removed unwanted fragments
* pr changes
* fix :: naming images
* fix :: style organized for onboarding
* fix for user seed issue
* removing unwanted styles
* Setting darkmode from props :: onboarding (#4885)
* passing darkmode as props to components
* error toast
* Review comment :: rename env variable
* Pr :: changes , code cleanup onborading form
* develop merge
* pr changes ::form splitted to components
* password warning added
* chore :: lint folder renaming
* review comments
* fixes
* fix for test cases failure
* changes :: removed empty divs
* cleanup
Signed-off-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Muhsin Shah <muhsinshah21@gmail.com>
Co-authored-by: gsmithun4 <gsmithun4@gmail.com>
Co-authored-by: Gandharv <gandharvkumargarg@gmail.com>
Co-authored-by: Manish Kushare <kushare.manish9@gmail.com>
Co-authored-by: Akshay <akshaysasidharan93@gmail.com>
Co-authored-by: alammoiz <moixalam@gmail.com>
Co-authored-by: Pakeetharan Balasubramaniam <bpakee@gmail.com>
Co-authored-by: Akhilesh Kumar Mishra <79476272+iamakhileshmishra@users.noreply.github.com>
Co-authored-by: Hemanth Kumar <49117799+Hemanthhari2000@users.noreply.github.com>
Co-authored-by: Shubhendra Singh Chauhan <withshubh@gmail.com>
Co-authored-by: akk312000 <akk312000@gmail.com>
Co-authored-by: roiLeo <medina.leo42@gmail.com>
Co-authored-by: Jose Morales <jmoralesmnz@gmail.com>
Co-authored-by: 3t8 <62209650+3t8@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <50441969+kavinvenkatachalam@users.noreply.github.com>
Co-authored-by: Santosh Bhandari <bsantosh909@gmail.com>
Co-authored-by: Arpit <arpitnath42@gmail.com>
Co-authored-by: Ajith KV <ajith.jaban@gmail.com>
Co-authored-by: Akarsh Jain <72064462+akarsh-jain-790@users.noreply.github.com>
Co-authored-by: Utsav Paul <91927689+Smartmind12@users.noreply.github.com>
Co-authored-by: Vijaykant Yadav <vjaris42@Vijaykants-MacBook-Pro.local>
Co-authored-by: Vijaykant Yadav <vjy239@gmail.com>
Co-authored-by: geisterfurz007 <geisterfurz007@users.noreply.github.com>
Co-authored-by: Kavin Venkatachalam <kavin.saratha@gmail.com>
Co-authored-by: Abhushan Gautam <carefreeav09@gmail.com>
Co-authored-by: Syed Ansar <82027712+Syed-Ansar@users.noreply.github.com>
Co-authored-by: Rahul Sunil <rahulsunil2@gmail.com>
Co-authored-by: Srisuma Atluri <40341173+Srisuma13@users.noreply.github.com>
Co-authored-by: Midhun Kumar E <midhun752@gmail.com>
Co-authored-by: Navaneeth Pk <navaneeth@tooljet.io>
Co-authored-by: Akasshhg <91525166+gogoiakash2311@users.noreply.github.com>
2022-12-08 07:54:31 +00:00
|
|
|
});
|
|
|
|
|
|
|
|
|
|
it('should return redirect url while verifying invitation token, organization token is not available and user exist', async () => {
|
|
|
|
|
const { user } = await createUser(app, {
|
|
|
|
|
email: 'organizationUser@tooljet.io',
|
|
|
|
|
invitationToken: uuidv4(),
|
|
|
|
|
status: 'invited',
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
const { invitationToken } = user;
|
|
|
|
|
const response = await request(app.getHttpServer())
|
|
|
|
|
.get(`/api/verify-invite-token?token=${invitationToken}&organizationToken=${uuidv4()}`)
|
|
|
|
|
.expect(200);
|
|
|
|
|
const {
|
|
|
|
|
body: { redirect_url },
|
|
|
|
|
status,
|
|
|
|
|
} = response;
|
|
|
|
|
expect(status).toBe(200);
|
|
|
|
|
expect(redirect_url).toBe(`${process.env['TOOLJET_HOST']}/invitations/${invitationToken}`);
|
|
|
|
|
});
|
|
|
|
|
});
|
|
|
|
|
});
|
|
|
|
|
|
2021-07-08 16:43:23 +00:00
|
|
|
afterAll(async () => {
|
|
|
|
|
await app.close();
|
2021-07-08 05:40:27 +00:00
|
|
|
});
|
2021-09-21 13:48:28 +00:00
|
|
|
});
|