Best JavaScript code snippet using cypress
webgl-utils.js
Source:webgl-utils.js
2 * Requests text data from file.3 * @param {string} fileName 4 * @return {string} Requested text from file5 */6 function loadTextFromFile(fileName) {7 var filetext;8 // Load shader code from source files9 var xhttp = new XMLHttpRequest();10 xhttp.open("GET", fileName, false);11 xhttp.onreadystatechange = function () {12 if (xhttp.readyState===4 && xhttp.status===200) {13 filetext = xhttp.responseText;14 } else {15 console.log("ERROR: Failed to load text from file. Is the filename correct?");16 fileText = "";17 }18 }19 xhttp.send();20 return filetext;21}22function createShader(gl, type, source) {23 var shader = gl.createShader(type);24 gl.shaderSource(shader, source);25 gl.compileShader(shader);26 var success = gl.getShaderParameter(shader, gl.COMPILE_STATUS);27 if (success) {28 return shader;29 }30 console.log(gl.getShaderInfoLog(shader));31 gl.deleteShader(shader);32 return false;33}34function createProgram(gl, vertexShader, fragmentShader) {35 var program = gl.createProgram();36 gl.attachShader(program, vertexShader);37 gl.attachShader(program, fragmentShader);38 gl.linkProgram(program);39 var success = gl.getProgramParameter(program, gl.LINK_STATUS);40 if (success) {41 return program;42 }43 console.log(gl.getProgramInfoLog(program));44 gl.deleteProgram(program);45}46/**47 * Creates a program from two sources.48 * @param {WebGLRenderingContext} gl The WebGlRendering Context49 * @param {string} vertSource File name of the vertex shader50 * @param {string} fragSource File name of the fragment shader51 * @return {WebGlProgram} The created program52 */53function createProgramFromSource(gl,vertSource, fragSource, fromFile) {54 var vertexShaderSource;55 var fragmentShaderSource;56 if (fromFile) {57 // Get shader source code from file58 vertexShaderSource = loadTextFromFile(vertSource);59 fragmentShaderSource = loadTextFromFile(fragSource);60 } else {61 vertexShaderSource = vertSource;62 fragmentShaderSource = fragSource;63 }64 // Compile shaders from source65 var vertexShader = createShader(gl, gl.VERTEX_SHADER, vertexShaderSource);66 if (vertexShader == false) {67 console.log("ERROR: Failed to compile " + vertSource + "! See above for details.");68 }69 var fragmentShader = createShader(gl, gl.FRAGMENT_SHADER, fragmentShaderSource);70 if (fragmentShader == false) {71 console.log("ERROR: Failed to compile " + fragSource + "! See above for details.");72 }73 // Create the shader program from compiled shaders...
InputCard.js
Source:InputCard.js
...42 }43 dispatch(appSetCompany(company));44 };45 const performLoadFromFile = () => {46 loadTextFromFile().then((txt) => {47 loadToModel(txt);48 });49 };50 const performLoadFromInput = () => {51 loadToModel(inputText);52 };53 return (54 <Card className={classes.inputCard}>55 <Typography variant="h6" className={classes.cardTitle}>56 1. Input Data57 </Typography>58 <div className={query ? classes.spaceBetween : classes.boxVertical}>59 <div className={classes.boxVertical}>60 <span>Load information from a formated file</span>...
long.js
Source:long.js
...20 loadAssets();21}22// ACTUAL ASSET LOADING23const loadAssets = async function() {24 const vsText = await loadTextFromFile('assets/shaders/vs.glsl');25 const fsText = await loadTextFromFile('assets/shaders/fs.glsl');26 demo(vsText, fsText);27}28// GAME CODE29const demo = function(vsText, fsText) {30 const shader = new Shader(vsText, fsText);31 const loader = new Loader();32 const renderer = new Renderer(75, canvas.width / canvas.height, 0.1, 1000.0);33 const camera = new Camera([0, 0, 0], [0, 0, 0]);34 35 const cube = loader.loadMesh(Cube.positions, Cube.normals, Cube.indices);36 const material = new Material(37 [0.1745, 0.01175, 0.01175],38 [0.61424, 0.04136, 0.04136],39 [0.727811, 0.626959, 0.626959],...
shader.js
Source:shader.js
...4 this.load(vsPath, fsPath);5 }6 async load(vsPath, fsPath) {7 const loader = new Loader();8 const vsSource = await loader.loadTextFromFile(vsPath);9 const fsSource = await loader.loadTextFromFile(fsPath);10 const vs = this.createShader(gl.VERTEX_SHADER, 'vertex', vsSource);11 const fs = this.createShader(gl.FRAGMENT_SHADER, 'fragment', fsSource);12 this.program = this.createProgram(vs, fs);13 }14 createShader(type, typeString, source) {15 const shader = gl.createShader(type);16 17 gl.shaderSource(shader, source);18 gl.compileShader(shader);19 if (!gl.getShaderParameter(shader, gl.COMPILE_STATUS)) {20 console.log('Could not compile ' + typeString + ' shader :(');21 console.log(gl.getShaderInfoLog(shader));22 return null;23 } else {...
file-handler.js
Source:file-handler.js
1// https://medium.com/@brandonstilson/lets-encrypt-files-with-node-85037bea8c0e2import fs from 'fs'3import zlib from 'zlib'4import stream from 'stream'5import AppendInitVect from './AppendInitVectStream'6import { createCipherStream, createDecipherStream } from './encryption-handler'7function StringToStream (text) {8 const s = stream.Readable()9 s.push(text)10 s.push(null)11 return s12}13export const saveToFile = (filePath, text, key) => {14 return new Promise((resolve, reject) => {15 const [ initVect, cipherSteam ] = createCipherStream(key)16 const appendInitVect = new AppendInitVect(initVect)17 const writeStream = fs.createWriteStream(filePath)18 const gzip = zlib.createGzip()19 const readStream = StringToStream(text)20 readStream21 .pipe(gzip)22 .pipe(cipherSteam)23 .pipe(appendInitVect)24 .pipe(writeStream)25 .on('finish', resolve)26 .on('error', (e) => reject(e))27 })28}29export const loadTextFromFile = (filePath, key) => {30 return new Promise((resolve, reject) => {31 const readInitVect = fs.createReadStream(filePath, { start: 0, end: 15 })32 let initVect33 readInitVect.on('data', (chunk) => {34 initVect = chunk35 })36 .on('error', (e) => reject(e))37 readInitVect.on('close', () => {38 const decipher = createDecipherStream(key, initVect)39 const readStream = fs.createReadStream(filePath, { start: 16 })40 const unzip = zlib.createUnzip()41 let textData = ''42 readStream43 .pipe(decipher)44 .pipe(unzip)45 .on('data', (chunk) => {46 textData += chunk.toString()47 })48 .on('end', () => resolve(textData))49 .on('error', (e) => reject(e))50 })51 })52}53export default {54 saveToFile,55 loadTextFromFile...
demo.js
Source:demo.js
2const demo = async () => {3 const renderer = new Renderer();4 const loader = new Loader();5 const shader = new Shader(6 await loader.loadTextFromFile('./shaders/simple.vert'),7 await loader.loadTextFromFile('./shaders/simple.frag'),8 );9 const camera = new Camera();10 const model = loader.loadModel(11 cube.positions,12 cube.normals,13 cube.indices14 );15 const entities = [];16 entities.push(new Entity(17 [0, 0, 0],18 [0, 0, 0],19 [1, 1, 1],20 [0, 1, 0]21 ));...
variables_9.js
Source:variables_9.js
1var searchData=2[3 ['lastdayofmonth_0',['lastDayOfMonth',['../class_save_load_delete.html#ab2d346d5741d87e28073ceee93ef6630',1,'SaveLoadDelete']]],4 ['lastdayofmonthint_1',['lastDayOfMonthInt',['../class_save_load_delete.html#af4e82cdbb10ca166072d8b19f27166c7',1,'SaveLoadDelete']]],5 ['lastdayofprevmonth_2',['lastDayOfPrevMonth',['../class_save_load_delete.html#aa13048e0b4909c9098ce29ecb8d6357a',1,'SaveLoadDelete']]],6 ['lastdayofprevmonthint_3',['lastDayOfPrevMonthInt',['../class_save_load_delete.html#afd7d63a42b2f58b850683cfbfa6a4f5d',1,'SaveLoadDelete']]],7 ['loadtextfromfile_4',['loadTextFromFile',['../class_save_notes.html#a801c2b0ce9f5ef6a74ee03d7752cb8d4',1,'SaveNotes']]]...
functions.js
Source:functions.js
1export const loadTextFromFile = () => {2 return new Promise((ok, error) => {3 var input = document.createElement("input");4 input.type = "file";5 input.onchange = () => {6 var fr = new FileReader();7 fr.onload = (evt) => ok(evt.target.result);8 fr.readAsText(input.files[0]);9 };10 input.click();11 });...
Using AI Code Generation
1describe('My First Test', function() {2 it('Does not do much!', function() {3 cy.contains('type').click()4 cy.url().should('include', '/commands/actions')5 cy.get('.action-email')6 .type('
Using AI Code Generation
1describe("My First Test", () => {2 it("Visits the Kitchen Sink", () => {3 cy.contains("type").click();4 cy.url().should("include", "/commands/actions");5 cy.get(".action-email")6 .type("
Using AI Code Generation
1describe('My First Test', () => {2 it('Does not do much!', () => {3 cy.contains('type').click()4 cy.url().should('include', '/commands/actions')5 cy.get('.action-email')6 .type('
Using AI Code Generation
1describe('My First Test', function() {2 it('Does not do much!', function() {3 cy.loadTextFromFile('test.txt').then((text) => {4 cy.log(text);5 });6 });7});
Using AI Code Generation
1describe('My First Test', () => {2 it('Does not do much!', () => {3 cy.loadTextFromFile("test.txt").then(text => {4 console.log(text);5 });6 });7});
Using AI Code Generation
1Cypress.Commands.add('loadTextFromFile', (fileName) => {2 return cy.readFile(fileName, 'utf8')3})4Cypress.Commands.add('loadTextFromFile', (fileName) => {5 return cy.readFile(fileName, 'utf8')6})7Cypress.Commands.add('loadTextFromFile', (fileName) => {8 return cy.readFile(fileName, 'utf8')9})10Cypress.Commands.add('loadTextFromFile', (fileName) => {11 return cy.readFile(fileName, 'utf8')12})13Cypress.Commands.add('loadTextFromFile', (fileName) => {14 return cy.readFile(fileName, 'utf8')15})16Cypress.Commands.add('loadTextFromFile', (fileName) => {17 return cy.readFile(fileName, 'utf8')18})19Cypress.Commands.add('loadTextFromFile', (fileName) => {20 return cy.readFile(fileName, 'utf8')21})
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!!