Best JavaScript code snippet using cypress
server_spec.js
Source:server_spec.js
...38 beforeEach(function () {39 this.use = sinon.spy(express.application, 'use')40 })41 it('instantiates express instance without morgan', function () {42 const app = this.server.createExpressApp({ morgan: false })43 expect(app.get('view engine')).to.eq('html')44 expect(this.use).not.to.be.calledWith(morganFn)45 })46 it('requires morgan if true', function () {47 this.server.createExpressApp({ morgan: true })48 expect(this.use).to.be.calledWith(morganFn)49 })50 })51 context('#open', () => {52 beforeEach(function () {53 return sinon.stub(this.server, 'createServer').resolves()54 })55 it('calls #createExpressApp with morgan', function () {56 sinon.spy(this.server, 'createExpressApp')57 _.extend(this.config, { port: 54321, morgan: false })58 return this.server.open(this.config)59 .then(() => {60 expect(this.server.createExpressApp).to.be.calledWithMatch({ morgan: false })61 })62 })63 it('calls #createServer with port', function () {64 _.extend(this.config, { port: 54321 })65 const obj = {}66 sinon.stub(this.server, 'createRoutes')67 sinon.stub(this.server, 'createExpressApp').returns(obj)68 return this.server.open(this.config)69 .then(() => {70 expect(this.server.createServer).to.be.calledWith(obj, this.config)71 })72 })73 it('calls #createRoutes with app + config', function () {74 const app = {}75 const project = {}76 const onError = sinon.spy()77 sinon.stub(this.server, 'createRoutes')78 sinon.stub(this.server, 'createExpressApp').returns(app)79 return this.server.open(this.config, project, onError)80 .then(() => {81 expect(this.server.createRoutes).to.be.called82 expect(this.server.createRoutes.lastCall.args[0].app).to.equal(app)83 expect(this.server.createRoutes.lastCall.args[0].config).to.equal(this.config)84 expect(this.server.createRoutes.lastCall.args[0].project).to.equal(project)85 expect(this.server.createRoutes.lastCall.args[0].onError).to.equal(onError)86 })87 })88 it('calls #createServer with port + fileServerFolder + socketIoRoute + app', function () {89 const obj = {}90 sinon.stub(this.server, 'createRoutes')91 sinon.stub(this.server, 'createExpressApp').returns(obj)92 return this.server.open(this.config)93 .then(() => {94 expect(this.server.createServer).to.be.calledWith(obj, this.config)95 })96 })97 it('calls logger.setSettings with config', function () {98 sinon.spy(logger, 'setSettings')99 return this.server.open(this.config)100 .then((ret) => {101 expect(logger.setSettings).to.be.calledWith(this.config)102 })103 })104 })105 context('#createServer', () => {106 beforeEach(function () {107 this.port = 54321108 this.app = this.server.createExpressApp({ morgan: true })109 })110 it('isListening=true', function () {111 return this.server.createServer(this.app, { port: this.port })112 .then(() => {113 expect(this.server.isListening).to.be.true114 })115 })116 it('resolves with http server port', function () {117 return this.server.createServer(this.app, { port: this.port })118 .spread((port) => {119 expect(port).to.eq(this.port)120 })121 })122 it('all servers listen only on localhost and no other interface', function () {...
integration.test.js
Source:integration.test.js
...11 addUser: (payload) => ({ type: 'addUser', ...payload })12}13test(`bootstrapping a server from scratch`, async (t) => {14 const server = await bootstrap([15 use.app(createExpressApp()),16 use.store(mockStore())17 ]).listen()18 server.close()19})20test(`dispatching 'addUser' works`, async (t) => {21 const server = await bootstrap([22 use.app(createExpressApp()),23 use.store(mockStore()),24 use.route('/dispatch/:commandName', createDispatcher(commands))25 ]).listen()26 const { port } = server.address()27 const events = await post(`http://localhost:${port}/dispatch/addUser`, { name: 'Nancy Newuser' })28 t.deepEqual(events, [29 { type: 'addUser', name: 'Nancy Newuser' }30 ])31 server.close()32})33test(`dispatching 'xyUser' fails`, async (t) => {34 const server = await bootstrap([35 use.app(createExpressApp()),36 use.store(mockStore()),37 use.route('/dispatch/:commandName', createDispatcher(commands))38 ]).listen()39 const { port } = server.address()40 await t.throws(post(`http://localhost:${port}/dispatch/xyUser`, {}), /Unknown command: xyUser/)41 server.close()42})43test(`dispatching a restricted command fails`, async (t) => {44 const authorizer = (req) => req.params.command === 'restricted' ? authorize.deny('Nope!') : authorize.allow()45 const server = await bootstrap([46 use.app(createExpressApp()),47 use.store(mockStore()),48 use.route('/dispatch/:command', createDispatcher(commands), authorizer)49 ]).listen()50 const { port } = server.address()51 await t.throws(post(`http://localhost:${port}/dispatch/restricted`, {}), /Nope!/)52 server.close()53})54test(`reading events works`, async (t) => {55 const server = await bootstrap([56 use.app(createExpressApp()),57 use.store(mockStore()),58 use.route('/events/:id?', createReadRoute('events', { sortBy: 'timestamp', sortOrder: 'DESC' }))59 ]).listen()60 const { port } = server.address()61 const events = await request(`http://localhost:${port}/events`)62 t.deepEqual(events, JSON.stringify([63 { id: '123', type: 'mockEvent', foo: 'bar' }64 ]))65 server.close()66})67test(`reading a single event works`, async (t) => {68 const server = await bootstrap([69 use.app(createExpressApp()),70 use.store(mockStore()),71 use.route('/events/:id?', createReadRoute('events', { sortBy: 'timestamp', sortOrder: 'DESC' }))72 ]).listen()73 const { port } = server.address()74 const events = await request(`http://localhost:${port}/events/123`)75 t.deepEqual(events, JSON.stringify(76 { id: '123', type: 'mockEvent', foo: 'bar' }77 ))78 server.close()79})80test(`websocket propagates dispatched events`, async (t) => {81 t.plan(3)82 const store = await mockStore()83 const authorizer = sinon.spy(84 (event) => event.type === 'restrictedEvent' ? authorize.deny() : authorize.allow()85 )86 const server = await bootstrap([87 use.app(createExpressApp()),88 use.store(store),89 use.route('/websocket', createWebSocket(authorizer))90 ]).listen()91 const { port } = server.address()92 const ws = new WebSocket(`ws://localhost:${port}/websocket`)93 await new Promise((resolve) =>94 ws.on('open', () => resolve(t.pass())95 ))96 const recvPromise = new Promise((resolve) => {97 ws.on('message', (data) => {98 t.deepEqual(JSON.parse(data), [99 {100 type: 'someEvent',101 payload: { foo: 'bar' }...
index.test.js
Source:index.test.js
1/*2 * This file is part of the create-express-app package.3 *4 * (c) Yasser Ameur El Idrissi <getspookydev@gmail.com>5 *6 * For the full copyright and license information, please view the LICENSE7 * file that was distributed with this source code.8 */9const createExpressApp = require('../createExpressApp');10// mocking functions.11createExpressApp.initGitRepository = jest.fn(() =>12 Promise.resolve('Git initialization')13);14createExpressApp.installPackages = jest.fn(() =>15 Promise.resolve('Packages installed')16);17createExpressApp.initExpressApp = jest.fn(() =>18 Promise.resolve(0)19);20describe('Testing create-express-app package', function () {21 it('should display message if the version is compatible', function () {22 return createExpressApp.checkNodeVersion('8.1.0').then((response) => {23 expect(response).toEqual('Node version compatible');24 });25 });26 it('should throw error if the version is not compatible', function () {27 return createExpressApp.checkNodeVersion('12.8.0').catch((error) => {28 expect(error).toBeTruthy();29 });30 });31 it('should display message if the NPM is compatible', function () {32 return createExpressApp.checkNPMVersion('3.6.0').then((response) => {33 expect(response).toEqual('NPM version compatible');34 });35 });36 it('should throw error if the NPM version is not compatible', function () {37 return createExpressApp.checkNPMVersion('7.14.4').catch((error) => {38 expect(error).toBeTruthy();39 });40 });41 it('should display message if the Yarn is compatible', function () {42 return createExpressApp.checkYarnVersion('1.12.0').then((response) => {43 expect(response).toEqual('Yarn version compatible');44 });45 });46 it('should return true if the repository is already cloned from github', function () {47 return createExpressApp.checkIfRepositoryIsCloned().then((response) => {48 expect(response).toBe(2);49 });50 });51 it('should init Git repository', function () {52 return createExpressApp.initGitRepository().then((response) => {53 expect(response).toEqual('Git initialization');54 });55 });56 it('should init Install packages using NPM or Yarn strategy', function () {57 return createExpressApp.installPackages('npm').then((response) => {58 expect(response).toEqual('Packages installed');59 });60 });61 it('should accept create-express-app project name ', function () {62 return createExpressApp63 .checkAppName('create-express-app')64 .then((response) => {65 expect(response).toEqual('create-express-app accepted');66 });67 });68 it('should exit the program if the directory name is undefined', function(){69 createExpressApp.initExpressApp('create-express-app',undefined).then((response)=>{70 expect(response).toEqual(0);71 });72 });...
express.js
Source:express.js
...30 if (typeof port === 'object') {31 callback = path;32 path = port.path;33 }34 var app = createExpressApp(port, options);35 if (typeof callback === 'object') {36 for (path in callback) {37 app.post(normalizePath(path), callback[path]);38 }39 } else {40 app.post(normalizePath(path), callback);41 }42 return app.startServer();43}4445function createExpressApp(port, options) {46 if (!options) {47 options = port;48 port = options.port;49 }50 var app = express();51 var heroku = rpmUtil.isHeroku();52 if (heroku) {53 app.use(herokuEnsureHttps);54 port = process.env.PORT;55 }56 app.use(bodyParser.urlencoded({ extended: false }));57 app.use(bodyParser.json({ type: 'application/json' }));58 app.use(bodyParser.text({ type: '*/*' }));59 app.startServer = function () {
...
index.spec.js
Source:index.spec.js
...19 static: () => '/foo/bar'20 }21 };22});23describe('createExpressApp()', () => {24 it('should be a function.', () => {25 expect(typeof createExpressApp).toBe('function');26 });27 it('should return an express app when running in the dev environment', () => {28 const devConfigStub = Object.assign({}, configStub, {29 env: Object.assign({}, configStub.env, {30 isDev: true31 })32 });33 const app = createExpressApp(devConfigStub);34 expect(typeof app).toBe('function');35 });36 it('should return an express app when running in the live environment', () => {37 const liveConfigStub = Object.assign({}, configStub, {38 env: Object.assign({}, configStub.env, {39 isProduction: true40 })41 });42 const app = createExpressApp(liveConfigStub);43 expect(typeof app).toBe('function');44 });45});46describe('createExpressApp() -> app()', () => {47 it('should return valid JSON when requesting a GET on "/manage/health.json".', done => {48 const app = createExpressApp(configStub);49 request(app)50 .get('/manage/health.json')51 .set('Accept', 'application/json')52 .expect('Content-Type', /json/)53 .expect(54 200,55 {56 status: 'UP'57 },58 done59 );60 });...
create-express-app.test.js
Source:create-express-app.test.js
1const supertest = require('supertest');2const createExpressApp = require('./create-express-app');3const { Environment } = require('./models/environment');4it('should create an express app', () => {5 const app = createExpressApp(Environment.DEVELOPMENT);6 expect(app).toBeDefined();7 expect(app.get('env')).toEqual('development');8});9it('should setup the environment variable', () => {10 const app = createExpressApp(Environment.PRODUCTION);11 expect(app.get('env')).toEqual('production');12});13it('should hide x-powered-by header for security reason', async () => {14 const app = createExpressApp(Environment.TEST);15 app.get('/', (req, res) => res.json({}));16 const { status, headers } = await supertest(app).get('/');17 expect(status).toEqual(200);18 expect(headers['x-powered-by']).toBeUndefined();19});20it('should raise an error if unsupported environment passed', () => {21 expect(() => {22 createExpressApp('not-supported-environment');23 }).toThrowError('The given NODE_ENV value is not supported. Accepted values: development,test,production,staging');...
index.js
Source:index.js
...11const callbackURL = env.TRELLO_CALLBACK_URL12const port = env.PORT || 300113const sessionSecret = env.SESSION_SECRET || 'secret'14log.setLevel(isProduction ? 'info' : 'debug')15const app = createExpressApp({16 knex,17 isProduction,18 corsOrigin,19 sessionSecret,20 graphqlSchema,21 trello: {22 consumerKey,23 consumerSecret,24 callbackURL25 }26})27app.listen(port, function () {28 log.info(`current NODE_ENV: ${env.NODE_ENV}`)29 log.info(`listening ${port}...`)...
server.js
Source:server.js
...4const createExpressApp = require('./createExpressApp')5const createApolloServer = require('./graphql/createApolloServer')6const simplyrets = require('./SimplyRETS')7module.exports = (async () => {8 const app = await createExpressApp({ logger })9 const apollo = await createApolloServer({ app, logger, simplyrets })10 return new Promise((resolve, reject) => {11 const server = http.createServer().on('request', app)12 apollo.installSubscriptionHandlers(server)13 server.listen(PORT, () => {14 logger.info(`Graphql server ready at http://localhost:${PORT}${apollo.graphqlPath}`)15 return resolve({ server })16 })17 })...
Using AI Code Generation
1import { createExpressApp } from '@cypress/webpack-dev-server';2import { createWebpackConfig } from '@cypress/webpack-preprocessor';3import webpack from 'webpack';4import path from 'path';5import fs from 'fs';6import express from 'express';7import bodyParser from 'body-parser';8import cors from 'cors';9import morgan from 'morgan';10import helmet from 'helmet';11import compression from 'compression';12import expressValidator from 'express-validator';13import expressJoiValidation from 'express-joi-validation';14import expressJwt from 'express-jwt';15import expressJwtSecret from 'express-jwt-secret';16import expressJwtPermissions from 'express-jwt-permissions';17import expressJwtAuthz from 'express-jwt-authz';18import expressBasicAuth from 'express-basic-auth';19import expressRequestLanguage from 'express-request-language';20import expressRequestLocale from 'express-request-locale';21import expressRequestIp from 'express-request-ip';22import expressRequestDevice from 'express-request-device';23import expressRequestDebug from 'express-request-debug';24import expressRequestProxy from 'express-request-proxy';25import expressRequestUrl from 'express-request-url';26import expressRequestVersion from 'express-request
Using AI Code Generation
1import { createExpressApp } from '@cypress/webpack-dev-server';2import express from 'express';3const app = express();4app.get('/', (req, res) => {5 res.send('hello world');6});7module.exports = createExpressApp(app);
Using AI Code Generation
1import { createExpressApp } from '@cypress/webpack-dev-server';2const express = require('@cypress/webpack-dev-server');3const { createExpressApp } = require('@cypress/webpack-dev-server');4const createExpressApp = require('@cypress/webpack-dev-server').createExpressApp;5const { createExpressApp } = require('@cypress/webpack-dev-server').createExpressApp;6const createExpressApp = require('@cypress/webpack-dev-server').default;7const { createExpressApp } = require('@cypress/webpack-dev-server').default;8const createExpressApp = require('@cypress/webpack-dev-server');9const { createExpressApp } = require('@cypress/webpack-dev-server');10const express = require('express');11const app = express();12app.get('/users', (req, res) => {13 res.send('Users');14});15app.listen(3000, () => {16 console.log('Server is running on port 3000');17});18const createExpressApp = require('@cypress/webpack-dev-server').createExpressApp;19describe('My First Test', () => {20 it('Visits the Kitchen Sink', () => {21 });22});23describe('My First Test', () => {24 it('Visits the Kitchen Sink', () => {25 });26});27describe('My First Test', () => {28 it('Visits the Kitchen Sink', () => {29 });30});31describe('My First Test', () => {32 it('Visits the Kitchen Sink', () => {33 });34});35describe('My First Test', () => {36 it('Visits the Kitchen Sink', () => {37 });38});39describe('My
Using AI Code Generation
1const app = createExpressApp()2app.get('/test', (req, res) => {3 res.send('test')4})5app.listen(3000, () => {6 console.log('listening on port 3000')7})8describe('test', () => {9 it('should work', () => {10 cy.request('/test').should('have.property', 'status', 200)11 })12})13describe('test', () => {14 it('should work', () => {15 cy.visit('/test')16 })17})18Error: CypressError: cy.visit() failed trying to load:19cy.get('input[name="username"]').type('test')20cy.get('input[name="password"]').type('test')21cy.get('button[name="submit"]').click()22cy.get('input[name="username"]').type('test')23cy.get('input[name="password"]').type('test')24cy.get('button[name="submit"]').click()
Using AI Code Generation
1const createExpressApp = require('@cypress/webpack-dev-server/dist/createExpressApp')2const webpackConfig = require('@cypress/webpack-preprocessor/dist/options').getWebpackOptions()3const webpack = require('webpack')4const webpackDevMiddleware = require('webpack-dev-middleware')5const webpackHotMiddleware = require('webpack-hot-middleware')6const browserify = require('@cypress/browserify-preprocessor')7const app = createExpressApp(webpackConfig, {8 onDevServer: (devServer) => {
Using AI Code Generation
1const createExpressApp = require('cypress-express/app')2const express = require('express')3const app = express()4app.get('/users', (req, res) => {5 res.json([6 { email: '
Using AI Code Generation
1const express = require('express')2const app = express()3app.get('/', (req, res) => {4 res.send('Hello World')5})6cy.createExpressApp(app).then((app) => {7 cy.request('/').then((response) => {8 expect(response.body).to.equal('Hello World')9 })10})11const createExpressApp = require('cypress-express')12module.exports = (on, config) => {13 on('task', {14 })15}16Cypress.Commands.add('createExpressApp', (app) => {17 return cy.task('createExpressApp', app)18})19require('cypress-express/commands')20{21}22Cypress.Commands.add('createExpressApp', (app) => {23 return cy.task('createExpressApp', app)24})25Cypress.Commands.add('createExpressApp', createExpressApp)26Cypress.Commands.add('createExpressApp', (app) => {27 return cy.task('createExpressApp', app)28})29Cypress.Commands.add('createExpressApp', createExpressApp)30Cypress.Commands.add('createExpressApp', (app) => {31 return cy.task('createExpressApp', app)32})33Cypress.Commands.add('createExpressApp', createExpressApp)34Cypress.Commands.add('createExpressApp', (app) => {35 return cy.task('createExpressApp', app)36})
Using AI Code Generation
1import { createExpressApp } from '@cypress/webpack-dev-server';2const app = createExpressApp({3});4app.get('/api', (req, res) => {5 res.json({ name: 'test' });6});7app.listen(8080);8{9}10import { createExpressApp } from '@cypress/webpack-dev-server';11const app = createExpressApp({12});13app.get('/api', (req, res) => {14 res.json({ name: 'test' });15});16app.listen(8080);17- Default: `{}`18- Default: `{}`19This is passed to `webpack-dev-middleware`. See [webpack-dev-middleware options](
Using AI Code Generation
1import { createExpressApp } from '@cypress/express'2const app = createExpressApp()3app.get('/hello', (req, res) => {4 res.send('Hello World!')5})6app.listen(3000, () => {7 console.log('Listening on port 3000')8})9describe('My First Test', () => {10 it('Visits the Kitchen Sink', () => {11 cy.contains('Hello World!')12 })13})14- [createExpressApp](#createexpressapp)15 - [Parameters](#parameters)16 - [Examples](#examples)17- [createExpressAppForTesting](#createexpressappfortesting)18 - [Parameters](#parameters-1)19 - [Examples](#examples-1)20- [createExpressAppForTestingWithMiddleware](#createexpressappfortestingwithmiddleware)21 - [Parameters](#parameters-2)22 - [Examples](#examples-2)23- [createExpressAppWithMiddleware](#createexpressappwithmiddleware)24 - [Parameters](#parameters-3)25 - [Examples](#examples-3)26- [createExpressAppWithMiddlewareAndRoutes](#createexpressappwithmiddlewareandroutes)27 - [Parameters](#parameters-4)28 - [Examples](#examples-4)29- [createExpressAppWithRoutes](#createexpressappwithroutes)30 - [Parameters](#parameters-5)31 - [Examples](#examples-5)32- [createExpressAppWithStatic](#createexpressappwithstatic)33 - [Parameters](#parameters-6)34 - [Examples](#examples-6)
Using AI Code Generation
1const express = require('express')2const app = express()3const bodyParser = require('body-parser')4app.use(bodyParser.json())5app.use(bodyParser.urlencoded({ extended: true }))6app.post('/api/message', (req, res) => {7 res.send({ message: 'Hello from Express!' })8})9app.listen(port, () => {10})11describe('My First Test', () => {12 it('Does not do much!', () => {13 expect(true).to.equal(true)14 })15})16it('Posts data to the server', () => {17 cy.get('#btn').click()18 cy.wait(2000)19 cy.get('#msg').should('contain', 'Hello from Express!')20})21describe('My First Test', () => {22 it('Does not do much!', () => {23 expect(true).to.equal(true)24 })25})26it('Posts data to the server', () => {27 cy.server()28 cy.route({
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!!