Testable Javascript

   MARK ETHAN TROSTLERmark@zzo.com
                  @zzoass
      http://randomgoo.blogspot.com/
“If today were the last day
of my life, would I want to
 do what I am about to do
          today?”
KISS
Minimize Your Pain

•Write Small
•Write Simple
•Test Early
•Test Often
Write Small – Write Simple

 •Isolate code to test
 •Loosely couple
 dependencies
 •Be obvious
 •Optimize last
Test Early – Test Often



       Test Now
Explicit Dependencies
How things can go wrong…
// Call x.flub with twice z
function foo(z) {
varx = new X(); // Mmmmmtightly coupled…
    return x.flub(z*2);
}

// We want to test if x.flub was called with 14
var back = foo(7);
// But only have „back‟ to test!


                                            November 9, 2011
How can we test only our
                 code?
// Call x.flub with twice z
function foo(x, z) {
    return x.flub(z*2);
}

// Test x.flub got called with 14…
varx = new MockX(),
foo(x, 7);

If (x.called(„flub‟).with(14)) {
    // a winner!!
}
                                     November 9, 2011
Really see this in constructors…
// Ewww – not directly testable
function MyObject() {
this.x = new X();
}

MyObject.Prototpe.foo = function(z) {
  return this.x.flub(z*2);
}

var test = new MyObject(),
  back = test.foo(7) // cannot test what foo() did
                                           November 9, 2011
Inject It - Constructor
// Yea! Testable!
function MyObject(x) {
this.x = x;
}
MyObject.Prototpe.foo = function(z) {
    return this.x.flub(z*2);
}

varx = new MockX(), test = new MyObject(x);

