SlideShare une entreprise Scribd logo
1  sur  174
engineer at shopify.
haris —
instructor at
hackeryou.
haris —
tech apparel + pins
at repitsupply.com
haris —
FITC2017
@harismahmood89
@repitsupply
haris —
WORLD OF
TESTINGfo r F r o n t -E n d D e v e l o p e r s
A n I n t r o d u c t i o n t o t h e
a brief intro.
i didn’t know where to start.
testing seemed hard.
testing seemed confusing.
front-end has evolved incredibly.
ridiculous amount of libraries, tools,
frameworks to choose from.
explore various aspects of the testing
world to help you begin.
won’t explore every option.
the most commonly used.
why test?
faster than manual testing in
the long run.
verify previously tested code still
works as the app/product evolves.
tests act like self-updating
documentation.
test all edge/weird cases.
build rock-solid apps.
a couple stories.
nest - smart thermostat.
drained entire battery after
software update.
no heat during one of the
coldest times in 2016.
nissan airbag sensor software.
washington state’s prison
sentence reduction.
update released in 2002.
more then 3,000 prisoners
released early.
600 days.
people would potentially have
to go back to prison.
13 years.
cool, so what first?
linting — the first line of defence.
linting tools enforce defined
style rules.
ensures better readability.
highlights issues (particularly
syntax errors) before execution.
eslint.
companies share their eslint configs
that you can use as a starting point.
test tools + concepts.
tonnes of different types of
test tools.
various functionalities.
some tools provide more than
one functionality.
develop an ideal combination of tools as per
your preference / project requirement.
i. test frameworks.
provides the foundation to test your code.
ii. testing structure.
test code organization. usually organized in a
behaviour-driven-development (bdd) structure.
describe('calculator', function() {
		
		 // describes a module with nested "describe" functions
		 describe('add', function() {
		
		 // specify the expected behaviour
		 it('should add 2 numbers', function() {
		 // test assertions go here
		 })
		 })
		})
