Best JavaScript code snippet using cypress
index.js
Source:index.js
...29 } else {30 debug('generating package.json');31 const packageJson = templates.package({ api, options });32 debug('writing package.json');33 await fs.outputFile(file, packageJson);34 }35};36const generateReadme = async (api, options) => {37 const file = path.resolve(options.output, 'README.md');38 if (await fs.pathExists(file)) {39 debug('not generating README.md since it already exists');40 } else {41 debug('generating README.md');42 const readmeDoc = templates.readme({ api, options });43 debug('writing README.md');44 await fs.outputFile(file, readmeDoc);45 }46};47const generateIndexJs = async (api, options) => {48 const file = path.resolve(options.output, 'lib/index.js');49 debug('generating lib/index.js');50 const indexSource = templates.index({ api, options });51 debug('writing lib/index.js');52 await fs.outputFile(file, indexSource);53};54const generateApiJs = async (api, options) => {55 const file = path.resolve(options.output, 'lib/api/index.js');56 debug('generating lib/api/index.js');57 const apiSource = templates.api({ api, options });58 debug('writing lib/api/index.js');59 await fs.outputFile(file, apiSource);60};61const generateResourceJs = async (api, resourceName, options) => {62 const resource = api.resources[resourceName];63 const file = path.resolve(options.output, `lib/api/${resourceName}.js`);64 debug(`generating lib/api/${resourceName}.js`);65 const resourceSource = templates.resource({66 api,67 options,68 resource,69 resourceName70 });71 debug(`writing lib/api/${resourceName}.js`);72 await fs.outputFile(file, resourceSource);73};74const generateSchemaJson = async (api, defName, options) => {75 const wrapper = api.schemaMap[defName];76 const name = `lib/schemas/${wrapper.file}.json`;77 const file = path.resolve(options.output, name);78 debug(`generating ${name}`);79 const schemaSource = JSON.stringify(wrapper.schema, null, 2);80 debug(`writing ${name}`);81 await fs.outputFile(file, schemaSource);82};83const generateResourceDoc = async (api, resourceName, options) => {84 const resource = api.resources[resourceName];85 const file = path.resolve(options.output, `docs/${resourceName}.md`);86 debug(`generating docs/${resourceName}.md`);87 const resourceDoc = templates.resourceDoc({88 api,89 options,90 resource,91 resourceName92 });93 debug(`writing docs/${resourceName}.md`);94 await fs.outputFile(file, resourceDoc);95};96const generateSchemaDoc = async (api, options) => {97 let file = path.resolve(options.output, 'docs/_schemas.md');98 debug('generating docs/_schemas.md');99 const schemasDoc = templates.schemasDoc({ api, options });100 debug('writing docs/_schemas.md');101 await fs.outputFile(file, schemasDoc);102 file = path.resolve(options.output, 'lib/schemas/apiInfo.json');103 debug('writing lib/schemas/apiInfo.json');104 await fs.outputFile(file, stableStringify(api.resources));105 file = path.resolve(options.output, 'lib/schemas/apiExamples.json');106 debug('writing lib/schemas/apiExamples.json');107 await fs.outputFile(file, stableStringify(api.examples));108};109module.exports = async (api, options) => {110 await loadTemplates();111 const promises = [112 generatePackageJson(api, options),113 generateReadme(api, options),114 generateIndexJs(api, options),115 generateApiJs(api, options),116 generateSchemaDoc(api, options)117 ];118 Object.keys(api.resources).forEach((r) => {119 if (RESERVED.indexOf(r) !== -1) {120 throw new Error(`${r} is reserved and cannot be used as a resource name`);121 }...
load-templates.spec.js
Source:load-templates.spec.js
1const mockFs = (() => {2 const fs = {3 readFile: jest.fn(),4 readFileSync: jest.fn(),5 outputFile: jest.fn(),6 outputFileSync: jest.fn()7 }8 return fs9})()10jest.mock('fs-extra', () => mockFs)11const mockGlobby = (() => {12 const globby = jest.fn()13 globby.sync = jest.fn()14 return globby15})()16jest.mock('globby', () => mockGlobby)17const { loadTemplates } = require('../lib/load-templates')18beforeEach(() => {19 mockGlobby.mockResolvedValue(['dir/file-0', 'dir/file-1'])20 mockGlobby.sync.mockReturnValue(['dir/file-0', 'dir/file-1'])21 let asyncCounter = 022 let syncCounter = 023 mockFs.readFile.mockImplementation(() => Promise.resolve(Buffer.from(`content-${asyncCounter++}`)))24 mockFs.readFileSync.mockImplementation(() => Buffer.from(`content-${syncCounter++}`))25})26afterEach(() => {27 mockGlobby.mockReset()28 mockGlobby.sync.mockReset()29 mockFs.readFile.mockReset()30 mockFs.readFileSync.mockReset()31 mockFs.outputFile.mockReset()32 mockFs.outputFileSync.mockReset()33})34describe('Load Templates', () => {35 it('is a function that has synchronous version', () => {36 expect(typeof loadTemplates).toBe('function')37 expect(typeof loadTemplates.sync).toBe('function')38 })39 it('loads a list of files using glob patterns and convert them into templates', () => {40 const templatesSync = loadTemplates.sync('**')41 .sort((t1, t2) => t1.getSource() > t2.getSource() ? 1 : -1)42 expect(Array.from(templatesSync.map(t => t.getSource())))43 .toEqual(['dir/file-0', 'dir/file-1'])44 expect(Array.from(templatesSync.map(t => t.render())))45 .toEqual(['content-0', 'content-1'])46 return loadTemplates('**')47 .then((templates) => templates.sort((t1, t2) => t1.getSource() > t2.getSource() ? 1 : -1))48 .then((templates) => {49 expect(Array.from(templates.map(t => t.getSource())))50 .toEqual(['dir/file-0', 'dir/file-1'])51 expect(Array.from(templates.map(t => t.render())))52 .toEqual(['content-0', 'content-1'])53 })54 })55 it('can write a bunch of loaded templates', () => {56 const distDir = `/destination-dir`57 return loadTemplates({ pattern: '**', cwd: distDir })58 .then((templates) => {59 templates.write.sync({}, `${distDir}/`)60 expect(mockFs.outputFileSync.mock.calls[0]).toEqual([`${distDir}/dir/file-0`, 'content-0'])61 expect(mockFs.outputFileSync.mock.calls[1]).toEqual([`${distDir}/dir/file-1`, 'content-1'])62 return templates63 })64 .then((templates) => {65 mockFs.outputFile.mockResolvedValue()66 return templates.write({}, `${distDir}/`)67 .then(() => {68 expect(mockFs.outputFile.mock.calls[0]).toEqual([`${distDir}/dir/file-0`, 'content-0'])69 expect(mockFs.outputFile.mock.calls[1]).toEqual([`${distDir}/dir/file-1`, 'content-1'])70 })71 })72 })73 it('process string as options argument', () => {74 mockFs.outputFile.mockResolvedValue()75 mockGlobby.mockResolvedValue(['file'])76 return loadTemplates('search-pattern', 'dest/path/string')77 .then((templates) => templates.write())78 .then(() => {79 expect(mockFs.outputFile).toHaveBeenCalledWith('dest/path/string', 'content-0')80 })81 })82 it('process function as options argument', () => {83 mockFs.outputFile.mockResolvedValue()84 mockGlobby.mockResolvedValue(['file'])85 return loadTemplates('search-pattern', () => 'dest/path/fn')86 .then((templates) => templates.write())87 .then(() => {88 expect(mockFs.outputFile).toHaveBeenCalledWith('dest/path/fn', 'content-0')89 })90 })91 it('process object as options argument', () => {92 mockFs.outputFile.mockResolvedValue()93 mockGlobby.mockResolvedValue(['file'])94 return loadTemplates('search-pattern', { resolve: 'dest/path/object' })95 .then((templates) => templates.write())96 .then(() => {97 expect(mockFs.outputFile).toHaveBeenCalledWith('dest/path/object', 'content-0')98 })99 })100 it('set destination path when options is empty object', () => {101 mockFs.outputFile.mockResolvedValue()102 mockGlobby.mockResolvedValue(['file-name'])103 return loadTemplates('search-pattern', {})104 .then((templates) => templates.write())105 .then(() => {106 expect(mockFs.outputFile).toHaveBeenCalledWith('file-name', 'content-0')107 })108 })...
hook.userconfig.test.js
Source:hook.userconfig.test.js
...14 var appName = 'testApp';15 before(function(done) {16 appHelper.teardown();17 async.series([18 function(cb) {fs.outputFile(path.resolve(__dirname,'../../testApp/config/abc.js'), 'module.exports = {"foo":"goo"};', cb);},19 function(cb) {fs.outputFile(path.resolve(__dirname,'../../testApp/config/foo/bar.js'), 'module.exports = {"foo":"bar", "abc":123, "betty": "boop"};', cb);},20 function(cb) {fs.outputFile(path.resolve(__dirname,'../../testApp/config/lara/bar.js'), 'module.exports = {"horse":"neigh", "pig": "oink", "betty": "spaghetti"};', cb);},21 function(cb) {fs.outputFile(path.resolve(__dirname,'../../testApp/config/env/development.js'), 'module.exports = {"cat":"meow"};', cb);},22 function(cb) {fs.outputFile(path.resolve(__dirname,'../../testApp/config/env/development/config.js'), 'module.exports = {"owl":"hoot"};', cb);},23 function(cb) {fs.outputFile(path.resolve(__dirname,'../../testApp/config/env/test-development.js'), 'module.exports = {"duck":"quack"};', cb);},24 function(cb) {fs.outputFile(path.resolve(__dirname,'../../testApp/config/env/test-development/config.js'), 'module.exports = {"dog":"woof"};', cb);},25 function(cb) {process.chdir('testApp'); cb();}26 ], done);27 });28 describe('with default options', function() {29 var sailsApp;30 it('should merge config options regardless of file structure', function(done) {31 sailsApp = Sails();32 sailsApp.load({hooks:{grunt:false, pubsub: false}}, function(err, sails) {33 if (err) { return callback(err); }34 assert.equal(sails.config.foo, 'bar');35 assert.equal(sails.config.abc, 123);36 assert.equal(sails.config.horse, 'neigh');37 assert.equal(sails.config.pig, 'oink');38 assert.equal(sails.config.betty, 'spaghetti');...
diff.js
Source:diff.js
...13 await tester.setupTest({quiet, local}, name)14 helper.newline()15 helper.print(chalk.inverse('ADD FILES'))16 const files = ['hello.txt', 'fox.sh', 'binary.bin']17 const p1 = fs.outputFile(files[0], 'hello world\nfoo bar')18 const p2 = fs.outputFile(files[1], 'echo "the quick brown fox jumped over the lazy dog"')19 const p3 = fs.outputFile(files[2], ']W^��Jɩ���������+^2��)\u001c�V�^pvӳ��4���K>�\u000e�C�����\nL�\b�AC��5-~�$\u0005z��\r�̾ob��mjÙB�������+�T�C\u001bh\u0004�u/���v�0�\u001e�\f�ܳ�5rV||X��[��J��^��ÆH�&Ki\r4�\u0019�')20 await Promise.all([p1, p2, p3])21 helper.print(chalk.inverse('MU DIFF'))22 await tester.mu([quiet, 'diff', '.'])23 helper.print(chalk.inverse('MU SAVE'))24 await tester.muSave(quiet)25 /* without a timeout the files change so quickly that their last-modified time stamps are identical. If the time stamp is the same and the size doesn't change then mu can't tell that it has been edited. */26 await new Promise((resolve, reject) => {27 setTimeout(async () => {28 try {29 await Promise.all([30 fs.outputFile(files[0], 'Hello the world bar foo'),31 fs.outputFile(files[1], 'echo "the Quick fox jumped high over\nthe lazy dog."'),32 fs.outputFile(files[2], ']W^��Jɩ������+^2��)\u001c�V�^pvӳ��4u000e�C�����\nL�\b�AC��005z��\r�̾ob��mj����+�T�C\u001bh\u0004�u/���v�0�\u001e�\f�ܳ�5rV||X��[�^��ÆH�&Ki\r4�\u0019�')33 ])34 helper.newline()35 helper.print(chalk.inverse('MU DIFF'))36 await tester.mu([quiet, 'diff', '.'])37 helper.print(chalk.inverse('DEL FILES'))38 await Promise.all([39 fs.remove(files[0]),40 fs.remove(files[1]),41 fs.remove(files[2])42 ])43 helper.print(chalk.inverse('MU DIFF'))44 await tester.mu([quiet, 'diff', '.'])45 await tester.cleanupTest(local, name)46 t.pass()...
lib.js
Source:lib.js
...43 return Promise.all(requests).then((responses) => {44 return addUpdateInformation(_.uniq(_.union(...responses.map(({data}) => hostsToDomins(data))))).join('\n');45 }).then((text) => {46 return Promise.all([47 fs.outputFile(`${distDic}/hosts.txt`, domainsToHosts(text)),48 fs.outputFile(`${distDic}/pi-hole.txt`, text),49 fs.outputFile(`${distDic}/dnsmasq.conf`, toDnsmasq(text)),50 fs.outputFile(`${distDic}/ad-guard-home.txt`, toAdGuardHome(text)),51 fs.outputFile(`${distDic}/surge.txt`, toSurge(text)),52 fs.outputFile(`${distDic}/surge2.txt`, toSurge2(text)),53 fs.outputFile(`${distDic}/smart-dns.conf`, toSmartDNS(text))54 ]);55 }).catch(console.log);...
dump.test.js
Source:dump.test.js
1const assert = require('assert').strict2const sinon = require('sinon')3const stdin = require('mock-stdin').stdin4const fs = require('fs-extra')5const rewire = require('rewire')6const dump = require('./../../src/commands/dump')7const wait = require('./../wait')8const { fill } = require('./../mockCredentials')9describe('dump', () => {10 const keys = {11 up: '\x1B\x5B\x41',12 down: '\x1B\x5B\x42',13 enter: '\x0D',14 space: '\x20'15 }16 let io = null17 beforeEach(() => {18 io = stdin()19 })20 afterEach(() => {21 io.restore()22 })23 it('dumps', async () => {24 sinon.stub(fs, 'outputFile')25 fill()26 const promise = dump(['--config', '__tests__/config.yaml'])27 await wait()28 await wait()29 io.send(keys.enter)30 await promise31 assert(fs.outputFile.calledWith('./exported_buckets/bucket/dir/object.jpg'))32 assert(33 fs.outputFile.calledWith(34 './exported_buckets/bucket/dir/object/object2.jpg'35 )36 )37 assert(38 fs.outputFile.neverCalledWith('./exported_buckets/bucket/dir/object/')39 )40 assert(fs.outputFile.neverCalledWith('./exported_buckets/bucket/dir/dir/'))41 })42 it('fails with no buckets', async () => {43 const dump = rewire('./../../src/commands/dump')44 sinon.stub(process, 'exit')45 const stub = sinon.stub().returns([])46 dump.__set__('listBuckets', stub)47 fill()48 await dump(['--config', '__tests__/config.yaml'])49 assert(process.exit.called)50 })51 it('gracefully throws error', async () => {52 const dump = rewire('./../../src/commands/dump')53 sinon.stub(process, 'exit')54 const stub = sinon.stub().throws('fake error')55 dump.__set__('listBuckets', stub)56 fill()57 await dump(['--config', '__tests__/config.yaml'])58 })59 it('fails with out of region bucket', async () => {60 sinon.stub(process, 'exit')61 fill()62 const promise = dump(['--config', '__tests__/config.yaml'])63 await wait()64 await wait()65 io.send(keys.down)66 io.send(keys.enter)67 await promise68 assert(process.exit.called)69 })70 it('displays help', async () => {71 sinon.stub(process, 'exit')72 await dump(['--help'])73 })...
download.test.js
Source:download.test.js
1const assert = require('assert').strict2const stdin = require('mock-stdin').stdin3const fs = require('fs-extra')4const sinon = require('sinon')5const download = require('./../../src/commands/download')6const wait = require('./../wait')7const { fill } = require('./../mockCredentials')8describe('download', () => {9 const keys = { enter: '\x0D' }10 let io = null11 beforeEach(() => {12 io = stdin()13 })14 afterEach(() => {15 io.restore()16 })17 it('model running', async () => {18 fill()19 const promise = download([20 'model-running',21 '--config',22 '__tests__/config.yaml'23 ])24 await wait()25 await wait()26 io.send('no')27 io.send(keys.enter)28 return promise29 })30 it('model pending watch progress', async () => {31 fill()32 const promise = download([33 'model-pending',34 '--config',35 '__tests__/config.yaml'36 ])37 await wait()38 await wait()39 io.send(keys.enter)40 return promise41 })42 it('model completed', async () => {43 sinon.stub(fs, 'outputFile')44 fill()45 await download(['model-completed', '--config', '__tests__/config.yaml'])46 assert(fs.outputFile.calledWith('./dir/object.jpg'))47 assert(fs.outputFile.calledWith('./dir/object/object2.jpg'))48 assert(fs.outputFile.neverCalledWith('./dir/object/'))49 assert(fs.outputFile.neverCalledWith('./dir/dir/'))50 })51 it('model error', async () => {52 sinon.stub(process, 'exit')53 fill()54 await download(['model-error', '--config', '__tests__/config.yaml'])55 assert(process.exit.called)56 })57 it('model failed', async () => {58 sinon.stub(process, 'exit')59 fill()60 await download(['model-failed', '--config', '__tests__/config.yaml'])61 assert(process.exit.called)62 })63 it('model canceled', async () => {64 sinon.stub(process, 'exit')65 fill()66 await download(['model-canceled', '--config', '__tests__/config.yaml'])67 assert(process.exit.called)68 })69 it('displays usage', async () => {70 sinon.stub(process, 'exit')71 await download([])72 })73 it('displays help', async () => {74 sinon.stub(process, 'exit')75 await download(['--help'])76 })...
doc.js
Source:doc.js
1const jsdoc2md = require('jsdoc-to-markdown')2const FS = require('fs-extra')3const path = require('path')4jsdoc2md.render({ files: 'src/url/*.js' }).then((v)=>{5 FS.outputFile(path.resolve(process.cwd(),'docs/url.md'),v)6})7jsdoc2md.render({ files: 'src/device/*.js' }).then((v)=>{8 FS.outputFile(path.resolve(process.cwd(),'docs/device.md'),v)9})10jsdoc2md.render({ files: 'src/dom/*.js' }).then((v)=>{11 FS.outputFile(path.resolve(process.cwd(),'docs/dom.md'),v)12})13jsdoc2md.render({ files: 'src/reg/*.js' }).then((v)=>{14 FS.outputFile(path.resolve(process.cwd(),'docs/reg.md'),v)...
Using AI Code Generation
1const fs = require('fs-extra')2describe('My First Test', function() {3 it('Does not do much!', function() {4 expect(true).to.equal(true)5 })6 it('Write to file', function() {7 fs.outputFile('cypress/fixtures/fileName.json', 'some text')8 })9})
Using AI Code Generation
1const path = require('path')2const fs = require('fs-extra')3const filePath = path.join(__dirname, '..', '..', 'cypress', 'fixtures', 'test.json')4const content = { name: 'test' }5fs.outputFile(filePath, content)6}
Using AI Code Generation
1const path = require('path')2const fs = require('fs-extra')3const filePath = path.join(__dirname, '..', '..', 'cypress', 'fixtures', 'test.json')4const content = { name: 'test' }5fs.outputFile(filePath, content)6{7}
Using AI Code Generation
1fs.outputFile('./newFile.txt', 'Hello World!', err => {2 if (err) return consol.error(err)3 console.log('success!')4})5fs.outputFile('./newFile.txt', 'Hello World!', err => {6 if (err) return console.error(err)7 console.log('success!')8})9fs.outputFile('./newFile.txt', 'Hello World!', err => {10 if (err) return console.error(err)11 console.log('success!')12})13fs.outputFile('./newFile.txt',
Using AI Code Generation
1import { writeFile } from 'fs'2writeFile('cypress/fixtures/abc.json', JSON.stringify(data), (err) => {3 if (err) throw err;4 console.log('The file has been saved!');5});6Cypress.Commands.add('writeFile', (fileName, data) => {7 cy.writeFile(fileName, data);8});9describe('My First Test', () => {10 it('Does not do much!', () => {11 expect(true).to.equal(true);12 });13 it('Write file', () => {14 cy.writeFile('cypress/fixtures/abc.json', {name: 'abc'});15 });16});17{18}
Using AI Code Generation
1const fs = require('fs-extra')2fs.outputFile('./fixtures/test.json', '{"foo": "bar"}')3describe('MyTest', () => {4 it('test', () => {5 cy.fixture('test.json').then((test) => {6 expect(test.foo).to.equal('bar')7 })8 })9})10cy.get('#file-upload').attachFile('file.png');11I am using Cypress.io for testing my web application. I have a file upload component. I want to write a test for it. I am using the following code to upload a file:cy.get('#file-upload').attachFile('file.png');I want to write a test for the above code. How can I do that?
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!!