test.foo(7);
If (x.called(„flub‟, with(14)) {
    // We tested only our function!
}                                             November 9, 2011
Inject It - Setter
// Yea! Testable!
function MyObject() { }
MyObject.prototpe.setX= function(x) {
this.x = x;
};
MyObject.prototpe.foo = function(z) {
      return this.x.flub(z*2);
};
varx = new MockX(), test = new MyObject();
test.setX(x);
test.foo(7);
If (x.called(„flub‟, with(14)) {
    // We tested only our function!
}                                            November 9, 2011
YUI
YUI Explicit Dependencies
YUI.add(„myObject‟, function(Y) {
     // Code you want to test
Y.MyObject = function() {
this.a = new Y.a();
this.b = new Y.b();
this.c = new Y.c();
    };
}, { requires: [ „a‟, „b‟, „c‟ ] });

YUI.use(„myObject‟, function(Y) {
    new Y.MyObject();
                                       November 9, 2011
});
Injecting YUI3 Dependencies??

YUI.add(„myObject‟, function(Y) {
     //// Code you want to test
Y.MyObject = function(a, b, c) {
this.a = a;
this.b = b;
this.c = c;
    };
});
YUI.use(„myObject‟, „a‟, „b‟, „c‟, function(Y) { // Prod
     new Y.MyObject(newY.a(), new Y.b(), new Y.c());
});
YUI.use(„myObject‟, „test‟, function(Y) { // Test
 new Y.MyObject(Y.Mock(), Y.Mock(), Y.Mock());
                                                           November 9, 2011
});
Isolating Dependencies
<script src =“yui3.js”></script>
<script src =“a.mock.js”></script>
<script src =“b.mock.js”></script>
<script src =“c.mock.js”></script>
<script src =“myObject.js”></script>

<script>
YUI.use(„myObject‟, function(Y) {
  new Y.MyObject();
</script>
                                       November 9, 2011
Injecting YUI3 Dependencies

YUI.add(„myObject‟, function(Y) {
     //// Code you want to test
Y.MyObject = function(a, b, c) {
this.a = a || new Y.a();
this.b = b|| new Y.b();
this.c = c|| new Y.c();
    };
}, { requires: [„a‟, „b‟, „c‟ ] });
YUI.use(„myObject‟, function(Y) { // Prod
     new Y.MyObject();
});
YUI.use(„myObject‟, „test‟, function(Y) { // Test
 new Y.MyObject(Y.Mock(), Y.Mock(), Y.Mock());
});                                                 November 9, 2011
Injecting YUI3 Dependencies
YUI.add(„myObject‟, function(Y) {
     //// Code you want to test
Y.MyObject = function() {
     }
Y.MyObject.prototype.setX = function(x) {
this.x = x;
     };
}, { requires: [„a‟, „b‟, „c‟ ] });
YUI.use(„myObject‟, function(Y) { // Prod
     new Y.MyObject();
});
YUI.use(„myObject‟, „test‟, function(Y) { // Test
 new Y.MyObject().setX(Y.Mock());
});                                                 November 9, 2011
Isolating Dependencies

YUI({
    modules: {
         a: {
fullpath: ‟/a-mock.js'
         }
      }
}).use('test', ‟myObject', 'console', function(
    Y) {
varobj = new Y.MyObject();
                                             November 9, 2011
});
Isolating Dependencies

YUI({
    filter: mock:
{ 'searchExp': “.js",
'replaceStr': "-mock.js" }
}).use('test', ‟myObject', 'console', function(
     Y) {
varobj = new Y.MyObject();
});

                                            November 9, 2011
Mock Objects
Mock Object

YUI().add(‟a', function(Y) {
    Y.A= function() {
var me = Y.Mock();
Y.Mock.expect(me, {
           method: ”render",
args: [„#toolbar‟]
       });
       return me;
    }
}, '1.0.0' ,{requires:['test']});   November 9, 2011
Testing with Mocked
           Dependencies

YUI().add(‟a', function(Y) {
    Y.A= function() { return Y.Mock(); };
}, '1.0.0' ,{requires:['test']});
YUI().use(„a‟, „test‟, „myObject‟, function(Y) {
var a = new Y.A();
Y.Mock.expect(a, {
            method: ”render",
args: [„#toolbar‟]
        });
    new MyObject(a).render();
    //// verify a.render(„#toolbar‟) was called
});                                                November 9, 2011
Implicit Dependencies
„Hidden‟ Dependencies
   Private functions are „hidden‟ dependencies
   Cannot test by definition!
   Make public? Are they part of the public API??
   Mock them out?? How??

 Refactor private function to be explicit
  dependencies
 Minimize their use – they cannot be tested
  directly
 Treated exactly like any other dependency
                                               November 9, 2011
Private functions

YOU CANNOT TEST
     THEM!


                      November 9, 2011
Don‟t forget browser
             dependencies!

YUI.add(„myObject‟, function(Y) {
     //// Code you want to test
Y.MyObject = function(window) {
this.window = window;
    };
myObject.prototype.fiddle = function(str) { return
       window.escape(str + „ FOOBIE‟); };
});

YUI.use(„myObject‟, function(Y) {
varwinMock = new WindowMock(),
myObj = new myObject(winMock);
myObj.fiddle(„foobie‟); // Check WindowMock!!
}
                                                     November 9, 2011
Recap
Explicit Deps

Problem: Public dependencies
Symptom: Explicitly declared
  dependencies
Cure:
• Eliminate tightly coupled code/use
  injection
• Pre-load mock‟ed versions of public
  dependencies

                                   November 9, 2011
Private Deps

Problem: Private dependencies
Symptom: Private methods and
  functions
Cure:
• Minimize private dependencies
• Make public dependency
• Use composition to pull in private stuff

                                      November 9, 2011
Browser Deps

Problem: Browser dependencies
Symptom: „window‟ or global scope
  usage
Cure:
• Eliminate tightly coupled code/use
  injection
• Pre-load mock‟ed versions of public
  dependencies

                                   November 9, 2011
Unit Testing Principles &
       Practices
All about dependency management

Identify dependencies and mock
  them out

Do not take your environment for
  granted

                              November 9, 2011
“Don‟t Be Foolish”
Resources

• https://github.com/zzo/JUTE
• trostler@yahoo-inc.com
• @zzoass
• http://randomgoo.blogspot.com/


                                November 9, 2011

More Related Content

PPTX
JavaScript APIs you’ve never heard of (and some you have)
PDF
Maintainable JavaScript 2011
KEY
amsterdamjs - jQuery 1.5
KEY
jQuery Namespace Pattern
PDF
06 jQuery #burningkeyboards
PDF
05 JavaScript #burningkeyboards
PDF
The Snake and the Butler
PDF
PHP Object Injection Vulnerability in WordPress: an Analysis
JavaScript APIs you’ve never heard of (and some you have)
Maintainable JavaScript 2011
amsterdamjs - jQuery 1.5
jQuery Namespace Pattern
06 jQuery #burningkeyboards
05 JavaScript #burningkeyboards
The Snake and the Butler
PHP Object Injection Vulnerability in WordPress: an Analysis

What's hot (20)

PPTX
Get started with YUI
PDF
meet.js - QooXDoo
PPTX
Zend server 6 using zf2, 2013 webinar
PDF
JavaScript - From Birth To Closure
PPTX
Javascript And J Query
PDF
Prototype
PDF
Java script object model
PDF
Scalable JavaScript Application Architecture
KEY
Javascript tid-bits
PDF
Advanced javascript
PDF
JavaScript Patterns
PPT
Web Optimization Summit: Coding for Performance
PDF
JDK Power Tools
ODP
From object oriented to functional domain modeling
PPTX
Javascript Prototype Visualized
PDF
Anonymous functions in JavaScript
PDF
Javascript 攻佔桌面應用程式:使用 electron
KEY
JavaScript Growing Up
PDF
Chaining et composition de fonctions avec lodash / underscore
PPT
Advanced JavaScript
Get started with YUI
meet.js - QooXDoo
Zend server 6 using zf2, 2013 webinar
JavaScript - From Birth To Closure
Javascript And J Query
Prototype
Java script object model
Scalable JavaScript Application Architecture
Javascript tid-bits
Advanced javascript
JavaScript Patterns
Web Optimization Summit: Coding for Performance
JDK Power Tools
From object oriented to functional domain modeling
Javascript Prototype Visualized
Anonymous functions in JavaScript
Javascript 攻佔桌面應用程式:使用 electron
JavaScript Growing Up
Chaining et composition de fonctions avec lodash / underscore
Advanced JavaScript
Ad

Viewers also liked (9)

PDF
Высший арбитражный суд конкретизировал ответственность генеральных директор...
ODP
Beginning Scala Svcc 2009
PDF
Supporting the complex requirements of a long-term project for whole brain em...
PPT
Anforderungen an die Wissensrepräsentation im Social Semantic Web
PPT
Barometr Nastrojow Ekonomicznych Luty
PDF
Cоциальные сети. выбор оптимальной площадки для бренда автомобильной отрасли
PDF
Виральные кейсы Real Time PR
PPT
Behavioral Targeting Webinar
PDF
Lecture: Semantic Word Clouds
Высший арбитражный суд конкретизировал ответственность генеральных директор...
Beginning Scala Svcc 2009
Supporting the complex requirements of a long-term project for whole brain em...
Anforderungen an die Wissensrepräsentation im Social Semantic Web
Barometr Nastrojow Ekonomicznych Luty
Cоциальные сети. выбор оптимальной площадки для бренда автомобильной отрасли
Виральные кейсы Real Time PR
Behavioral Targeting Webinar
Lecture: Semantic Word Clouds
Ad

Similar to Testable Javascript (20)

PDF
Writing testable js [by Ted Piotrowski]
PDF
Unit testing JavaScript using Mocha and Node
PPTX
Type mock isolator
PDF
Unit Testing JavaScript Applications
PDF
Understanding JavaScript Testing
PDF
Js fwdays unit tesing javascript(by Anna Khabibullina)
PPTX
JS Frameworks Day April,26 of 2014
PPTX
Zero to Testing in JavaScript
PPTX
In search of JavaScript code quality: unit testing
PDF
CBDW2014 - MockBox, get ready to mock your socks off!
PDF
Testing, Performance Analysis, and jQuery 1.4
PDF
ITB 2023 10 Techniques for writing easy yet stupidly thorough unit tests_Dan ...
PDF
We Are All Testers Now: The Testing Pyramid and Front-End Development
PDF
Advanced QUnit - Front-End JavaScript Unit Testing
PDF
Unit Testing - The Whys, Whens and Hows
PDF
Javascript - How to avoid the bad parts
PDF
JAVASCRIPT TDD(Test driven Development) & Qunit Tutorial
PPTX
Type mock isolator
PPTX
Security testing of YUI powered applications
PPTX
Mocking
Writing testable js [by Ted Piotrowski]
Unit testing JavaScript using Mocha and Node
Type mock isolator
Unit Testing JavaScript Applications
Understanding JavaScript Testing
Js fwdays unit tesing javascript(by Anna Khabibullina)
JS Frameworks Day April,26 of 2014
Zero to Testing in JavaScript
In search of JavaScript code quality: unit testing
CBDW2014 - MockBox, get ready to mock your socks off!
Testing, Performance Analysis, and jQuery 1.4
ITB 2023 10 Techniques for writing easy yet stupidly thorough unit tests_Dan ...
We Are All Testers Now: The Testing Pyramid and Front-End Development
Advanced QUnit - Front-End JavaScript Unit Testing
Unit Testing - The Whys, Whens and Hows
Javascript - How to avoid the bad parts
JAVASCRIPT TDD(Test driven Development) & Qunit Tutorial
Type mock isolator
Security testing of YUI powered applications
Mocking

Recently uploaded (20)

PPTX
svnfcksanfskjcsnvvjknsnvsdscnsncxasxa saccacxsax
DOCX
Center Enamel Powering Innovation and Resilience in the Italian Chemical Indu...
PDF
Family Law: The Role of Communication in Mediation (www.kiu.ac.ug)
PPTX
BUSINESS CYCLE_INFLATION AND UNEMPLOYMENT.pptx
PPTX
Project Management_ SMART Projects Class.pptx
PDF
income tax laws notes important pakistan
DOCX
Hand book of Entrepreneurship 4 Chapters.docx
PDF
Environmental Law Communication: Strategies for Advocacy (www.kiu.ac.ug)
PDF
Introduction to Generative Engine Optimization (GEO)
PDF
Tortilla Mexican Grill 发射点犯得上发射点发生发射点犯得上发生
PPTX
chapter 2 entrepreneurship full lecture ppt
DOCX
FINALS-BSHhchcuvivicucucucucM-Centro.docx
PDF
Susan Semmelmann: Enriching the Lives of others through her Talents and Bless...
PPTX
Slide gioi thieu VietinBank Quy 2 - 2025
PDF
Chapter 2 - AI chatbots and prompt engineering.pdf
PPTX
2 - Self & Personality 587689213yiuedhwejbmansbeakjrk
DOCX
Center Enamel A Strategic Partner for the Modernization of Georgia's Chemical...
PDF
Kishore Vora - Best CFO in India to watch in 2025.pdf
PPTX
basic introduction to research chapter 1.pptx
PPT
Lecture notes on Business Research Methods
svnfcksanfskjcsnvvjknsnvsdscnsncxasxa saccacxsax
Center Enamel Powering Innovation and Resilience in the Italian Chemical Indu...
Family Law: The Role of Communication in Mediation (www.kiu.ac.ug)
BUSINESS CYCLE_INFLATION AND UNEMPLOYMENT.pptx
Project Management_ SMART Projects Class.pptx
income tax laws notes important pakistan
Hand book of Entrepreneurship 4 Chapters.docx
Environmental Law Communication: Strategies for Advocacy (www.kiu.ac.ug)
Introduction to Generative Engine Optimization (GEO)
Tortilla Mexican Grill 发射点犯得上发射点发生发射点犯得上发生
chapter 2 entrepreneurship full lecture ppt
FINALS-BSHhchcuvivicucucucucM-Centro.docx
Susan Semmelmann: Enriching the Lives of others through her Talents and Bless...
Slide gioi thieu VietinBank Quy 2 - 2025
Chapter 2 - AI chatbots and prompt engineering.pdf
2 - Self & Personality 587689213yiuedhwejbmansbeakjrk
Center Enamel A Strategic Partner for the Modernization of Georgia's Chemical...
Kishore Vora - Best CFO in India to watch in 2025.pdf
basic introduction to research chapter 1.pptx
Lecture notes on Business Research Methods

Testable Javascript

  • 1. Testable Javascript MARK ETHAN TROSTLERmark@zzo.com @zzoass http://randomgoo.blogspot.com/
  • 2. “If today were the last day of my life, would I want to do what I am about to do today?”
  • 4. Minimize Your Pain •Write Small •Write Simple •Test Early •Test Often
  • 5. Write Small – Write Simple •Isolate code to test •Loosely couple dependencies •Be obvious •Optimize last
  • 6. Test Early – Test Often Test Now
  • 8. How things can go wrong… // Call x.flub with twice z function foo(z) { varx = new X(); // Mmmmmtightly coupled… return x.flub(z*2); } // We want to test if x.flub was called with 14 var back = foo(7); // But only have „back‟ to test! November 9, 2011
  • 9. How can we test only our code? // Call x.flub with twice z function foo(x, z) { return x.flub(z*2); } // Test x.flub got called with 14… varx = new MockX(), foo(x, 7); If (x.called(„flub‟).with(14)) { // a winner!! } November 9, 2011
  • 10. Really see this in constructors… // Ewww – not directly testable function MyObject() { this.x = new X(); } MyObject.Prototpe.foo = function(z) { return this.x.flub(z*2); } var test = new MyObject(), back = test.foo(7) // cannot test what foo() did November 9, 2011
  • 11. Inject It - Constructor // Yea! Testable! function MyObject(x) { this.x = x; } MyObject.Prototpe.foo = function(z) { return this.x.flub(z*2); } varx = new MockX(), test = new MyObject(x); test.foo(7); If (x.called(„flub‟, with(14)) { // We tested only our function! } November 9, 2011
  • 12. Inject It - Setter // Yea! Testable! function MyObject() { } MyObject.prototpe.setX= function(x) { this.x = x; }; MyObject.prototpe.foo = function(z) { return this.x.flub(z*2); }; varx = new MockX(), test = new MyObject(); test.setX(x); test.foo(7); If (x.called(„flub‟, with(14)) { // We tested only our function! } November 9, 2011
  • 13. YUI
  • 14. YUI Explicit Dependencies YUI.add(„myObject‟, function(Y) { // Code you want to test Y.MyObject = function() { this.a = new Y.a(); this.b = new Y.b(); this.c = new Y.c(); }; }, { requires: [ „a‟, „b‟, „c‟ ] }); YUI.use(„myObject‟, function(Y) { new Y.MyObject(); November 9, 2011 });
  • 15. Injecting YUI3 Dependencies?? YUI.add(„myObject‟, function(Y) { //// Code you want to test Y.MyObject = function(a, b, c) { this.a = a; this.b = b; this.c = c; }; }); YUI.use(„myObject‟, „a‟, „b‟, „c‟, function(Y) { // Prod new Y.MyObject(newY.a(), new Y.b(), new Y.c()); }); YUI.use(„myObject‟, „test‟, function(Y) { // Test new Y.MyObject(Y.Mock(), Y.Mock(), Y.Mock()); November 9, 2011 });
  • 16. Isolating Dependencies <script src =“yui3.js”></script> <script src =“a.mock.js”></script> <script src =“b.mock.js”></script> <script src =“c.mock.js”></script> <script src =“myObject.js”></script> <script> YUI.use(„myObject‟, function(Y) { new Y.MyObject(); </script> November 9, 2011
  • 17. Injecting YUI3 Dependencies YUI.add(„myObject‟, function(Y) { //// Code you want to test Y.MyObject = function(a, b, c) { this.a = a || new Y.a(); this.b = b|| new Y.b(); this.c = c|| new Y.c(); }; }, { requires: [„a‟, „b‟, „c‟ ] }); YUI.use(„myObject‟, function(Y) { // Prod new Y.MyObject(); }); YUI.use(„myObject‟, „test‟, function(Y) { // Test new Y.MyObject(Y.Mock(), Y.Mock(), Y.Mock()); }); November 9, 2011
  • 18. Injecting YUI3 Dependencies YUI.add(„myObject‟, function(Y) { //// Code you want to test Y.MyObject = function() { } Y.MyObject.prototype.setX = function(x) { this.x = x; }; }, { requires: [„a‟, „b‟, „c‟ ] }); YUI.use(„myObject‟, function(Y) { // Prod new Y.MyObject(); }); YUI.use(„myObject‟, „test‟, function(Y) { // Test new Y.MyObject().setX(Y.Mock()); }); November 9, 2011
  • 19. Isolating Dependencies YUI({ modules: { a: { fullpath: ‟/a-mock.js' } } }).use('test', ‟myObject', 'console', function( Y) { varobj = new Y.MyObject(); November 9, 2011 });
  • 20. Isolating Dependencies YUI({ filter: mock: { 'searchExp': “.js", 'replaceStr': "-mock.js" } }).use('test', ‟myObject', 'console', function( Y) { varobj = new Y.MyObject(); }); November 9, 2011
  • 22. Mock Object YUI().add(‟a', function(Y) { Y.A= function() { var me = Y.Mock(); Y.Mock.expect(me, { method: ”render", args: [„#toolbar‟] }); return me; } }, '1.0.0' ,{requires:['test']}); November 9, 2011
  • 23. Testing with Mocked Dependencies YUI().add(‟a', function(Y) { Y.A= function() { return Y.Mock(); }; }, '1.0.0' ,{requires:['test']}); YUI().use(„a‟, „test‟, „myObject‟, function(Y) { var a = new Y.A(); Y.Mock.expect(a, { method: ”render", args: [„#toolbar‟] }); new MyObject(a).render(); //// verify a.render(„#toolbar‟) was called }); November 9, 2011
  • 25. „Hidden‟ Dependencies  Private functions are „hidden‟ dependencies  Cannot test by definition!  Make public? Are they part of the public API??  Mock them out?? How??  Refactor private function to be explicit dependencies  Minimize their use – they cannot be tested directly  Treated exactly like any other dependency November 9, 2011
  • 26. Private functions YOU CANNOT TEST THEM! November 9, 2011
  • 27. Don‟t forget browser dependencies! YUI.add(„myObject‟, function(Y) { //// Code you want to test Y.MyObject = function(window) { this.window = window; }; myObject.prototype.fiddle = function(str) { return window.escape(str + „ FOOBIE‟); }; }); YUI.use(„myObject‟, function(Y) { varwinMock = new WindowMock(), myObj = new myObject(winMock); myObj.fiddle(„foobie‟); // Check WindowMock!! } November 9, 2011
  • 28. Recap
  • 29. Explicit Deps Problem: Public dependencies Symptom: Explicitly declared dependencies Cure: • Eliminate tightly coupled code/use injection • Pre-load mock‟ed versions of public dependencies November 9, 2011
  • 30. Private Deps Problem: Private dependencies Symptom: Private methods and functions Cure: • Minimize private dependencies • Make public dependency • Use composition to pull in private stuff November 9, 2011
  • 31. Browser Deps Problem: Browser dependencies Symptom: „window‟ or global scope usage Cure: • Eliminate tightly coupled code/use injection • Pre-load mock‟ed versions of public dependencies November 9, 2011
  • 32. Unit Testing Principles & Practices All about dependency management Identify dependencies and mock them out Do not take your environment for granted November 9, 2011
  • 34. Resources • https://github.com/zzo/JUTE • trostler@yahoo-inc.com • @zzoass • http://randomgoo.blogspot.com/ November 9, 2011

Editor's Notes

  • #3: Enjoy writing new code, not debugging oldDebugging, fixing bugs, pulling out hair – debugging other people’s codeAs a dev what is the least favorite part of your day? Debugging / documentationWhat is the hardest part of your day? DebuggingMake life better for yourself and othersI like to code – I like to move forward &amp; get things done – debugging in moving backwardsDebugging can suck – debugging other peoples code does 4 sure
  • #4: Any kind of test – unit – integration - functional
  • #5: Get manager-speak out of the wayYou have heard all of this before from industry – from manager – from co-workers - there’s a reason: less pain for you – less pain for you managers – better codeWhy everyone all up in me about these things?You probably already agree it’s a good thingmanagers NEED you to succeedSmall = testableSimple = testable – minimize side effects – side effects harder to test – harder to capture – harder to explainLoosely coupled
  • #6: Lots of little – no bigPer function – test ONE THING AT A TIMEDo no create - injectIsolate what you want to testMocking out dependenciesCreating causes tight couplingClever comes later – if at all – don’t get cute or too clever – optimize LATERGet clever later
  • #7: NOWDon’t have to test first – just now
  • #8: Unit Testing = Isolating &amp; Mocking &amp; dealing with dependenciesYour code has dependencies you need to be aware of
  • #9: Everyone talks about tightly vs loosely coupled – this is tightly coupled!Basic dependency injection – otherwise tight dependency couplingWhat am I actually testing? This function needed to pass z*2 to X’s flub functionI pass in a mock &amp; an test it did the right thingTight coupling between foo() and X()
  • #10: Basic dependency injection – static languagesWhat am I actually testing? This function needed to pass z*2 to X’s flub functionI pass in a mock &amp; an test it did the right thing
  • #11: Basic dependency injectionWe really see this in constructors!!! Sometimes in methodsWhat are you gonna test?? Object X hidden away
  • #12: Constructor injection –a solution from static languages - We really see this in constructors!!! Sometimes in methodsConstruct objects with their dependencies – which can be goofy – the caller or constructor now needs to know the object’s dependencies!
  • #13: Setter injection – which to use depends on you &amp; api – prefer constructor – static languagesDepends also if dep is available at construction timeMaybe the setter can only used for testsConstruct objects with their dependencies
  • #14: Debugging, fixing bugs, pulling out hairAs a dev what is the least favorite part of your day? Debugging / documentationWhat is the hardest part of your day? DebuggingYUI / Javascript lets us be smarter / not have to change our function / constructor signatures
  • #15: Really really see it in YUI3 codeDeclare YUI3 deps &amp; instantiate themYUI ensure something called a, b, c loaded via mods file or already thereThe load step &amp; then tue ‘use’ stepWe just talked about this being a bad pattern – what can we do?
  • #16: What about injection???If we inject then our CALLING function needs to know all the deps for myObjectRequires statement now gone!Should we inject???? Is this really what we want?myObject no longer self-contained
  • #17: Now ready to test myObject!Just pushed deps up to script tags‘YUI3’ injectionIsolating objs using script tagsPre-load the mocks before the ‘real’ objects so YUI3 won’t get them
  • #18: If we inject then our CALLING function needs to know all the deps for myObjectRequires statement now gone!Declare deps and inject!You might be tempted to do this – hopefully you don’t need to!
  • #19: Does not have to be constructor injection!!This is better but still adds to our code – makes our code more modular however
  • #20: A better way – isolate mocks with loaderIf you mock all of your objectsShould mock every object when you make oneOR let YUI create script tags for you using modsUse advanced loader features to inject mocks instead of the ‘real’ thing using ‘filter’ http://randomgoo.blogspot.com/
  • #21: A better way – isolate mocks with loaderIf you mock all of your objectsShould mock every object when you make oneOR let YUI create script tags for you using modsUse advanced loader features to inject mocks instead of the ‘real’ thing using ‘filter’ http://randomgoo.blogspot.com/
  • #22: Debugging, fixing bugs, pulling out hairAs a dev what is the least favorite part of your day? Debugging / documentationWhat is the hardest part of your day? Debugging
  • #23: Mock object – NO DEPS!!Save as toolbar-mock.jsEVERY OBJECT SHOULD HAVE CORRESPONDING MOCK OBJECT!This is for testing DEPENDENCIES OF TOOLBAR NOT for testing toolbar itself!!
  • #24: However you get it on the page….A is a dependency of MyObjectConstructor injectedMocked DEP NOT OBJ!
  • #25: Debugging, fixing bugs, pulling out hairAs a dev what is the least favorite part of your day? Debugging / documentationWhat is the hardest part of your day? Debugging
  • #26: No literally hidden!ONLY test PUBLIC functionsUse the YUI augment or plugin or other way to mix in your private stuff info the object – then they can be tested in isolation
  • #27: ONLY TEST the PUBLIC parts of YOUR APIMENTION YUI PLUGIN AGGREGATION…Well not directlyInject them or minimize? They are a dependency black boxSince they are only used by your code – if you exercise your code you will exercise themPrivate functions are internal apiIf you got a lotta hairy ones refactor:
  • #28: Isolate ‘window’ object or make all in a single moduleInject window object or centralize itLets you test in env w/o ‘window or a ‘complete’ window objectKRAPLOAD of stuff in ‘window’!!Want to test that we’re callingwindow.escape with the right thing – maybe can tell from return value – maybe notEsp. stuff like local storage or xmlhttprequest or websockets
  • #29: Debugging, fixing bugs, pulling out hairAs a dev what is the least favorite part of your day? Debugging / documentationWhat is the hardest part of your day? Debugging
  • #30: Unit testing is testing functions in isolationBut dependencies – which everything has – can be pain pointsHow about zero dependencies???Ride JS to a conclutionYUI3 is a service locatorMORE smaller modules!! Use YUI ‘use’ &amp; composition to build them!
  • #31: Can’t test!
  • #32: Unit testing is testing functions in isolationBut dependencies – which everything has – can be pain pointsHow about zero dependencies???Ride JS to a conclutionYUI3 is a service locator
  • #33: All about dep managementIdentify deps &amp; deal with themDo not require/assume global variables – your module is a black boxAllow for headless tests
  • #34: Debugging, fixing bugs, pulling out hairAs a dev what is the least favorite part of your day? Debugging / documentationWhat is the hardest part of your day? DebuggingWorst part debugging your codeEven worser part debugging someone else’s code – don’t be that someone else!Make life easier and better for yourself and your co-workers by having tests in place – writing simple &amp; obvious code = testable code
  • #35: All about dep managementIdentify deps &amp; deal with themDo not require/assume global variables – your module is a black box