ii. assertions.
functions that ensure test results are
as expected.
// Jasmine
expect(houseName).toBeString()
expect(houseName).toEqual(‘Targaryen’)
// Chai
expect(houseName).to.be.a(‘string’)
expect(houseName).to.equal(‘Targaryen’)
iii. spies.
gather info about function calls. help
verify functions are called or not.
var user = {
		 ...
		 setName: function(name) {
		 this.name = name;
		 }
		}
		
		//Create spy
		var setNameSpy = sinon.spy(user, ‘setName');
		user.setName(‘Jon Snow’);
		
		console.log(setNameSpy.callCount); //output: 1
super helpful to test callbacks.
function myFunction(condition, callback) {
		 if(condition) {
		 callback();
		 }
		}
function myFunction(condition, callback) {
		 if(condition) {
		 callback();
		 }
		}
		
		describe('myFunction', function() {
		 it('should call the callback function', function() {
		 var callback = sinon.spy();
		
		 myFunction(true, callback);
		
		 assert(callback.calledOnce); // true
		 });
		});
iv. stubs.
allow you to replace functions with our
own to ensure a behaviour.
var account = {
...
isActive: function() { ... }
}
sinon.stub(account, ‘isActive').returns(true)
v. code coverage.
determines whether our test cases are
covering the entirety of an app’s codebase.
vi. generate + display tests.
display our tests and results.
test types.
unit tests.
unit tests.
test individual functions / classes. pass in
inputs and ensure expected output is returned.
integration tests.
integration tests.
test several functions/modules/components to
ensure they work together as expected.
functional tests.
functional tests.
test a scenario on the app/product.
snapshot tests.
snapshot tests.
compare resulting data to an expected one.
super useful for component structure testing.
tips + things to keep in mind.
start with unit tests. they are
quite often easier to write.
use a coverage tool to ensure
unit tests cover everything.
have unit, and integration
tests at least.
snapshot tests can be an alternative
to ui-based integration tests.
use the same tools for all
your tests if possible.
testing structure, syntax, assertion
functions, result reporting, etc.
choosing a framework.
the first thing you’ll want to do
is to pick a testing framework.
let’s examine some of the most
popular ones today.
jasmine.
provides everything you need out of box -
running environment, reporting, mocking tools,
assertion functions.
ready out of the box. you can still switch/add
features if needed.
jasmine.
extremely popular in the angular world.
jasmine.
relies on third party libraries and tools for
assertions, mocks, spies etc.
mocha.
a little harder to setup, but more flexible.
mocha.
built and recommended by facebook.
jest.
wraps jasmine, and adds features on top.
jest.
super impressive speeds and convenience.
jest.
mainly used for react apps, but can be used
elsewhere too.
jest.
other tools.
code coverage tool.
istanbul.
lets you run tests in browsers - real,
headless, and legacy.
karma.
the most popular assertion library.
chai.
testing utility for react apps built by
airbnb. allows for super easy asserts,
traversing the component outputs, etc.
enzyme.
provides spies, stubs and mocks.
sinon.
how should i start?
super quick to set up + get going, provides
tonnes of tooling built right in (due to
jasmine wrapping).
start with jest.
just write some tests.
you may end up changing to a
different framework + tools.
the basic concepts are the same
across them all.
quick example.
silly movie theatre app. let’s
check it out, setup jest and start
testing!
var list = [
		 {
		 name: 'Jurassic World 2',
		 showTime: '7:00pm',
		 ticketsRemaining: 47,
		 },
		 {
		 name: 'Star Wars: The Last Jedi',
		 showTime: '10:00pm',
		 ticketsRemaining: 22,
		 }
		]
app-folder
!"" app.js
!"" yarn.lock
#"" package.json
app-folder
!"" app.js
!"" yarn.lock
#"" package.json
function listMovies(list) {
		 return list.reduce((acc, item) => {
		 return `${acc} ${item.name} at ${item.showTime} has $
{item.ticketsRemaining} tickets left n`;
		 }, '');
		}
function listMovies(list) {
		 return list.reduce((acc, item) => {
		 return `${acc} ${item.name} at ${item.showTime} has $
{item.ticketsRemaining} tickets left n`;
		 }, '');
		}
Jurassic World 2 at 7:00pm has 47 tickets left
Star Wars: The Last Jedi at 10:00pm has 22 tickets left
function ticketsLeft(movie) {
		 return movie.ticketsRemaining > 0;
		}
function addMovieToList(list, name, showTime) {
		 let newList = list.slice();
		 newList.push({
		 name,
		 showTime,
		 ticketsRemaining: 100
		 });
		
		 return newList;
		}
function buyTickets(movie, quantity) {
		 const newRemaining = movie.ticketsRemaining - quantity;
		 if (newRemaining >= 0) {
		 return Object.assign(movie,
{ticketsRemaining: movie.ticketsRemaining - quantity});
		 } else {
		 return 'Error';
		 }
		}
module.exports = {
listMovies,
ticketsLeft,
buyTickets,
addMovieToList
}
let’s setup jest!
yarn add --dev jest
npm install --save-dev jest
update package.json
{
"name": "example-1",
"version": "1.0.0",
"main": "app.js",
"license": "MIT",
"devDependencies": {
"jest": "^21.1.0"
},
"scripts": {
"test": "jest"
}
}
npm test
and that is literally it.
let’s write some tests!
two main ways to have jest run your tests.
i. files with *.test.js
ii. files in a folder named __test__
function ticketsLeft(movie) {
		 return movie.ticketsRemaining > 0;
		}
const app = require('./app.js');
		
		describe('the movie app', () => {
		 describe('ticketsLeft', () => {
		 it('should return false when no tickets available', () => {
		
		 });
		 });
		});
const app = require('./app.js');
		
		describe('the movie app', () => {
		 describe('ticketsLeft', () => {
		 it('should return false when no tickets available', () => {
		
		 });
		 });
		});
it('should return false when no tickets available', () => {
		 const testMovie = {
		 ticketsRemaining: 0,
		 };
		});
it('should return false when no tickets available', () => {
		 const testMovie = {
		 ticketsRemaining: 0,
		 };
		 const result = app.ticketsLeft(testMovie);
		 const expected = false;		
		});
it('should return false when no tickets available', () => {
		 const testMovie = {
		 ticketsRemaining: 0,
		 };
		 const result = app.ticketsLeft(testMovie);
		 const expected = false;
		
		 expect(result).toEqual(expected);
		});
‘expect’ and ‘toBe’ are called matchers.
npm test
🎉
it('should return true when tickets are available', () => {
		 const testMovie = {
		 ticketsRemaining: 27,
		 };
		 const result = app.ticketsLeft(testMovie);
		 const expected = true;
		
		 expect(result).toEqual(expected);
		});
function listMovies(list) {
		 return list.reduce((acc, item) => {
		 return `${acc} ${item.name} at ${item.showTime} has $
{item.ticketsRemaining} tickets left n`;
		 }, '');
		}
describe('listMovies', () => {
		
		 it('should list movies, showtimes and tickets', () => {
		 var list = [
		 {
		 name: 'Jurassic World 2’, showTime: ‘7:00pm', ticketsRemaining: 47,
		 },
		 {
		 name: 'Star Wars: The Last Jedi’, showTime: ’10:00pm', ticketsRemaining: 22,
		 }
		 ];
		
		 const result = app.listMovies(list);
		 const expected = 'Jurassic World 2 at 7:00pm has 47 tickets left nStar Wars:
The Last Jedi at 10:00pm has 22 tickets left n';
		
		 expect(result).toEqual(expected);
		 });
		 });
Difference:
- Expected
+ Received
- Jurassic World 2 at 7:00pm has 47 tickets left
- Star Wars: The Last Jedi at 10:00pm has 22 tickets left
+ Jurassic World 2 at 7:00pm has 47 tickets left
+ Star Wars: The Last Jedi at 10:00pm has 22 tickets left
Difference:
- Expected
+ Received
- Jurassic World 2 at 7:00pm has 47 tickets left
- Star Wars: The Last Jedi at 10:00pm has 22 tickets left
+ Jurassic World 2 at 7:00pm has 47 tickets left
+ Star Wars: The Last Jedi at 10:00pm has 22 tickets left
function listMovies(list) {
		 return list.reduce((acc, item) => {
		 return `${acc} ${item.name} at ${item.showTime} has $
{item.ticketsRemaining} tickets left n`;
		 }, '');
		}
function listMovies(list) {
		 return list.reduce((acc, item) => {
		 return `${acc}${item.name} at ${item.showTime} has $
{item.ticketsRemaining} tickets left n`;
		 }, '');
		}
describe('addMovieToList', () => {
		 it('adds a movie to the movie list', () => {
		 const list = [
		 { name: 'Jurassic World 2’, showTime: ‘7:00pm', ticketsRemaining: 47 }
		 ];
		
		 const results = app.addMovieToList(list, 'Thor', '4:30pm');
		 const expected = [
		 { name: 'Jurassic World 2’, showTime: ‘7:00pm’, ticketsRemaining: 47 },
		 { name: ‘Thor', showTime: ‘4:30pm', ticketsRemaining: 100 }
		 ];
		
		 expect(results).toBe(expected);
		
		 });
		 });
Expected value to be (using ===):
Compared values have no visual difference. Looks like you
wanted to test for object/array equality with strict `toBe`
matcher. You probably need to use `toEqual` instead.
describe('addMovieToList', () => {
		 it('adds a movie to the movie list', () => {
		 const list = [
		 { name: 'Jurassic World 2’, showTime: ‘7:00pm', ticketsRemaining: 47 }
		 ];
		
		 const results = app.addMovieToList(list, 'Thor', '4:30pm');
		 const expected = [
		 { name: 'Jurassic World 2’, showTime: ‘7:00pm’, ticketsRemaining: 47 },
		 { name: ‘Thor', showTime: ‘4:30pm', ticketsRemaining: 100 }
		 ];
		 	 	 expect(results).toBe(expected);
		 expect(results).toEqual(expected);
		
		 });
		 });
other matchers.
toBeNull, toBeUndefined, toBeDefined, toBeTruthy,
toBeFalsy, toBeGreaterThan, toBeGreaterThanOrEqual,
toBeLessThan, toMatch, toContain ...
all done! i think?
let’s setup some code coverage!
update our test script.
"scripts": {
"test": "jest --coverage"
}
buyTickets()
add a watcher for continuous testing runs.
"scripts": {
"test": "jest --coverage --watch"
}
in conclusion.
the value of testing is immense.
the ecosystem is vast with tonnes
of options to choose from.
many options provide tooling for
specific requirements.
a few that are all-encompassing.
start simple.
customize + modify as you go.
most importantly —
most importantly — start.
thank-you!
thank-you! #beKind
thank-you! #beKind #repItSupply

Contenu connexe

Tendances

The core libraries you always wanted - Google Guava
The core libraries you always wanted - Google GuavaThe core libraries you always wanted - Google Guava
The core libraries you always wanted - Google GuavaMite Mitreski
 
Java 8 Puzzlers [as presented at OSCON 2016]
Java 8 Puzzlers [as presented at  OSCON 2016]Java 8 Puzzlers [as presented at  OSCON 2016]
Java 8 Puzzlers [as presented at OSCON 2016]Baruch Sadogursky
 
Google Guava for cleaner code
Google Guava for cleaner codeGoogle Guava for cleaner code
Google Guava for cleaner codeMite Mitreski
 
Test-driven JavaScript Development - OPITZ CONSULTING - Tobias Bosch - Stefa...
Test-driven JavaScript Development - OPITZ CONSULTING -  Tobias Bosch - Stefa...Test-driven JavaScript Development - OPITZ CONSULTING -  Tobias Bosch - Stefa...
Test-driven JavaScript Development - OPITZ CONSULTING - Tobias Bosch - Stefa...OPITZ CONSULTING Deutschland
 
Bsides
BsidesBsides
Bsidesm j
 
AST - the only true tool for building JavaScript
AST - the only true tool for building JavaScriptAST - the only true tool for building JavaScript
AST - the only true tool for building JavaScriptIngvar Stepanyan
 
Web Optimization Summit: Coding for Performance
Web Optimization Summit: Coding for PerformanceWeb Optimization Summit: Coding for Performance
Web Optimization Summit: Coding for Performancejohndaviddalton
 
Riga Dev Day 2016 - Having fun with Javassist
Riga Dev Day 2016 - Having fun with JavassistRiga Dev Day 2016 - Having fun with Javassist
Riga Dev Day 2016 - Having fun with JavassistAnton Arhipov
 
Google guava - almost everything you need to know
Google guava - almost everything you need to knowGoogle guava - almost everything you need to know
Google guava - almost everything you need to knowTomasz Dziurko
 
AST Rewriting Using recast and esprima
AST Rewriting Using recast and esprimaAST Rewriting Using recast and esprima
AST Rewriting Using recast and esprimaStephen Vance
 
JavaOne 2015 - Having fun with Javassist
JavaOne 2015 - Having fun with JavassistJavaOne 2015 - Having fun with Javassist
JavaOne 2015 - Having fun with JavassistAnton Arhipov
 
Unit testing en iOS @ MobileCon Galicia
Unit testing en iOS @ MobileCon GaliciaUnit testing en iOS @ MobileCon Galicia
Unit testing en iOS @ MobileCon GaliciaRobot Media
 

Tendances (20)

Akka in-action
Akka in-actionAkka in-action
Akka in-action
 
The core libraries you always wanted - Google Guava
The core libraries you always wanted - Google GuavaThe core libraries you always wanted - Google Guava
The core libraries you always wanted - Google Guava
 
Akka tips
Akka tipsAkka tips
Akka tips
 
Java 8 Puzzlers [as presented at OSCON 2016]
Java 8 Puzzlers [as presented at  OSCON 2016]Java 8 Puzzlers [as presented at  OSCON 2016]
Java 8 Puzzlers [as presented at OSCON 2016]
 
Google Guava for cleaner code
Google Guava for cleaner codeGoogle Guava for cleaner code
Google Guava for cleaner code
 
Deep dive into Oracle ADF
Deep dive into Oracle ADFDeep dive into Oracle ADF
Deep dive into Oracle ADF
 
ES2015 workflows
ES2015 workflowsES2015 workflows
ES2015 workflows
 
Test-driven JavaScript Development - OPITZ CONSULTING - Tobias Bosch - Stefa...
Test-driven JavaScript Development - OPITZ CONSULTING -  Tobias Bosch - Stefa...Test-driven JavaScript Development - OPITZ CONSULTING -  Tobias Bosch - Stefa...
Test-driven JavaScript Development - OPITZ CONSULTING - Tobias Bosch - Stefa...
 
Google Guava
Google GuavaGoogle Guava
Google Guava
 
Con5623 pdf 5623_001
Con5623 pdf 5623_001Con5623 pdf 5623_001
Con5623 pdf 5623_001
 
Bsides
BsidesBsides
Bsides
 
AST - the only true tool for building JavaScript
AST - the only true tool for building JavaScriptAST - the only true tool for building JavaScript
AST - the only true tool for building JavaScript
 
Web Optimization Summit: Coding for Performance
Web Optimization Summit: Coding for PerformanceWeb Optimization Summit: Coding for Performance
Web Optimization Summit: Coding for Performance
 
Hidden rocks in Oracle ADF
Hidden rocks in Oracle ADFHidden rocks in Oracle ADF
Hidden rocks in Oracle ADF
 
Riga Dev Day 2016 - Having fun with Javassist
Riga Dev Day 2016 - Having fun with JavassistRiga Dev Day 2016 - Having fun with Javassist
Riga Dev Day 2016 - Having fun with Javassist
 
Google guava - almost everything you need to know
Google guava - almost everything you need to knowGoogle guava - almost everything you need to know
Google guava - almost everything you need to know
 
AST Rewriting Using recast and esprima
AST Rewriting Using recast and esprimaAST Rewriting Using recast and esprima
AST Rewriting Using recast and esprima
 
JavaOne 2015 - Having fun with Javassist
JavaOne 2015 - Having fun with JavassistJavaOne 2015 - Having fun with Javassist
JavaOne 2015 - Having fun with Javassist
 
Unit testing en iOS @ MobileCon Galicia
Unit testing en iOS @ MobileCon GaliciaUnit testing en iOS @ MobileCon Galicia
Unit testing en iOS @ MobileCon Galicia
 
ES6 Overview
ES6 OverviewES6 Overview
ES6 Overview
 

Similaire à FITC Web Unleashed 2017 - Introduction to the World of Testing for Front-End Developers

33rd Degree 2013, Bad Tests, Good Tests
33rd Degree 2013, Bad Tests, Good Tests33rd Degree 2013, Bad Tests, Good Tests
33rd Degree 2013, Bad Tests, Good TestsTomek Kaczanowski
 
OO JS for AS3 Devs
OO JS for AS3 DevsOO JS for AS3 Devs
OO JS for AS3 DevsJason Hanson
 
2012 JDays Bad Tests Good Tests
2012 JDays Bad Tests Good Tests2012 JDays Bad Tests Good Tests
2012 JDays Bad Tests Good TestsTomek Kaczanowski
 
2013 DevFest Vienna - Bad Tests, Good Tests
2013 DevFest Vienna - Bad Tests, Good Tests2013 DevFest Vienna - Bad Tests, Good Tests
2013 DevFest Vienna - Bad Tests, Good TestsTomek Kaczanowski
 
How to test complex SaaS applications - The family july 2014
How to test complex SaaS applications - The family july 2014How to test complex SaaS applications - The family july 2014
How to test complex SaaS applications - The family july 2014Guillaume POTIER
 
WordPress Realtime - WordCamp São Paulo 2015
WordPress Realtime - WordCamp São Paulo 2015WordPress Realtime - WordCamp São Paulo 2015
WordPress Realtime - WordCamp São Paulo 2015Fernando Daciuk
 
Object-Oriented Javascript
Object-Oriented JavascriptObject-Oriented Javascript
Object-Oriented Javascriptkvangork
 
Object-Oriented JavaScript
Object-Oriented JavaScriptObject-Oriented JavaScript
Object-Oriented JavaScriptkvangork
 
Workshop 1: Good practices in JavaScript
Workshop 1: Good practices in JavaScriptWorkshop 1: Good practices in JavaScript
Workshop 1: Good practices in JavaScriptVisual Engineering
 
jQuery Anti-Patterns for Performance
jQuery Anti-Patterns for PerformancejQuery Anti-Patterns for Performance
jQuery Anti-Patterns for PerformanceAndrás Kovács
 
jQuery Anti-Patterns for Performance & Compression
jQuery Anti-Patterns for Performance & CompressionjQuery Anti-Patterns for Performance & Compression
jQuery Anti-Patterns for Performance & CompressionPaul Irish
 
Test Infected Presentation
Test Infected PresentationTest Infected Presentation
Test Infected Presentationwillmation
 
Jggug 2010 330 Grails 1.3 観察
Jggug 2010 330 Grails 1.3 観察Jggug 2010 330 Grails 1.3 観察
Jggug 2010 330 Grails 1.3 観察Tsuyoshi Yamamoto
 
JSConf: All You Can Leet
JSConf: All You Can LeetJSConf: All You Can Leet
JSConf: All You Can Leetjohndaviddalton
 
Ten useful JavaScript tips & best practices
Ten useful JavaScript tips & best practicesTen useful JavaScript tips & best practices
Ten useful JavaScript tips & best practicesAnkit Rastogi
 
Secrets of JavaScript Libraries
Secrets of JavaScript LibrariesSecrets of JavaScript Libraries
Secrets of JavaScript Librariesjeresig
 
JAVA...With N.E.T_B.E.A.N.S___________________________________.pdf
JAVA...With N.E.T_B.E.A.N.S___________________________________.pdfJAVA...With N.E.T_B.E.A.N.S___________________________________.pdf
JAVA...With N.E.T_B.E.A.N.S___________________________________.pdfcalderoncasto9163
 
Implement threads and a GUI interface using advanced Java Swing clas.pdf
Implement threads and a GUI interface using advanced Java Swing clas.pdfImplement threads and a GUI interface using advanced Java Swing clas.pdf
Implement threads and a GUI interface using advanced Java Swing clas.pdfamrishinda
 
Integration Project Inspection 3
Integration Project Inspection 3Integration Project Inspection 3
Integration Project Inspection 3Dillon Lee
 

Similaire à FITC Web Unleashed 2017 - Introduction to the World of Testing for Front-End Developers (20)

33rd Degree 2013, Bad Tests, Good Tests
33rd Degree 2013, Bad Tests, Good Tests33rd Degree 2013, Bad Tests, Good Tests
33rd Degree 2013, Bad Tests, Good Tests
 
OO JS for AS3 Devs
OO JS for AS3 DevsOO JS for AS3 Devs
OO JS for AS3 Devs
 
2012 JDays Bad Tests Good Tests
2012 JDays Bad Tests Good Tests2012 JDays Bad Tests Good Tests
2012 JDays Bad Tests Good Tests
 
2013 DevFest Vienna - Bad Tests, Good Tests
2013 DevFest Vienna - Bad Tests, Good Tests2013 DevFest Vienna - Bad Tests, Good Tests
2013 DevFest Vienna - Bad Tests, Good Tests
 
How to test complex SaaS applications - The family july 2014
How to test complex SaaS applications - The family july 2014How to test complex SaaS applications - The family july 2014
How to test complex SaaS applications - The family july 2014
 
WordPress Realtime - WordCamp São Paulo 2015
WordPress Realtime - WordCamp São Paulo 2015WordPress Realtime - WordCamp São Paulo 2015
WordPress Realtime - WordCamp São Paulo 2015
 
Object-Oriented Javascript
Object-Oriented JavascriptObject-Oriented Javascript
Object-Oriented Javascript
 
Object-Oriented JavaScript
Object-Oriented JavaScriptObject-Oriented JavaScript
Object-Oriented JavaScript
 
Workshop 1: Good practices in JavaScript
Workshop 1: Good practices in JavaScriptWorkshop 1: Good practices in JavaScript
Workshop 1: Good practices in JavaScript
 
jQuery Anti-Patterns for Performance
jQuery Anti-Patterns for PerformancejQuery Anti-Patterns for Performance
jQuery Anti-Patterns for Performance
 
jQuery Anti-Patterns for Performance & Compression
jQuery Anti-Patterns for Performance & CompressionjQuery Anti-Patterns for Performance & Compression
jQuery Anti-Patterns for Performance & Compression
 
Test Infected Presentation
Test Infected PresentationTest Infected Presentation
Test Infected Presentation
 
Jggug 2010 330 Grails 1.3 観察
Jggug 2010 330 Grails 1.3 観察Jggug 2010 330 Grails 1.3 観察
Jggug 2010 330 Grails 1.3 観察
 
JSConf: All You Can Leet
JSConf: All You Can LeetJSConf: All You Can Leet
JSConf: All You Can Leet
 
Ten useful JavaScript tips & best practices
Ten useful JavaScript tips & best practicesTen useful JavaScript tips & best practices
Ten useful JavaScript tips & best practices
 
Secrets of JavaScript Libraries
Secrets of JavaScript LibrariesSecrets of JavaScript Libraries
Secrets of JavaScript Libraries
 
JAVA...With N.E.T_B.E.A.N.S___________________________________.pdf
JAVA...With N.E.T_B.E.A.N.S___________________________________.pdfJAVA...With N.E.T_B.E.A.N.S___________________________________.pdf
JAVA...With N.E.T_B.E.A.N.S___________________________________.pdf
 
Implement threads and a GUI interface using advanced Java Swing clas.pdf
Implement threads and a GUI interface using advanced Java Swing clas.pdfImplement threads and a GUI interface using advanced Java Swing clas.pdf
Implement threads and a GUI interface using advanced Java Swing clas.pdf
 
Integration Project Inspection 3
Integration Project Inspection 3Integration Project Inspection 3
Integration Project Inspection 3
 
Android workshop
Android workshopAndroid workshop
Android workshop
 

Dernier

Data governance with Unity Catalog Presentation
Data governance with Unity Catalog PresentationData governance with Unity Catalog Presentation
Data governance with Unity Catalog PresentationKnoldus Inc.
 
The State of Passkeys with FIDO Alliance.pptx
The State of Passkeys with FIDO Alliance.pptxThe State of Passkeys with FIDO Alliance.pptx
The State of Passkeys with FIDO Alliance.pptxLoriGlavin3
 
The Future Roadmap for the Composable Data Stack - Wes McKinney - Data Counci...
The Future Roadmap for the Composable Data Stack - Wes McKinney - Data Counci...The Future Roadmap for the Composable Data Stack - Wes McKinney - Data Counci...
The Future Roadmap for the Composable Data Stack - Wes McKinney - Data Counci...Wes McKinney
 
Top 10 Hubspot Development Companies in 2024
Top 10 Hubspot Development Companies in 2024Top 10 Hubspot Development Companies in 2024
Top 10 Hubspot Development Companies in 2024TopCSSGallery
 
Zeshan Sattar- Assessing the skill requirements and industry expectations for...
Zeshan Sattar- Assessing the skill requirements and industry expectations for...Zeshan Sattar- Assessing the skill requirements and industry expectations for...
Zeshan Sattar- Assessing the skill requirements and industry expectations for...itnewsafrica
 
A Framework for Development in the AI Age
A Framework for Development in the AI AgeA Framework for Development in the AI Age
A Framework for Development in the AI AgeCprime
 
Email Marketing Automation for Bonterra Impact Management (fka Social Solutio...
Email Marketing Automation for Bonterra Impact Management (fka Social Solutio...Email Marketing Automation for Bonterra Impact Management (fka Social Solutio...
Email Marketing Automation for Bonterra Impact Management (fka Social Solutio...Jeffrey Haguewood
 
Tampa BSides - The No BS SOC (slides from April 6, 2024 talk)
Tampa BSides - The No BS SOC (slides from April 6, 2024 talk)Tampa BSides - The No BS SOC (slides from April 6, 2024 talk)
Tampa BSides - The No BS SOC (slides from April 6, 2024 talk)Mark Simos
 
Long journey of Ruby standard library at RubyConf AU 2024
Long journey of Ruby standard library at RubyConf AU 2024Long journey of Ruby standard library at RubyConf AU 2024
Long journey of Ruby standard library at RubyConf AU 2024Hiroshi SHIBATA
 
Scale your database traffic with Read & Write split using MySQL Router
Scale your database traffic with Read & Write split using MySQL RouterScale your database traffic with Read & Write split using MySQL Router
Scale your database traffic with Read & Write split using MySQL RouterMydbops
 
MuleSoft Online Meetup Group - B2B Crash Course: Release SparkNotes
MuleSoft Online Meetup Group - B2B Crash Course: Release SparkNotesMuleSoft Online Meetup Group - B2B Crash Course: Release SparkNotes
MuleSoft Online Meetup Group - B2B Crash Course: Release SparkNotesManik S Magar
 
Generative AI - Gitex v1Generative AI - Gitex v1.pptx
Generative AI - Gitex v1Generative AI - Gitex v1.pptxGenerative AI - Gitex v1Generative AI - Gitex v1.pptx
Generative AI - Gitex v1Generative AI - Gitex v1.pptxfnnc6jmgwh
 
All These Sophisticated Attacks, Can We Really Detect Them - PDF
All These Sophisticated Attacks, Can We Really Detect Them - PDFAll These Sophisticated Attacks, Can We Really Detect Them - PDF
All These Sophisticated Attacks, Can We Really Detect Them - PDFMichael Gough
 
Potential of AI (Generative AI) in Business: Learnings and Insights
Potential of AI (Generative AI) in Business: Learnings and InsightsPotential of AI (Generative AI) in Business: Learnings and Insights
Potential of AI (Generative AI) in Business: Learnings and InsightsRavi Sanghani
 
Generative Artificial Intelligence: How generative AI works.pdf
Generative Artificial Intelligence: How generative AI works.pdfGenerative Artificial Intelligence: How generative AI works.pdf
Generative Artificial Intelligence: How generative AI works.pdfIngrid Airi González
 
Connecting the Dots for Information Discovery.pdf
Connecting the Dots for Information Discovery.pdfConnecting the Dots for Information Discovery.pdf
Connecting the Dots for Information Discovery.pdfNeo4j
 
[Webinar] SpiraTest - Setting New Standards in Quality Assurance
[Webinar] SpiraTest - Setting New Standards in Quality Assurance[Webinar] SpiraTest - Setting New Standards in Quality Assurance
[Webinar] SpiraTest - Setting New Standards in Quality AssuranceInflectra
 
The Role of FIDO in a Cyber Secure Netherlands: FIDO Paris Seminar.pptx
The Role of FIDO in a Cyber Secure Netherlands: FIDO Paris Seminar.pptxThe Role of FIDO in a Cyber Secure Netherlands: FIDO Paris Seminar.pptx
The Role of FIDO in a Cyber Secure Netherlands: FIDO Paris Seminar.pptxLoriGlavin3
 
Glenn Lazarus- Why Your Observability Strategy Needs Security Observability
Glenn Lazarus- Why Your Observability Strategy Needs Security ObservabilityGlenn Lazarus- Why Your Observability Strategy Needs Security Observability
Glenn Lazarus- Why Your Observability Strategy Needs Security Observabilityitnewsafrica
 
React JS; all concepts. Contains React Features, JSX, functional & Class comp...
React JS; all concepts. Contains React Features, JSX, functional & Class comp...React JS; all concepts. Contains React Features, JSX, functional & Class comp...
React JS; all concepts. Contains React Features, JSX, functional & Class comp...Karmanjay Verma
 

Dernier (20)

Data governance with Unity Catalog Presentation
Data governance with Unity Catalog PresentationData governance with Unity Catalog Presentation
Data governance with Unity Catalog Presentation
 
The State of Passkeys with FIDO Alliance.pptx
The State of Passkeys with FIDO Alliance.pptxThe State of Passkeys with FIDO Alliance.pptx
The State of Passkeys with FIDO Alliance.pptx
 
The Future Roadmap for the Composable Data Stack - Wes McKinney - Data Counci...
The Future Roadmap for the Composable Data Stack - Wes McKinney - Data Counci...The Future Roadmap for the Composable Data Stack - Wes McKinney - Data Counci...
The Future Roadmap for the Composable Data Stack - Wes McKinney - Data Counci...
 
Top 10 Hubspot Development Companies in 2024
Top 10 Hubspot Development Companies in 2024Top 10 Hubspot Development Companies in 2024
Top 10 Hubspot Development Companies in 2024
 
Zeshan Sattar- Assessing the skill requirements and industry expectations for...
Zeshan Sattar- Assessing the skill requirements and industry expectations for...Zeshan Sattar- Assessing the skill requirements and industry expectations for...
Zeshan Sattar- Assessing the skill requirements and industry expectations for...
 
A Framework for Development in the AI Age
A Framework for Development in the AI AgeA Framework for Development in the AI Age
A Framework for Development in the AI Age
 
Email Marketing Automation for Bonterra Impact Management (fka Social Solutio...
Email Marketing Automation for Bonterra Impact Management (fka Social Solutio...Email Marketing Automation for Bonterra Impact Management (fka Social Solutio...
Email Marketing Automation for Bonterra Impact Management (fka Social Solutio...
 
Tampa BSides - The No BS SOC (slides from April 6, 2024 talk)
Tampa BSides - The No BS SOC (slides from April 6, 2024 talk)Tampa BSides - The No BS SOC (slides from April 6, 2024 talk)
Tampa BSides - The No BS SOC (slides from April 6, 2024 talk)
 
Long journey of Ruby standard library at RubyConf AU 2024
Long journey of Ruby standard library at RubyConf AU 2024Long journey of Ruby standard library at RubyConf AU 2024
Long journey of Ruby standard library at RubyConf AU 2024
 
Scale your database traffic with Read & Write split using MySQL Router
Scale your database traffic with Read & Write split using MySQL RouterScale your database traffic with Read & Write split using MySQL Router
Scale your database traffic with Read & Write split using MySQL Router
 
MuleSoft Online Meetup Group - B2B Crash Course: Release SparkNotes
MuleSoft Online Meetup Group - B2B Crash Course: Release SparkNotesMuleSoft Online Meetup Group - B2B Crash Course: Release SparkNotes
MuleSoft Online Meetup Group - B2B Crash Course: Release SparkNotes
 
Generative AI - Gitex v1Generative AI - Gitex v1.pptx
Generative AI - Gitex v1Generative AI - Gitex v1.pptxGenerative AI - Gitex v1Generative AI - Gitex v1.pptx
Generative AI - Gitex v1Generative AI - Gitex v1.pptx
 
All These Sophisticated Attacks, Can We Really Detect Them - PDF
All These Sophisticated Attacks, Can We Really Detect Them - PDFAll These Sophisticated Attacks, Can We Really Detect Them - PDF
All These Sophisticated Attacks, Can We Really Detect Them - PDF
 
Potential of AI (Generative AI) in Business: Learnings and Insights
Potential of AI (Generative AI) in Business: Learnings and InsightsPotential of AI (Generative AI) in Business: Learnings and Insights
Potential of AI (Generative AI) in Business: Learnings and Insights
 
Generative Artificial Intelligence: How generative AI works.pdf
Generative Artificial Intelligence: How generative AI works.pdfGenerative Artificial Intelligence: How generative AI works.pdf
Generative Artificial Intelligence: How generative AI works.pdf
 
Connecting the Dots for Information Discovery.pdf
Connecting the Dots for Information Discovery.pdfConnecting the Dots for Information Discovery.pdf
Connecting the Dots for Information Discovery.pdf
 
[Webinar] SpiraTest - Setting New Standards in Quality Assurance
[Webinar] SpiraTest - Setting New Standards in Quality Assurance[Webinar] SpiraTest - Setting New Standards in Quality Assurance
[Webinar] SpiraTest - Setting New Standards in Quality Assurance
 
The Role of FIDO in a Cyber Secure Netherlands: FIDO Paris Seminar.pptx
The Role of FIDO in a Cyber Secure Netherlands: FIDO Paris Seminar.pptxThe Role of FIDO in a Cyber Secure Netherlands: FIDO Paris Seminar.pptx
The Role of FIDO in a Cyber Secure Netherlands: FIDO Paris Seminar.pptx
 
Glenn Lazarus- Why Your Observability Strategy Needs Security Observability
Glenn Lazarus- Why Your Observability Strategy Needs Security ObservabilityGlenn Lazarus- Why Your Observability Strategy Needs Security Observability
Glenn Lazarus- Why Your Observability Strategy Needs Security Observability
 
React JS; all concepts. Contains React Features, JSX, functional & Class comp...
React JS; all concepts. Contains React Features, JSX, functional & Class comp...React JS; all concepts. Contains React Features, JSX, functional & Class comp...
React JS; all concepts. Contains React Features, JSX, functional & Class comp...
 

FITC Web Unleashed 2017 - Introduction to the World of Testing for Front-End Developers