Best JavaScript code snippet using cypress
editor.js
Source:editor.js
...82function startMoveItem(event) {83 event.currentTarget.style.backgroundColor = '#fff';84 event.currentTarget.style.color = '#000';85 const idToMove = (event.currentTarget.tagName === 'SUMMARY' ? event.currentTarget.parentNode.id : event.currentTarget.id);86 currentlyDragging = api.flatten(api.getProject().index).find(i => api.idFromPath(i.path) === idToMove).path;87}88function stopMoveItem(event) {89 event.currentTarget.style.backgroundColor = '';90 event.currentTarget.style.color = '';91}92function moveItem(event, index, main = false) {93 event.stopPropagation();94 const target = (95 event.path.find(e => e.tagName === 'DETAILS') ?96 api.flatten(api.getProject().index).find(f => api.idFromPath(f.path) === event.path.find(e => e.tagName === 'DETAILS').id).path :97 false98 );99 let order = false;100 if (event.toElement.tagName === 'SPAN' || event.toElement.id === 'fileTree__actions') order = true;101 // Check if moving folder into itself102 if (typeof currentlyDragging.children !== 'undefined') {103 if (event.path.find(e => e.id === api.idFromPath(currentlyDragging.path))) return;104 }105 // Get current parent106 let parent = api.flatten(api.getProject().index).find(f => {107 if (typeof f.children === 'undefined') return false;108 return f.children.find(f => f.path === currentlyDragging);109 });110 if (typeof parent === 'undefined') parent = false;111 else parent = parent.path;112 api.moveItem(parent, target, currentlyDragging, index, order, main);113}114/* Creating */115function createItem(type) {116 if (focused.classList.contains('folder') && focused.classList.contains('file')) {117 console.error('Could not create ' + type + ': The focused element is not a file or a folder.');118 return false;119 }120 const focusedType = focused.tagName === 'SUMMARY' ? 'folder' : 'file';121 const id = focusedType === 'folder' ?122 focused.parentNode.id :123 focused.id;124 let parent = focusedType === 'folder' ?125 api.flatten(api.getProject().index)126 .find(f => api.idFromPath(f.path) === id) :127 api.flatten(api.getProject().index)128 .find(f =>129 typeof f.children !== 'undefined' &&130 f.children.find(c => api.idFromPath(c.path) === id)131 );132 const parentId = typeof parent === 'undefined' ?133 false :134 api.idFromPath(parent.path);135 let index = focusedType === 'folder' ?136 false :137 (parent ? parent.children : api.getProject().index).findIndex(f =>138 api.idFromPath(f.path) === id139 ) + 1;140 if (!index && typeof parent === 'undefined') index = false;141 api.createItem(type, parentId, index, true);142}143/* Modals */144function updateProjectDetails() {145 api.updateProjectDetails({146 title: document.getElementById('projectDetails__title').value,147 author: document.getElementById('projectDetails__author').value,148 synopsis: document.getElementById('projectDetails__synopsis').value,149 });150}151// Hide the context menu on click...
NowAPI.js
Source:NowAPI.js
1'use strict'23const fs = require('fs')45class NowAPI {6 static async getAuthToken() {7 // Check if we already have a token in place8 if (NowAPI.AUTH_TOKEN)9 return NowAPI.AUTH_TOKEN1011 // The path to Now's CLI auth file. Normally ~/.now/auth.json12 const authFilePath = require('os').homedir() + '/.now/auth.json'1314 // Check if file exists15 if (!fs.existsSync(authFilePath))16 return null1718 // Extract the JSON19 const authInfo = JSON.parse(fs.readFileSync(authFilePath))2021 // Cache the token2223 // Return the token24 return authInfo.token || null25 }2627 static getProjectFile () {28 return __dirname + '/../../now.json'29 }3031 static getProject () {32 // The path to Now's now.json33 const projectFilePath = NowAPI.getProjectFile()3435 // Check if file exists36 if (!fs.existsSync(projectFilePath))37 return null3839 // Extract the JSON40 const projectInfo = JSON.parse(fs.readFileSync(projectFilePath))4142 // Return the token43 return projectInfo || null44 }4546 static updateProject (project) {47 // The path to Now's now.json48 const projectFilePath = NowAPI.getProjectFile()4950 // Write the JSON51 fs.writeFileSync(projectFilePath, JSON.stringify(project, null, 2))52 }5354 static async request (options) {55 // We will need axios for this56 const axios = require('axios')5758 // Get an auth token59 const AUTH_TOKEN = await NowAPI.getAuthToken()6061 // Validate token62 if (AUTH_TOKEN == null)63 throw 'No now-cli authentication found. Aborting...'6465 // Prefix the API URL66 options.url = `https://api.zeit.co${options.url}`6768 // Automatically append the auth token69 options = Object.assign(options, {70 headers: {71 Authorization: `Bearer ${AUTH_TOKEN}`72 }73 })7475 // Returns request76 return await axios(options).then(response => response.data)77 }7879 static envSet (name) {80 let project = NowAPI.getProject()81 project.env = project.env || {}8283 if (name)84 return project.env[name]85 return project.env86 }87 static envSet (key, value) {88 let project = NowAPI.getProject()89 project.env = project.env || {}90 project.env[key] = value91 92 NowAPI.updateProject(project)93 }94 static envDel (key) {95 let project = NowAPI.getProject()96 project.env = project.env || {}97 delete project.env[key]98 99 NowAPI.updateProject(project)100 }101102 static async secretGet (secret_name) {103 let secrets = (await NowAPI.request({104 method: 'GET',105 url: `/v2/now/secrets`106 })).secrets107108 if (secret_name)109 return secrets.filter(secret => secret.name == secret_name)[0]110 return secrets111 }112113 static async secretSet (secret_name, value) {114 // Check for existence first115 let secret = await NowAPI.secretGet(secret_name)116117 // Delete if it already exists118 if (secret)119 await NowAPI.secretDel(secret_name)120121 // Sets the secret122 return await NowAPI.request({123 method: 'POST',124 url: `/v2/now/secrets`,125 data: {126 name: secret_name,127 value: value128 }129 })130 }131 static async secretDel (secret_name) {132 return await NowAPI.request({133 method: 'DELETE',134 url: `/v2/now/secrets/${secret_name}`135 })136 }137138 static async secretEnvSet (secret, value) {139 let project = NowAPI.getProject()140 let secretName = `${project.name}-${secret}`.toLowerCase()141142 await NowAPI.secretSet(secretName, value)143 NowAPI.envSet(secret, `@${secretName}`)144 }145}146
...
project.js
Source:project.js
1/*2 * Copyright 2014 SeaClouds3 * Contact: SeaClouds4 *5 * Licensed under the Apache License, Version 2.0 (the "License");6 * you may not use this file except in compliance with the License.7 * You may obtain a copy of the License at8 *9 * http://www.apache.org/licenses/LICENSE-2.010 *11 * Unless required by applicable law or agreed to in writing, software12 * distributed under the License is distributed on an "AS IS" BASIS,13 * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.14 * See the License for the specific language governing permissions and15 * limitations under the License.16 */17'use strict';18angular.module('seacloudsDashboard.projects.project', ['ngRoute', 'seacloudsDashboard.projects', 'seacloudsDashboard.projects.project.status',19 'seacloudsDashboard.projects.project.monitor', 'seacloudsDashboard.projects.project.sla'])20 .config(['$routeProvider', function ($routeProvider) {21 $routeProvider.when('/projects/:project', {22 templateUrl: 'projects/project/project.html'23 })24 }])25 .controller('ProjectCtrl', function ($scope, $routeParams, $location, $interval, notificationService) {26 $scope.Page.setTitle('SeaClouds Dashboard - Project details');27 $scope.project = undefined;28 29 $scope.isLoaded = false;30 $scope.SeaCloudsApi.getProject($routeParams.project).31 success(function(project){32 $scope.project = project;33 $scope.isLoaded = true;34 }).35 error(function(){36 notificationService.error("Cannot retrieve the project, please try it again");37 })38 $scope.updateFunction = undefined;39 $scope.updateFunction = $interval(function () {40 $scope.SeaCloudsApi.getProject($routeParams.project).41 success(function (project) {42 $scope.project = project;43 }).44 error(function () {45 //TODO: Handle the error better than showing a notification46 notificationService.error("Unable to retrieve the project");47 })48 }, 5000);49 $scope.$on('$destroy', function () {50 if($scope.updateFunction){51 $interval.cancel($scope.updateFunction);52 }53 });54 $scope.$watch('projects', function (data) {55 $scope.SeaCloudsApi.getProject($routeParams.project).56 success(function(project){57 $scope.project = project;58 }).59 error(function(){60 notificationService.error("Cannot retrieve the project, please try it again");61 })62 })63 var tabSelected = 1;64 $scope.getSelectedTab = function () {65 return tabSelected;66 }67 $scope.setSelectedTab = function (tab) {68 tabSelected = tab;69 }70 $scope.removeProject = function () {71 $scope.SeaCloudsApi.removeProject($scope.project.id).72 success(function () {73 $location.path("/projects")74 notificationService.success("The application will be removed soon");75 }).76 error(function () {77 notificationService.error("An error happened during the removal process, please try it again");78 })79 }...
image-detail.controller.spec.js
Source:image-detail.controller.spec.js
1/*2 *3 * Licensed under the Apache License, Version 2.0 (the 'License');4 * you may not use this file except in compliance with the License.5 * You may obtain a copy of the License at6 *7 * http://www.apache.org/licenses/LICENSE-2.08 *9 * Unless required by applicable law or agreed to in writing, software10 * distributed under the License is distributed on an 'AS IS' BASIS,11 * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.12 * See the License for the specific language governing permissions and13 * limitations under the License.14 */15(function() {16 'use strict';17 describe('horizon.app.core.images', function() {18 beforeEach(module('ui.bootstrap'));19 beforeEach(module('horizon.app.core'));20 describe("ImageDetailController", function() {21 var ctrl, glanceAPI, keystoneAPI, imageMock, projectMock, tableRoute;22 beforeEach(inject(function($injector, $controller) {23 imageMock = {24 owner: 'mock_image_owner',25 properties: {26 kernel_id: 'mock_kernel_id'27 }28 };29 projectMock = {30 name: 'mock_project'31 };32 keystoneAPI = {33 getProject: function() {34 return {35 success: function(callback) {36 callback(projectMock);37 }38 };39 }40 };41 glanceAPI = {42 getImage: function() {43 return {44 success: function(callback) {45 callback(imageMock);46 }47 };48 }49 };50 spyOn(glanceAPI, 'getImage').and.callThrough();51 spyOn(keystoneAPI, 'getProject').and.callThrough();52 tableRoute = $injector.get('horizon.app.core.images.tableRoute');53 ctrl = $controller("ImageDetailController", {54 'horizon.app.core.openstack-service-api.glance': glanceAPI,55 'horizon.app.core.openstack-service-api.keystone': keystoneAPI,56 '$routeParams': {57 imageId: '1234'58 }59 });60 }));61 it('defines the controller', function() {62 expect(ctrl).toBeDefined();63 });64 it('should set table route', function() {65 expect(ctrl.tableRoute).toEqual(tableRoute);66 });67 it('should create a map of the image properties', function() {68 expect(ctrl.hasCustomProperties).toEqual(true);69 expect(ctrl.image.properties).toEqual([{name: 'kernel_id', value: 'mock_kernel_id'}]);70 });71 });72 });...
projectData.js
Source:projectData.js
1/*2 * @Author: ryma.naiatamara 3 * @Date: 2020-02-12 11:23:59 4 * @Last Modified by: mikey.zhaopeng5 * @Last Modified time: 2020-02-12 11:51:366 * 7 * Copyright (c) 2019 Red Alert Labs S.A.S.8 * All Rights Reserved.9 * This software is the confidential and proprietary information of10 * Red Alert Labs S.A.S. (Confidential Information). You shall not11 * disclose such Confidential Information and shall use it only in12 * accordance with the terms of the license agreement you entered13 * into with Red Alert Labs S.A.S.14 * RED ALERT LABS S.A.S. MAKES NO REPRESENTATIONS OR WARRANTIES ABOUT THE15 * SUITABILITY OF THE SOFTWARE, EITHER EXPRESS OR IMPLIED, INCLUDING16 * BUT NOT LIMITED TO THE IMPLIED WARRANTIES OF MERCHANTABILITY, FITNESS17 * FOR A PARTICULAR PURPOSE, OR NON-INFRINGEMENT. RED ALERT LABS S.A.S. SHALL18 * NOT BE LIABLE FOR ANY DAMAGES SUFFERED BY LICENSEE AS A RESULT OF USING,19 * MODIFYING OR DISTRIBUTING THIS SOFTWARE OR ITS DERIVATIVES.20 * 21 */22import axios from 'axios'23import { ADD_PROJECT_INPUTDATA } from '../actionTypes/project'24//Access project data/25export const ProjectData = (Data) => {26 return dispatch => {27 return axios.get("/api/getproject", Data)28 }29}30//Get project modified data31export const getInputProjectData = (InputData) => {32 return {33 type: ADD_PROJECT_INPUTDATA,34 InputData35 }36}37//delete38export const ProjectDelete = (projectdelete) => {39 return dispatch => {40 return axios.post(`/api/getproject/delete/${projectdelete}`, projectdelete)41 }42}43//Get changes44export const ProjectUpdata = (projectupdata) => {45 return dispatch => {46 return axios.post(`/api/getproject/updata/${projectupdata}`).then(res => {47 const projectdata = res.data/*[0]*/48 dispatch(getInputProjectData(projectdata))49 })50 }51}52//Add to53export const ProjectModify = (projectmodify) => {54 return dispatch => {55 return axios.post(`/api/getproject/modifyproject/`, projectmodify)56 }57}58//Update the data59export const UpdataProjectdata = (updataprojectdata, projectDataId) => {60 return dispatch => {61 return axios.post(`/api/getproject/projectdata/${projectDataId}`, updataprojectdata, projectDataId)62 }...
Projects.js
Source:Projects.js
1import styles from '../../styles/Home.module.css'2// import Image from 'next/image'3// import Link from 'next/link'4import Head from 'next/head'5import Card from '../../components/Card.js'6import Layout from '../../components/Layout'7import Skeleton from 'react-loading-skeleton'8export default function Projects({data}){9 const imageurl='pimage'10 return (11 <Layout>12 <Head>13 <title>Projects</title>14 </Head>15 <div className={styles.ccontainer}>16 {17 data.map((item)=>{18 return <Card key={item.id} detail="posts" item={item} iurl={imageurl}/>||<Skeleton width={300} height={300}/>19 })20 }21 </div>22 </Layout>23 )24}2526export async function getStaticProps(){27 const res = await fetch('https://mahadevan.herokuapp.com/api/getproject')28 // const res = await fetch('http://localhost:5000/api/getproject')29 const data = await res.json()30 console.log(data)31 if(!data){32 return{33 notFound:true,34 }35 }36 return {37 props:{data},38 revalidate: 60,39 }40}41// const ImageComp= ()=>{42// return(43// <Image 44// src="/images/freelancer.svg"45// height={200}46// width={200}47// alt="mahadevan"48// />49// )
...
ui.js
Source:ui.js
...3function pathResolve (dir) {4 return path.join(__dirname, './', dir)5}6module.exports = api => {7 console.log(`api.getProject():`)8 console.log(api.getProject())9 api.addClientAddon({10 id: 'org.vue.webpack.client-addon',11 // å
å«æ建åºæ¥ç JS æ件çæ件夹12 path: '@vue/cli-ui-addon-webpack/dist'13 })14 // å¨è¿éä½¿ç¨ API...15 api.describeTask({16 // ç¨äºå¹é
èæ¬å½ä»¤ç RegExp 对象ï¼æ¥éæ©è¦è¢«æè¿°çä»»å¡17 match: /gulp/,18 description: 'å置任å¡é¢æ§è¡ï¼vantUI',19 // âMore infoâé¾æ¥20 link: 'https://www.gulpjs.com.cn/',21 icon: '/public/vant.png'22 })...
Using AI Code Generation
1const cypress = require('cypress');2cypress.run({3})4.then((results) => {5 console.log(results);6})7.catch((err) => {8 console.error(err);9});10const cypress = require('cypress');11cypress.run({12})13.then((results) => {14 console.log(results);15})16.catch((err) => {17 console.error(err);18});19const cypress = require('cypress');20cypress.run({21})22.then((results) => {23 console.log(results);24})25.catch((err) => {26 console.error(err);27});28const cypress = require('cypress');29cypress.run({30})31.then((results) => {32 console.log(results);33})34.catch((err) => {35 console.error(err);36});37const cypress = require('cypress');38cypress.run({39})40.then((results) => {41 console.log(results);42})43.catch((err) => {44 console.error(err);45});46const cypress = require('cypress');47cypress.run({48})49.then((results) => {50 console.log(results);51})52.catch((err) => {53 console.error(err);54});55const cypress = require('cypress');56cypress.run({57})58.then((results) => {59 console.log(results);60})61.catch((err) => {62 console.error(err);63});64const cypress = require('cypress');65cypress.run({66})67.then((results) => {68 console.log(results);
Using AI Code Generation
1describe('Cypress API', function() {2 it('API call', function() {3 expect(response.body).to.have.length(30)4 })5 })6})7describe('Cypress API', function() {8 it('API call', function() {9 expect(response.body).to.have.length(30)10 })11 })12})
Using AI Code Generation
1const cypress = require('cypress');2cypress.api.getProject('project-id').then((project) => {3 console.log(project);4});5const cypress = require('cypress');6cypress.api.runs('project-id').then((runs) => {7 console.log(runs);8});9const cypress = require('cypress');10cypress.api.run('project-id', 'run-id').then((run) => {11 console.log(run);12});13const cypress = require('cypress');14cypress.api.record({15 env: {16 },17}).then((run) => {18 console.log(run);19});20const cypress = require('cypress');21cypress.api.runs('project-id').then((runs) => {22 console.log(runs);23});24const cypress = require('cypress');25cypress.api.run('project-id', 'run-id').then((run) => {26 console.log(run);27});28const cypress = require('cypress');29cypress.api.runs('project-id').then((runs) => {30 console.log(runs);31});32const cypress = require('cypress');
Using AI Code Generation
1describe('Cypress API', function () {2 it('Verify type of response body', function () {3 expect(response.body).to.be.an('object');4 });5 });6});7describe('Cypress API', function () {8 it('Verify type of response body', function () {9 expect(response.body).to.be.an('array');10 });11 });12});13describe('Cypress API', function () {14 it('Verify type of response body', function () {15 expect(response.body).to.be.an('string');16 });17 });18});19describe('Cypress API', function () {20 it('Verify type of response body', function () {21 expect(response.body).to.be.an('null');22 });23 });24});25describe('Cypress API', function () {26 it('Verify type of response body', function () {27 expect(response.body).to.be.an('undefined');28 });29 });30});31describe('Cypress API', function () {32 it('Verify type of response body', function () {33 expect(response.body).to.be.an('boolean');34 });35 });36});
Using AI Code Generation
1Cypress.Commands.add('getProject', () => {2 .its('body')3 .then(projects => projects[0])4})5Cypress.Commands.add('createProject', (name) => {6 .its('body')7})8Cypress.Commands.add('deleteProject', (id) => {9})10Cypress.Commands.add('deleteAllProjects', () => {11 .its('body')12})13Cypress.Commands.add('createTask
Cypress is a renowned Javascript-based open-source, easy-to-use end-to-end testing framework primarily used for testing web applications. Cypress is a relatively new player in the automation testing space and has been gaining much traction lately, as evidenced by the number of Forks (2.7K) and Stars (42.1K) for the project. LambdaTest’s Cypress Tutorial covers step-by-step guides that will help you learn from the basics till you run automation tests on LambdaTest.
You can elevate your expertise with end-to-end testing using the Cypress automation framework and stay one step ahead in your career by earning a Cypress certification. Check out our Cypress 101 Certification.
Watch this 3 hours of complete tutorial to learn the basics of Cypress and various Cypress commands with the Cypress testing at LambdaTest.
Get 100 minutes of automation test minutes FREE!!