SlideShare uma empresa Scribd logo
1 de 44
Reference architecture GUIDE
marjan@emitknowledge.com
mk.linkedin/marjan.nikolovski
Marjan Nikolovski
A professional senior software engineer and
conference speaker who is mainly hooked on the
.NET platform as development platform and its
derivatives, but from time to time knows to kill
some time with open source software.
Usually spends his time writing systems
backend and testing cutting edge technologies.
In spare time actively participating in holding
technical presentations on conferences and
researching. Specially interested in Distributed
programming, Software architecture,
Middleware, SOA, Non-relational databases and
Workflow driven systems.
 Word-Two;
 JavaScript mistakes from the C# programmer
 Solution structure;
 Solution architecture;
 Product modules;
 UI Components;
 Event Driven Messaging;
 Localization;
 Logging
 Optimizations
 Enterprise JavaScript app - heavy data app that is hard to be maintained;
 Development time increase as the complexity and the codebase grows up;
 Frontend development usually not taken seriously;
 Frontend development always underestimated and without certain
development plan and architecture;
 Writing jQuery still requires knowledge of JavaScript;
 Using global variables and functions;
 Object literal;
 Self-Executing Anonymous Function;
 Revealing Module Pattern;
 Array and object declaration gone bad;
 False value understanding;
 Default value testing;
 Using wrong comparison operators;
 Misusing For..in statement on Arrays;
 Function and Object Scope in JavaScript;
 Not aware of JSLint;
var invalid_username = "Username exists";
function log_in() {
//Placed in global scope when executed
invalid_username = "Really Bad";
}
//Bad way to prevent namespace clashing
function namespace_log_out() {
}
//Functions
window.log_in();
window.namespace_log_out();
//Global variables are available off window object
console.log(window.invalid_username);
console.log(window.log_in);
console.log(window.namespace_log_out);
 Similar to JSON syntax;
 Provide properties and function by choice;
 Everything defined in the object literal is public;
Pros Cons
Remove global namespaces to properties,
variables and methods
Difficult to maintain and understand
Functionality can be added at a later
point
No way to have private properties and/or
methods
All properties and methods are public
//Object Literal declaring
properties and methods
var user_model = {
//public property
username: "Some user",
//public method
login: function() {}
};
 Non name function that executes after it is defined;
 Isolate variables and functions from global namespace;
//Self-Executing Anonymous
Function:
(function() {
//private variable
var username = "Some username";
//private function
function login() {}
login();
}());
Pros Cons
Hide implementation
from external code
All information is
hidden
The code runs only
once
Complicated on first
sight
Not using object literal
notation
 Uses the concept of the Self-Executing Anonymous Function;
 Store the result into a variable;
//Revealing Module Pattern (Public & Private)
var user_proxy = (function() {
var me = {},
//Private property
username = "Some username";
//Public property
me.message = "A message";
//Public method
me.Login = function() {
pvtLogin();
};
//Private method
function pvtLogin() {
//Do something...
}
//Return just the public parts
return me;
}());
Pros Cons
Allow private and
public properties and
methods
Easy to understand
 Many ways to create an object, but only one is the correct one;
 Hesitate the temptation to use the new keyword;
// bad practice
var user = new Object();
// good practice
var user = {};
// bad practice
function User(uname){
this.username = uname;
}
var user = new User(‘test’);
user.username == ‘test’
var user = User(‘test’);
user.username != ‘test’
user.username == window.
username
 Same goes for arrays. Many ways to create an array, but only one is
the correct one;
// bad practice
var userList = new Array(10);
userList[0] === undefined;
userList.length == 10;
// good practice
var userList = [];
C#
If(user != null && user.Length > 0)
{
// do something
}
JavaScript
If(user)
{
// do something
}
OR
user = user || ‘default value’;
 JavaScript ninja behavior can sometimes gives us unexpected
results;
 Sometime value comparison is not what it looks like;
 Always use === or !== when doing comparison in JavaScript;
// Unexpected comparisons
0 == '‘ //true
0 == ‘0’ //true
false == '0‘ //true
null == undefined //true
' trn ' == 0 //true
0 === '' //false
0 === '0' //false
false === '0' //false
null === undefined //false
' trn ' === 0 //false
 Does not guarantee the order of the items that are going to be
retrieved by the iterator;
 The iterator can iterate both array and objects;
 Bad declaration can result in incorrect iterator execution;
var user = {
username: ‘Test’,
name:’Some name’
};
for(var data in user){
alert(data);
}
// outputs
username, name
var userArray = [];
userArray.push(‘data’)
userArray.name = ‘Test’;
for(var data in user){
alert(data);
alert(user[data]);
}
// outputs 0, name
// outputs data, Test
 Variable scope visible in the
function;
 All internal closures or
functions will see the defined
variables in the parent
function scope;
function login() {
var user = "test",
isWrongCaptcha = true;
if (isWrongCaptcha) {
var timeToWait = 10;
console.log( "Waiting " + timeToWait + " minutes" );
internal_log_in();
}
function internal_log_in() {
//The chew function also has access to the
//timeToWait variable because it is part of the
//eat function's scope
console.log("After waiting " + timeToWait +
" minutes, " + "I am going to login to the system");
}
}
login();
//Waiting 10 minutes
//After waiting 10 minutes, I am going to login to the
system
 JSLint is a static code analysis tool used in software development for
checking if JavaScript source code complies with coding rules;
 Provided primarily as an online tool, but there are also command-line
adaptations;
 Large scale JavaScript development involves different source types and
formats;
 Presentation code;
 Proxy code;
 Third party libs;
 Solution structure is tightly coupled with the solution architecture approach;
 Physical structure should match the solution architecture abstraction;
 /scripts
 /utils
 /controllers
 /models
 /modules
 /bootstrappers
 /libs
 /components
 /external
 /content
 /images
 /css
 /media
 /scripts
 Development helpers
 Proxy classes to the server methods
 Models used for the client and server side
 Modules per functionality
 Application/module/plugin initializers
 /libs
 Custom developed components
 External libraries
 /content
 /images
 /css
 /media
 Plan before execute;
 Questions to be answered before the design:
 What will be reused?
 How many modules depend on other modules?
 Are your module sandboxed?
 Break your application into small single-purpose parts - modules;
 Module pattern gives you implementation privacy, state and code
organization;
 Provide a way to handle private and public methods and variables;
 Protects the code to leak into the global namespace;
namespace.modulename = function(module) {
var privateVar = 'some data';
module.init = function(){
};
module.doSomething = function(){
internalDoSomething();
};
function internalDoSomething(){
};
return module;
}(namespace.modulename || {});
 In some point there will be a need to establish module communication;
 In order to avoid tight coupling we can utilize the mediator pattern;
 The mediator pattern encapsulates how a set of modules interact;
 Utilized via Pub/Sub;
 Modules communicates via message publishing;
;(function ($) {
var o = $({});
$.subscribe = function () {
o.on.apply(o, arguments);
};
$.unsubscribe = function () {
o.off.apply(o, arguments);
};
$.publish = function () {
o.trigger.apply(o, arguments);
};
} (jQuery));
$.subscribe('namespace/action',
function (data) {
alert(data);
});
$.publish('namespace/action',
'data')
 Wrapping it all together;
 The modules publish events which inform the application that
something is happening;
 The modules in the system are subscribed to certain events;
 The mediator enables the modules to communicate via the PubSub
mechanism;
 Utilizing the module pattern;
 JavaScript coding pattern;
 Module pattern implementation with anonymous closures;
 Should be considered:
 Every module should be part of a namespace;
 Every module can contains sub modules;
 What will be the global import of the module;
 What will the module export;
var namespace.module = (function (import) {
var me = {};
// private property
var somePrivateVar = 'Test data';
// public property
me.publicProperty = 'Public data';
// private method
function privateMethod() {
somePrivateVar = 'executed pvt method';
}
// publicmethod
me.publicMethod = function () {
return me.publicProperty;
};
// the module export
return me;
}(GLOBAL_IMPORT));
 Module inheritance can be done with module import;
namespace.module = (function (baseModule) {
var me = {};
// inherit the methods and properties
for (key in baseModule) {
if (baseModule.hasOwnProperty(key)) {
me[key] = baseModule[key];
}
}
var base_publicMethod = baseModule.publicMethod;
// public method override
me.publicMethod = function () {
return base_publicMethod();
};
// the module export
return me;
}(module));
 Build your UI components in jQuery plugin fashion;
 jQuery plugin pattern is well known and understood by most of the UI
developers;
 Offers simple implementation syntax and offers extensibility;
$.fn.pluginName = function(options)
{
// Create some defaults, extending them with any options that were provided
var settings = $.extend( {
'location' : 'top',
'background-color' : 'blue'
}, options);
// return the object back to the chained call flow
return this.each(function() // This is the main processor
// function that executes on
// each selected element
// (e.g: jQuery("div"))
{
var $this = $(this);
alert($this);
});
};
})(jQuery);
// usage
$(document).ready(function() {
// create a new instance of the plugin
$(‘selector’).pluginName(options);
});
 Allow communication between modules via event publishing managed by
pub/sub component;
 Each module can publish events, subscribe and unsubscribe to events;
app.usermodule = (function () {
var me = {};
me.onNewFriendNotificaion =
function(notification){
alert(notification.from);
};
me.init = function(){
$.subscribe('on-new-friend-
notificaion', me.onNewFriendNotificaion);
};
me.destroy = function(){
$.unsubscribe('on-new-
friend-notificaion', me.onNewFriendNotificaion);
};
return me;
}());
app.streammodule = (function () {
var me = {};
me.post = function(){
// do some client logic and
notify the other modules
$.publish('on-new-friend-
notificaion', { from:'user' });
};
return me;
}());
 String localization;
 Dates, times, numbers, and currencies;
 Use jQuery Globalize plugin for Dates, times, numbers, and currencies;
 Store string resources in JSON format so they would be native to client;
 Server string resources per culture;
 Build language manager for the string resources;
 Load the JSON resources into the language manager;
 User the language manager to translate plugins, DOM elements and strings;
 Useful for tracking modules state, variables and processes while in
development;
 Natively supported in all of the new modern browsers;
 Use an existing logging framework or wrap your logger around the existing
browsers logger;
var logger = function(){
var logger = {};
window.onerror = function(message, file, line) {
logError(file + ':' + line + 'nn' + message);
};
logger.log = function(message){
logError(message);
};
function logError(message){
if(console && console.log){
console.log(message);
}
};
return logger;
}();
 Add style sheets in the HEAD
 Add scripts at the bottom of the <BODY>
 Add favicon
 Create CSS sprites
 Enable GZIP and static resource Caching
 Minimize CSS and JavaScript files
 Set cookie less domain for static resources
 routes.IgnoreRoute("{*favicon}", new { favicon = @"(.*/)?favicon.ico(/.*)?" });
 Put all of your icons and assets that you are using for your design into one
file. Create CSS file to access the resources. You will minimize n*request per
resource time that the browser would call for the separate assets.
 Check out Sprite cow – http://www.spritecow.com
<system.webServer>
<staticContent>
<remove fileExtension=".js" />
<remove fileExtension=".css" />
<mimeMap fileExtension=".js" mimeType="text/javascript" />
<mimeMap fileExtension=".css" mimeType="text/css" />
<clientCache cacheControlCustom="public" cacheControlMode="UseMaxAge"
cacheControlMaxAge="500.00:00:00" />
</staticContent>
<urlCompression doStaticCompression="true" doDynamicCompression="true" />
</system.webServer>
@(Bundle.Css()
.Add("~/Content/base.css")
.Add("~/Content/CSS/Plugins/BootstrapDatepicker/daterangepicker-bs3.css")
.MvcRender("~/Content/CSS/min/combined_#.css"))
------------------------
@(Bundle.JavaScript()
.Add(@"~/Scripts/lib/jquery-2.0.2.min.js")
.Add(@"~/Scripts/lib/jquery.slimscroll.min.js")
.Add(@"~/Scripts/lib/jquery-ui-1.10.3.custom.min.js")
.Add(@"~/Scripts/lib/typeahead.min.js")
.Add(@"~/Scripts/lib/daterangepicker.js")
.Add(@"~/Scripts/lib/moment.min.js")
.MvcRender("~/Scripts/min/combined_#.js"))
 Go to your domain hosting account and set a subdomain that point to your
web application
 Set your static resources to point to the subdomain to avoid cookie data
transfer
Built to last   javascript for enterprise

Mais conteúdo relacionado

Mais procurados

A Complete Tour of JSF 2
A Complete Tour of JSF 2A Complete Tour of JSF 2
A Complete Tour of JSF 2Jim Driscoll
 
Spring 3.x - Spring MVC
Spring 3.x - Spring MVCSpring 3.x - Spring MVC
Spring 3.x - Spring MVCGuy Nir
 
JavaFX programming
JavaFX programmingJavaFX programming
JavaFX programmingFulvio Corno
 
Struts2 course chapter 1: Evolution of Web Applications
Struts2 course chapter 1: Evolution of Web ApplicationsStruts2 course chapter 1: Evolution of Web Applications
Struts2 course chapter 1: Evolution of Web ApplicationsJavaEE Trainers
 
JSF Component Behaviors
JSF Component BehaviorsJSF Component Behaviors
JSF Component BehaviorsAndy Schwartz
 
Design Patterns in iOS
Design Patterns in iOSDesign Patterns in iOS
Design Patterns in iOSYi-Shou Chen
 
Building a JavaScript Module Framework at Gilt
Building a JavaScript Module Framework at GiltBuilding a JavaScript Module Framework at Gilt
Building a JavaScript Module Framework at GiltEric Shepherd
 
Spring 3.x - Spring MVC - Advanced topics
Spring 3.x - Spring MVC - Advanced topicsSpring 3.x - Spring MVC - Advanced topics
Spring 3.x - Spring MVC - Advanced topicsGuy Nir
 
Java Server Faces (JSF) - advanced
Java Server Faces (JSF) - advancedJava Server Faces (JSF) - advanced
Java Server Faces (JSF) - advancedBG Java EE Course
 
Building a Web-bridge for JADE agents
Building a Web-bridge for JADE agentsBuilding a Web-bridge for JADE agents
Building a Web-bridge for JADE agentsinfopapers
 
Ten Minutes To Tellurium
Ten Minutes To TelluriumTen Minutes To Tellurium
Ten Minutes To TelluriumJohn.Jian.Fang
 
Manageable Robust Automated Ui Test
Manageable Robust Automated Ui TestManageable Robust Automated Ui Test
Manageable Robust Automated Ui TestJohn.Jian.Fang
 
Java Swing Custom GUI MVC Component Tutorial
Java Swing Custom GUI MVC Component TutorialJava Swing Custom GUI MVC Component Tutorial
Java Swing Custom GUI MVC Component TutorialSagun Dhakhwa
 
Struts Introduction Course
Struts Introduction CourseStruts Introduction Course
Struts Introduction Courseguest764934
 

Mais procurados (20)

A Complete Tour of JSF 2
A Complete Tour of JSF 2A Complete Tour of JSF 2
A Complete Tour of JSF 2
 
Spring 3.x - Spring MVC
Spring 3.x - Spring MVCSpring 3.x - Spring MVC
Spring 3.x - Spring MVC
 
JavaFX programming
JavaFX programmingJavaFX programming
JavaFX programming
 
Struts2 course chapter 1: Evolution of Web Applications
Struts2 course chapter 1: Evolution of Web ApplicationsStruts2 course chapter 1: Evolution of Web Applications
Struts2 course chapter 1: Evolution of Web Applications
 
JSF Component Behaviors
JSF Component BehaviorsJSF Component Behaviors
JSF Component Behaviors
 
Design Patterns in iOS
Design Patterns in iOSDesign Patterns in iOS
Design Patterns in iOS
 
Building a JavaScript Module Framework at Gilt
Building a JavaScript Module Framework at GiltBuilding a JavaScript Module Framework at Gilt
Building a JavaScript Module Framework at Gilt
 
Spring 3.x - Spring MVC - Advanced topics
Spring 3.x - Spring MVC - Advanced topicsSpring 3.x - Spring MVC - Advanced topics
Spring 3.x - Spring MVC - Advanced topics
 
Jsf intro
Jsf introJsf intro
Jsf intro
 
Spring Web MVC
Spring Web MVCSpring Web MVC
Spring Web MVC
 
Java Server Faces (JSF) - advanced
Java Server Faces (JSF) - advancedJava Server Faces (JSF) - advanced
Java Server Faces (JSF) - advanced
 
Building a Web-bridge for JADE agents
Building a Web-bridge for JADE agentsBuilding a Web-bridge for JADE agents
Building a Web-bridge for JADE agents
 
Java server faces
Java server facesJava server faces
Java server faces
 
Ten Minutes To Tellurium
Ten Minutes To TelluriumTen Minutes To Tellurium
Ten Minutes To Tellurium
 
Manageable Robust Automated Ui Test
Manageable Robust Automated Ui TestManageable Robust Automated Ui Test
Manageable Robust Automated Ui Test
 
TY.BSc.IT Java QB U6
TY.BSc.IT Java QB U6TY.BSc.IT Java QB U6
TY.BSc.IT Java QB U6
 
Java Swing Custom GUI MVC Component Tutorial
Java Swing Custom GUI MVC Component TutorialJava Swing Custom GUI MVC Component Tutorial
Java Swing Custom GUI MVC Component Tutorial
 
Jsf presentation
Jsf presentationJsf presentation
Jsf presentation
 
Struts Introduction Course
Struts Introduction CourseStruts Introduction Course
Struts Introduction Course
 
Exploring Maven SVN GIT
Exploring Maven SVN GITExploring Maven SVN GIT
Exploring Maven SVN GIT
 

Destaque

Microscopic details
Microscopic detailsMicroscopic details
Microscopic detailsibfrostybrew
 
Digitalgiftfor brad
Digitalgiftfor bradDigitalgiftfor brad
Digitalgiftfor bradcmniehaus
 
Phoenix Caribbean
Phoenix CaribbeanPhoenix Caribbean
Phoenix CaribbeanGuy Phoenix
 
Phoenix Caribbean
Phoenix CaribbeanPhoenix Caribbean
Phoenix CaribbeanGuy Phoenix
 
The enlargement of EU by acceeding new countries
The enlargement of EU by acceeding new countriesThe enlargement of EU by acceeding new countries
The enlargement of EU by acceeding new countriesVitor Santos
 
Observations on dag scheduling and dynamic load-balancing using genetic algor...
Observations on dag scheduling and dynamic load-balancing using genetic algor...Observations on dag scheduling and dynamic load-balancing using genetic algor...
Observations on dag scheduling and dynamic load-balancing using genetic algor...Rahul Jain
 
Consumer finance by Ahmed Baig
Consumer finance by Ahmed BaigConsumer finance by Ahmed Baig
Consumer finance by Ahmed BaigAhmedbaigmirza
 
Risk Assessment of Construction Projects Using Network Based Adaptive Fuzzy S...
Risk Assessment of Construction Projects Using Network Based Adaptive Fuzzy S...Risk Assessment of Construction Projects Using Network Based Adaptive Fuzzy S...
Risk Assessment of Construction Projects Using Network Based Adaptive Fuzzy S...Hani Nelly Sukma
 
Competition and oligopoly in telecommunications industry in the EU
Competition and oligopoly in telecommunications industry in the EUCompetition and oligopoly in telecommunications industry in the EU
Competition and oligopoly in telecommunications industry in the EUVitor Santos
 
포키비언_카루라이브_플랫폼_협업제안서_v3.2_public
포키비언_카루라이브_플랫폼_협업제안서_v3.2_public포키비언_카루라이브_플랫폼_협업제안서_v3.2_public
포키비언_카루라이브_플랫폼_협업제안서_v3.2_publicDong-il Chang
 
카루라이브 커넥티드카 서비스 플랫폼 소개 v2.4
카루라이브 커넥티드카 서비스 플랫폼 소개 v2.4카루라이브 커넥티드카 서비스 플랫폼 소개 v2.4
카루라이브 커넥티드카 서비스 플랫폼 소개 v2.4Dong-il Chang
 
indONEsia - PNU we are one festival 2011
indONEsia - PNU we are one festival 2011indONEsia - PNU we are one festival 2011
indONEsia - PNU we are one festival 2011Hani Nelly Sukma
 
Pokevian connected car_products_v3.0.0
Pokevian connected car_products_v3.0.0Pokevian connected car_products_v3.0.0
Pokevian connected car_products_v3.0.0Dong-il Chang
 

Destaque (18)

Microscopic details
Microscopic detailsMicroscopic details
Microscopic details
 
Digitalgiftfor brad
Digitalgiftfor bradDigitalgiftfor brad
Digitalgiftfor brad
 
Perpika dan Pak RT
Perpika dan Pak RTPerpika dan Pak RT
Perpika dan Pak RT
 
Perpika dan Pak RT
Perpika dan Pak RTPerpika dan Pak RT
Perpika dan Pak RT
 
Phoenix Caribbean
Phoenix CaribbeanPhoenix Caribbean
Phoenix Caribbean
 
Anti Corruption Layers
Anti Corruption LayersAnti Corruption Layers
Anti Corruption Layers
 
Crusell Bridge
Crusell BridgeCrusell Bridge
Crusell Bridge
 
Phoenix Caribbean
Phoenix CaribbeanPhoenix Caribbean
Phoenix Caribbean
 
The enlargement of EU by acceeding new countries
The enlargement of EU by acceeding new countriesThe enlargement of EU by acceeding new countries
The enlargement of EU by acceeding new countries
 
Observations on dag scheduling and dynamic load-balancing using genetic algor...
Observations on dag scheduling and dynamic load-balancing using genetic algor...Observations on dag scheduling and dynamic load-balancing using genetic algor...
Observations on dag scheduling and dynamic load-balancing using genetic algor...
 
Consumer finance by Ahmed Baig
Consumer finance by Ahmed BaigConsumer finance by Ahmed Baig
Consumer finance by Ahmed Baig
 
Risk Assessment of Construction Projects Using Network Based Adaptive Fuzzy S...
Risk Assessment of Construction Projects Using Network Based Adaptive Fuzzy S...Risk Assessment of Construction Projects Using Network Based Adaptive Fuzzy S...
Risk Assessment of Construction Projects Using Network Based Adaptive Fuzzy S...
 
Competition and oligopoly in telecommunications industry in the EU
Competition and oligopoly in telecommunications industry in the EUCompetition and oligopoly in telecommunications industry in the EU
Competition and oligopoly in telecommunications industry in the EU
 
포키비언_카루라이브_플랫폼_협업제안서_v3.2_public
포키비언_카루라이브_플랫폼_협업제안서_v3.2_public포키비언_카루라이브_플랫폼_협업제안서_v3.2_public
포키비언_카루라이브_플랫폼_협업제안서_v3.2_public
 
Elizabethan Theatre Project
Elizabethan Theatre ProjectElizabethan Theatre Project
Elizabethan Theatre Project
 
카루라이브 커넥티드카 서비스 플랫폼 소개 v2.4
카루라이브 커넥티드카 서비스 플랫폼 소개 v2.4카루라이브 커넥티드카 서비스 플랫폼 소개 v2.4
카루라이브 커넥티드카 서비스 플랫폼 소개 v2.4
 
indONEsia - PNU we are one festival 2011
indONEsia - PNU we are one festival 2011indONEsia - PNU we are one festival 2011
indONEsia - PNU we are one festival 2011
 
Pokevian connected car_products_v3.0.0
Pokevian connected car_products_v3.0.0Pokevian connected car_products_v3.0.0
Pokevian connected car_products_v3.0.0
 

Semelhante a Built to last javascript for enterprise

SMI - Introduction to Java
SMI - Introduction to JavaSMI - Introduction to Java
SMI - Introduction to JavaSMIJava
 
Bring the fun back to java
Bring the fun back to javaBring the fun back to java
Bring the fun back to javaciklum_ods
 
Dive into Play Framework
Dive into Play FrameworkDive into Play Framework
Dive into Play FrameworkMaher Gamal
 
Java programming concept
Java programming conceptJava programming concept
Java programming conceptSanjay Gunjal
 
Three Simple Chords of Alternative PageObjects and Hardcore of LoadableCompon...
Three Simple Chords of Alternative PageObjects and Hardcore of LoadableCompon...Three Simple Chords of Alternative PageObjects and Hardcore of LoadableCompon...
Three Simple Chords of Alternative PageObjects and Hardcore of LoadableCompon...Iakiv Kramarenko
 
Adding a modern twist to legacy web applications
Adding a modern twist to legacy web applicationsAdding a modern twist to legacy web applications
Adding a modern twist to legacy web applicationsJeff Durta
 
jquery summit presentation for large scale javascript applications
jquery summit  presentation for large scale javascript applicationsjquery summit  presentation for large scale javascript applications
jquery summit presentation for large scale javascript applicationsDivyanshGupta922023
 
Modular javascript
Modular javascriptModular javascript
Modular javascriptZain Shaikh
 
Javascript for the c# developer
Javascript for the c# developerJavascript for the c# developer
Javascript for the c# developerSalvatore Fazio
 
Stopping the Rot - Putting Legacy C++ Under Test
Stopping the Rot - Putting Legacy C++ Under TestStopping the Rot - Putting Legacy C++ Under Test
Stopping the Rot - Putting Legacy C++ Under TestSeb Rose
 
Reactive application using meteor
Reactive application using meteorReactive application using meteor
Reactive application using meteorSapna Upreti
 
WebNet Conference 2012 - Designing complex applications using html5 and knock...
WebNet Conference 2012 - Designing complex applications using html5 and knock...WebNet Conference 2012 - Designing complex applications using html5 and knock...
WebNet Conference 2012 - Designing complex applications using html5 and knock...Fabio Franzini
 
DrupalGap. How to create native application for mobile devices based on Drupa...
DrupalGap. How to create native application for mobile devices based on Drupa...DrupalGap. How to create native application for mobile devices based on Drupa...
DrupalGap. How to create native application for mobile devices based on Drupa...Alex S
 
DrupalGap. How to create native application for mobile devices based on Drupa...
DrupalGap. How to create native application for mobile devices based on Drupa...DrupalGap. How to create native application for mobile devices based on Drupa...
DrupalGap. How to create native application for mobile devices based on Drupa...DrupalCampDN
 
Testable JavaScript: Application Architecture
Testable JavaScript:  Application ArchitectureTestable JavaScript:  Application Architecture
Testable JavaScript: Application ArchitectureMark Trostler
 

Semelhante a Built to last javascript for enterprise (20)

SMI - Introduction to Java
SMI - Introduction to JavaSMI - Introduction to Java
SMI - Introduction to Java
 
RequireJS
RequireJSRequireJS
RequireJS
 
Bring the fun back to java
Bring the fun back to javaBring the fun back to java
Bring the fun back to java
 
Dive into Play Framework
Dive into Play FrameworkDive into Play Framework
Dive into Play Framework
 
Java programming concept
Java programming conceptJava programming concept
Java programming concept
 
Three Simple Chords of Alternative PageObjects and Hardcore of LoadableCompon...
Three Simple Chords of Alternative PageObjects and Hardcore of LoadableCompon...Three Simple Chords of Alternative PageObjects and Hardcore of LoadableCompon...
Three Simple Chords of Alternative PageObjects and Hardcore of LoadableCompon...
 
Struts 1
Struts 1Struts 1
Struts 1
 
Adding a modern twist to legacy web applications
Adding a modern twist to legacy web applicationsAdding a modern twist to legacy web applications
Adding a modern twist to legacy web applications
 
jquery summit presentation for large scale javascript applications
jquery summit  presentation for large scale javascript applicationsjquery summit  presentation for large scale javascript applications
jquery summit presentation for large scale javascript applications
 
Modular javascript
Modular javascriptModular javascript
Modular javascript
 
Javascript for the c# developer
Javascript for the c# developerJavascript for the c# developer
Javascript for the c# developer
 
Stopping the Rot - Putting Legacy C++ Under Test
Stopping the Rot - Putting Legacy C++ Under TestStopping the Rot - Putting Legacy C++ Under Test
Stopping the Rot - Putting Legacy C++ Under Test
 
Spring boot
Spring bootSpring boot
Spring boot
 
Reactive application using meteor
Reactive application using meteorReactive application using meteor
Reactive application using meteor
 
CAR SHOWROOM SYSTEM
CAR SHOWROOM SYSTEMCAR SHOWROOM SYSTEM
CAR SHOWROOM SYSTEM
 
Java script best practices v4
Java script best practices v4Java script best practices v4
Java script best practices v4
 
WebNet Conference 2012 - Designing complex applications using html5 and knock...
WebNet Conference 2012 - Designing complex applications using html5 and knock...WebNet Conference 2012 - Designing complex applications using html5 and knock...
WebNet Conference 2012 - Designing complex applications using html5 and knock...
 
DrupalGap. How to create native application for mobile devices based on Drupa...
DrupalGap. How to create native application for mobile devices based on Drupa...DrupalGap. How to create native application for mobile devices based on Drupa...
DrupalGap. How to create native application for mobile devices based on Drupa...
 
DrupalGap. How to create native application for mobile devices based on Drupa...
DrupalGap. How to create native application for mobile devices based on Drupa...DrupalGap. How to create native application for mobile devices based on Drupa...
DrupalGap. How to create native application for mobile devices based on Drupa...
 
Testable JavaScript: Application Architecture
Testable JavaScript:  Application ArchitectureTestable JavaScript:  Application Architecture
Testable JavaScript: Application Architecture
 

Mais de Marjan Nikolovski

Marjan.nikolovski down the rabbit hole error handling examined-v01
Marjan.nikolovski down the rabbit hole   error handling examined-v01Marjan.nikolovski down the rabbit hole   error handling examined-v01
Marjan.nikolovski down the rabbit hole error handling examined-v01Marjan Nikolovski
 
Down the rabbit hole - Error handling examined
Down the rabbit hole - Error handling examinedDown the rabbit hole - Error handling examined
Down the rabbit hole - Error handling examinedMarjan Nikolovski
 
Skyrocketing to the cloud with Windows Azure
Skyrocketing to the cloud with Windows AzureSkyrocketing to the cloud with Windows Azure
Skyrocketing to the cloud with Windows AzureMarjan Nikolovski
 
Band of brothers, building scalable social web apps on windows azure with asp...
Band of brothers, building scalable social web apps on windows azure with asp...Band of brothers, building scalable social web apps on windows azure with asp...
Band of brothers, building scalable social web apps on windows azure with asp...Marjan Nikolovski
 
Yellow.4 marjan nikolovski hunting rabbits and event-driven programming
Yellow.4 marjan nikolovski hunting rabbits and event-driven programmingYellow.4 marjan nikolovski hunting rabbits and event-driven programming
Yellow.4 marjan nikolovski hunting rabbits and event-driven programmingMarjan Nikolovski
 

Mais de Marjan Nikolovski (9)

Marjan.nikolovski down the rabbit hole error handling examined-v01
Marjan.nikolovski down the rabbit hole   error handling examined-v01Marjan.nikolovski down the rabbit hole   error handling examined-v01
Marjan.nikolovski down the rabbit hole error handling examined-v01
 
Down the rabbit hole - Error handling examined
Down the rabbit hole - Error handling examinedDown the rabbit hole - Error handling examined
Down the rabbit hole - Error handling examined
 
Enterprise js pratices
Enterprise js praticesEnterprise js pratices
Enterprise js pratices
 
Skyrocketing to the cloud with Windows Azure
Skyrocketing to the cloud with Windows AzureSkyrocketing to the cloud with Windows Azure
Skyrocketing to the cloud with Windows Azure
 
Band of brothers, building scalable social web apps on windows azure with asp...
Band of brothers, building scalable social web apps on windows azure with asp...Band of brothers, building scalable social web apps on windows azure with asp...
Band of brothers, building scalable social web apps on windows azure with asp...
 
Yellow.4 marjan nikolovski hunting rabbits and event-driven programming
Yellow.4 marjan nikolovski hunting rabbits and event-driven programmingYellow.4 marjan nikolovski hunting rabbits and event-driven programming
Yellow.4 marjan nikolovski hunting rabbits and event-driven programming
 
No sql - { If and Else }
No sql - { If and Else }No sql - { If and Else }
No sql - { If and Else }
 
High Performance Computing
High Performance ComputingHigh Performance Computing
High Performance Computing
 
Entity Framework 4
Entity Framework 4Entity Framework 4
Entity Framework 4
 

Último

Learn the Fundamentals of XCUITest Framework_ A Beginner's Guide.pdf
Learn the Fundamentals of XCUITest Framework_ A Beginner's Guide.pdfLearn the Fundamentals of XCUITest Framework_ A Beginner's Guide.pdf
Learn the Fundamentals of XCUITest Framework_ A Beginner's Guide.pdfkalichargn70th171
 
The Real-World Challenges of Medical Device Cybersecurity- Mitigating Vulnera...
The Real-World Challenges of Medical Device Cybersecurity- Mitigating Vulnera...The Real-World Challenges of Medical Device Cybersecurity- Mitigating Vulnera...
The Real-World Challenges of Medical Device Cybersecurity- Mitigating Vulnera...ICS
 
Unlocking the Future of AI Agents with Large Language Models
Unlocking the Future of AI Agents with Large Language ModelsUnlocking the Future of AI Agents with Large Language Models
Unlocking the Future of AI Agents with Large Language Modelsaagamshah0812
 
CALL ON ➥8923113531 🔝Call Girls Badshah Nagar Lucknow best Female service
CALL ON ➥8923113531 🔝Call Girls Badshah Nagar Lucknow best Female serviceCALL ON ➥8923113531 🔝Call Girls Badshah Nagar Lucknow best Female service
CALL ON ➥8923113531 🔝Call Girls Badshah Nagar Lucknow best Female serviceanilsa9823
 
Right Money Management App For Your Financial Goals
Right Money Management App For Your Financial GoalsRight Money Management App For Your Financial Goals
Right Money Management App For Your Financial GoalsJhone kinadey
 
Steps To Getting Up And Running Quickly With MyTimeClock Employee Scheduling ...
Steps To Getting Up And Running Quickly With MyTimeClock Employee Scheduling ...Steps To Getting Up And Running Quickly With MyTimeClock Employee Scheduling ...
Steps To Getting Up And Running Quickly With MyTimeClock Employee Scheduling ...MyIntelliSource, Inc.
 
Optimizing AI for immediate response in Smart CCTV
Optimizing AI for immediate response in Smart CCTVOptimizing AI for immediate response in Smart CCTV
Optimizing AI for immediate response in Smart CCTVshikhaohhpro
 
Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...
Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...
Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...harshavardhanraghave
 
call girls in Vaishali (Ghaziabad) 🔝 >༒8448380779 🔝 genuine Escort Service 🔝✔️✔️
call girls in Vaishali (Ghaziabad) 🔝 >༒8448380779 🔝 genuine Escort Service 🔝✔️✔️call girls in Vaishali (Ghaziabad) 🔝 >༒8448380779 🔝 genuine Escort Service 🔝✔️✔️
call girls in Vaishali (Ghaziabad) 🔝 >༒8448380779 🔝 genuine Escort Service 🔝✔️✔️Delhi Call girls
 
How To Use Server-Side Rendering with Nuxt.js
How To Use Server-Side Rendering with Nuxt.jsHow To Use Server-Side Rendering with Nuxt.js
How To Use Server-Side Rendering with Nuxt.jsAndolasoft Inc
 
TECUNIQUE: Success Stories: IT Service provider
TECUNIQUE: Success Stories: IT Service providerTECUNIQUE: Success Stories: IT Service provider
TECUNIQUE: Success Stories: IT Service providermohitmore19
 
A Secure and Reliable Document Management System is Essential.docx
A Secure and Reliable Document Management System is Essential.docxA Secure and Reliable Document Management System is Essential.docx
A Secure and Reliable Document Management System is Essential.docxComplianceQuest1
 
Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...
Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...
Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...OnePlan Solutions
 
How To Troubleshoot Collaboration Apps for the Modern Connected Worker
How To Troubleshoot Collaboration Apps for the Modern Connected WorkerHow To Troubleshoot Collaboration Apps for the Modern Connected Worker
How To Troubleshoot Collaboration Apps for the Modern Connected WorkerThousandEyes
 
Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...
Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...
Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...MyIntelliSource, Inc.
 
SyndBuddy AI 2k Review 2024: Revolutionizing Content Syndication with AI
SyndBuddy AI 2k Review 2024: Revolutionizing Content Syndication with AISyndBuddy AI 2k Review 2024: Revolutionizing Content Syndication with AI
SyndBuddy AI 2k Review 2024: Revolutionizing Content Syndication with AIABDERRAOUF MEHENNI
 
HR Software Buyers Guide in 2024 - HRSoftware.com
HR Software Buyers Guide in 2024 - HRSoftware.comHR Software Buyers Guide in 2024 - HRSoftware.com
HR Software Buyers Guide in 2024 - HRSoftware.comFatema Valibhai
 
Software Quality Assurance Interview Questions
Software Quality Assurance Interview QuestionsSoftware Quality Assurance Interview Questions
Software Quality Assurance Interview QuestionsArshad QA
 

Último (20)

Learn the Fundamentals of XCUITest Framework_ A Beginner's Guide.pdf
Learn the Fundamentals of XCUITest Framework_ A Beginner's Guide.pdfLearn the Fundamentals of XCUITest Framework_ A Beginner's Guide.pdf
Learn the Fundamentals of XCUITest Framework_ A Beginner's Guide.pdf
 
The Real-World Challenges of Medical Device Cybersecurity- Mitigating Vulnera...
The Real-World Challenges of Medical Device Cybersecurity- Mitigating Vulnera...The Real-World Challenges of Medical Device Cybersecurity- Mitigating Vulnera...
The Real-World Challenges of Medical Device Cybersecurity- Mitigating Vulnera...
 
Unlocking the Future of AI Agents with Large Language Models
Unlocking the Future of AI Agents with Large Language ModelsUnlocking the Future of AI Agents with Large Language Models
Unlocking the Future of AI Agents with Large Language Models
 
Vip Call Girls Noida ➡️ Delhi ➡️ 9999965857 No Advance 24HRS Live
Vip Call Girls Noida ➡️ Delhi ➡️ 9999965857 No Advance 24HRS LiveVip Call Girls Noida ➡️ Delhi ➡️ 9999965857 No Advance 24HRS Live
Vip Call Girls Noida ➡️ Delhi ➡️ 9999965857 No Advance 24HRS Live
 
CALL ON ➥8923113531 🔝Call Girls Badshah Nagar Lucknow best Female service
CALL ON ➥8923113531 🔝Call Girls Badshah Nagar Lucknow best Female serviceCALL ON ➥8923113531 🔝Call Girls Badshah Nagar Lucknow best Female service
CALL ON ➥8923113531 🔝Call Girls Badshah Nagar Lucknow best Female service
 
Right Money Management App For Your Financial Goals
Right Money Management App For Your Financial GoalsRight Money Management App For Your Financial Goals
Right Money Management App For Your Financial Goals
 
Steps To Getting Up And Running Quickly With MyTimeClock Employee Scheduling ...
Steps To Getting Up And Running Quickly With MyTimeClock Employee Scheduling ...Steps To Getting Up And Running Quickly With MyTimeClock Employee Scheduling ...
Steps To Getting Up And Running Quickly With MyTimeClock Employee Scheduling ...
 
Optimizing AI for immediate response in Smart CCTV
Optimizing AI for immediate response in Smart CCTVOptimizing AI for immediate response in Smart CCTV
Optimizing AI for immediate response in Smart CCTV
 
Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...
Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...
Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...
 
call girls in Vaishali (Ghaziabad) 🔝 >༒8448380779 🔝 genuine Escort Service 🔝✔️✔️
call girls in Vaishali (Ghaziabad) 🔝 >༒8448380779 🔝 genuine Escort Service 🔝✔️✔️call girls in Vaishali (Ghaziabad) 🔝 >༒8448380779 🔝 genuine Escort Service 🔝✔️✔️
call girls in Vaishali (Ghaziabad) 🔝 >༒8448380779 🔝 genuine Escort Service 🔝✔️✔️
 
Microsoft AI Transformation Partner Playbook.pdf
Microsoft AI Transformation Partner Playbook.pdfMicrosoft AI Transformation Partner Playbook.pdf
Microsoft AI Transformation Partner Playbook.pdf
 
How To Use Server-Side Rendering with Nuxt.js
How To Use Server-Side Rendering with Nuxt.jsHow To Use Server-Side Rendering with Nuxt.js
How To Use Server-Side Rendering with Nuxt.js
 
TECUNIQUE: Success Stories: IT Service provider
TECUNIQUE: Success Stories: IT Service providerTECUNIQUE: Success Stories: IT Service provider
TECUNIQUE: Success Stories: IT Service provider
 
A Secure and Reliable Document Management System is Essential.docx
A Secure and Reliable Document Management System is Essential.docxA Secure and Reliable Document Management System is Essential.docx
A Secure and Reliable Document Management System is Essential.docx
 
Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...
Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...
Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...
 
How To Troubleshoot Collaboration Apps for the Modern Connected Worker
How To Troubleshoot Collaboration Apps for the Modern Connected WorkerHow To Troubleshoot Collaboration Apps for the Modern Connected Worker
How To Troubleshoot Collaboration Apps for the Modern Connected Worker
 
Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...
Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...
Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...
 
SyndBuddy AI 2k Review 2024: Revolutionizing Content Syndication with AI
SyndBuddy AI 2k Review 2024: Revolutionizing Content Syndication with AISyndBuddy AI 2k Review 2024: Revolutionizing Content Syndication with AI
SyndBuddy AI 2k Review 2024: Revolutionizing Content Syndication with AI
 
HR Software Buyers Guide in 2024 - HRSoftware.com
HR Software Buyers Guide in 2024 - HRSoftware.comHR Software Buyers Guide in 2024 - HRSoftware.com
HR Software Buyers Guide in 2024 - HRSoftware.com
 
Software Quality Assurance Interview Questions
Software Quality Assurance Interview QuestionsSoftware Quality Assurance Interview Questions
Software Quality Assurance Interview Questions
 

Built to last javascript for enterprise

  • 2. marjan@emitknowledge.com mk.linkedin/marjan.nikolovski Marjan Nikolovski A professional senior software engineer and conference speaker who is mainly hooked on the .NET platform as development platform and its derivatives, but from time to time knows to kill some time with open source software. Usually spends his time writing systems backend and testing cutting edge technologies. In spare time actively participating in holding technical presentations on conferences and researching. Specially interested in Distributed programming, Software architecture, Middleware, SOA, Non-relational databases and Workflow driven systems.
  • 3.  Word-Two;  JavaScript mistakes from the C# programmer  Solution structure;  Solution architecture;  Product modules;  UI Components;  Event Driven Messaging;  Localization;  Logging  Optimizations
  • 4.  Enterprise JavaScript app - heavy data app that is hard to be maintained;  Development time increase as the complexity and the codebase grows up;  Frontend development usually not taken seriously;  Frontend development always underestimated and without certain development plan and architecture;
  • 5.  Writing jQuery still requires knowledge of JavaScript;  Using global variables and functions;  Object literal;  Self-Executing Anonymous Function;  Revealing Module Pattern;  Array and object declaration gone bad;  False value understanding;  Default value testing;  Using wrong comparison operators;  Misusing For..in statement on Arrays;  Function and Object Scope in JavaScript;  Not aware of JSLint;
  • 6. var invalid_username = "Username exists"; function log_in() { //Placed in global scope when executed invalid_username = "Really Bad"; } //Bad way to prevent namespace clashing function namespace_log_out() { } //Functions window.log_in(); window.namespace_log_out(); //Global variables are available off window object console.log(window.invalid_username); console.log(window.log_in); console.log(window.namespace_log_out);
  • 7.  Similar to JSON syntax;  Provide properties and function by choice;  Everything defined in the object literal is public; Pros Cons Remove global namespaces to properties, variables and methods Difficult to maintain and understand Functionality can be added at a later point No way to have private properties and/or methods All properties and methods are public //Object Literal declaring properties and methods var user_model = { //public property username: "Some user", //public method login: function() {} };
  • 8.  Non name function that executes after it is defined;  Isolate variables and functions from global namespace; //Self-Executing Anonymous Function: (function() { //private variable var username = "Some username"; //private function function login() {} login(); }()); Pros Cons Hide implementation from external code All information is hidden The code runs only once Complicated on first sight Not using object literal notation
  • 9.  Uses the concept of the Self-Executing Anonymous Function;  Store the result into a variable; //Revealing Module Pattern (Public & Private) var user_proxy = (function() { var me = {}, //Private property username = "Some username"; //Public property me.message = "A message"; //Public method me.Login = function() { pvtLogin(); }; //Private method function pvtLogin() { //Do something... } //Return just the public parts return me; }()); Pros Cons Allow private and public properties and methods Easy to understand
  • 10.  Many ways to create an object, but only one is the correct one;  Hesitate the temptation to use the new keyword; // bad practice var user = new Object(); // good practice var user = {}; // bad practice function User(uname){ this.username = uname; } var user = new User(‘test’); user.username == ‘test’ var user = User(‘test’); user.username != ‘test’ user.username == window. username
  • 11.  Same goes for arrays. Many ways to create an array, but only one is the correct one; // bad practice var userList = new Array(10); userList[0] === undefined; userList.length == 10; // good practice var userList = [];
  • 12. C# If(user != null && user.Length > 0) { // do something } JavaScript If(user) { // do something } OR user = user || ‘default value’;
  • 13.  JavaScript ninja behavior can sometimes gives us unexpected results;  Sometime value comparison is not what it looks like;  Always use === or !== when doing comparison in JavaScript; // Unexpected comparisons 0 == '‘ //true 0 == ‘0’ //true false == '0‘ //true null == undefined //true ' trn ' == 0 //true 0 === '' //false 0 === '0' //false false === '0' //false null === undefined //false ' trn ' === 0 //false
  • 14.  Does not guarantee the order of the items that are going to be retrieved by the iterator;  The iterator can iterate both array and objects;  Bad declaration can result in incorrect iterator execution; var user = { username: ‘Test’, name:’Some name’ }; for(var data in user){ alert(data); } // outputs username, name var userArray = []; userArray.push(‘data’) userArray.name = ‘Test’; for(var data in user){ alert(data); alert(user[data]); } // outputs 0, name // outputs data, Test
  • 15.  Variable scope visible in the function;  All internal closures or functions will see the defined variables in the parent function scope; function login() { var user = "test", isWrongCaptcha = true; if (isWrongCaptcha) { var timeToWait = 10; console.log( "Waiting " + timeToWait + " minutes" ); internal_log_in(); } function internal_log_in() { //The chew function also has access to the //timeToWait variable because it is part of the //eat function's scope console.log("After waiting " + timeToWait + " minutes, " + "I am going to login to the system"); } } login(); //Waiting 10 minutes //After waiting 10 minutes, I am going to login to the system
  • 16.  JSLint is a static code analysis tool used in software development for checking if JavaScript source code complies with coding rules;  Provided primarily as an online tool, but there are also command-line adaptations;
  • 17.  Large scale JavaScript development involves different source types and formats;  Presentation code;  Proxy code;  Third party libs;  Solution structure is tightly coupled with the solution architecture approach;  Physical structure should match the solution architecture abstraction;
  • 18.  /scripts  /utils  /controllers  /models  /modules  /bootstrappers  /libs  /components  /external  /content  /images  /css  /media  /scripts  Development helpers  Proxy classes to the server methods  Models used for the client and server side  Modules per functionality  Application/module/plugin initializers  /libs  Custom developed components  External libraries  /content  /images  /css  /media
  • 19.  Plan before execute;  Questions to be answered before the design:  What will be reused?  How many modules depend on other modules?  Are your module sandboxed?
  • 20.  Break your application into small single-purpose parts - modules;  Module pattern gives you implementation privacy, state and code organization;  Provide a way to handle private and public methods and variables;  Protects the code to leak into the global namespace;
  • 21. namespace.modulename = function(module) { var privateVar = 'some data'; module.init = function(){ }; module.doSomething = function(){ internalDoSomething(); }; function internalDoSomething(){ }; return module; }(namespace.modulename || {});
  • 22.  In some point there will be a need to establish module communication;  In order to avoid tight coupling we can utilize the mediator pattern;  The mediator pattern encapsulates how a set of modules interact;
  • 23.
  • 24.  Utilized via Pub/Sub;  Modules communicates via message publishing; ;(function ($) { var o = $({}); $.subscribe = function () { o.on.apply(o, arguments); }; $.unsubscribe = function () { o.off.apply(o, arguments); }; $.publish = function () { o.trigger.apply(o, arguments); }; } (jQuery)); $.subscribe('namespace/action', function (data) { alert(data); }); $.publish('namespace/action', 'data')
  • 25.  Wrapping it all together;  The modules publish events which inform the application that something is happening;  The modules in the system are subscribed to certain events;  The mediator enables the modules to communicate via the PubSub mechanism;
  • 26.
  • 27.  Utilizing the module pattern;  JavaScript coding pattern;  Module pattern implementation with anonymous closures;  Should be considered:  Every module should be part of a namespace;  Every module can contains sub modules;  What will be the global import of the module;  What will the module export;
  • 28. var namespace.module = (function (import) { var me = {}; // private property var somePrivateVar = 'Test data'; // public property me.publicProperty = 'Public data'; // private method function privateMethod() { somePrivateVar = 'executed pvt method'; } // publicmethod me.publicMethod = function () { return me.publicProperty; }; // the module export return me; }(GLOBAL_IMPORT));
  • 29.  Module inheritance can be done with module import; namespace.module = (function (baseModule) { var me = {}; // inherit the methods and properties for (key in baseModule) { if (baseModule.hasOwnProperty(key)) { me[key] = baseModule[key]; } } var base_publicMethod = baseModule.publicMethod; // public method override me.publicMethod = function () { return base_publicMethod(); }; // the module export return me; }(module));
  • 30.  Build your UI components in jQuery plugin fashion;  jQuery plugin pattern is well known and understood by most of the UI developers;  Offers simple implementation syntax and offers extensibility;
  • 31. $.fn.pluginName = function(options) { // Create some defaults, extending them with any options that were provided var settings = $.extend( { 'location' : 'top', 'background-color' : 'blue' }, options); // return the object back to the chained call flow return this.each(function() // This is the main processor // function that executes on // each selected element // (e.g: jQuery("div")) { var $this = $(this); alert($this); }); }; })(jQuery); // usage $(document).ready(function() { // create a new instance of the plugin $(‘selector’).pluginName(options); });
  • 32.  Allow communication between modules via event publishing managed by pub/sub component;  Each module can publish events, subscribe and unsubscribe to events;
  • 33. app.usermodule = (function () { var me = {}; me.onNewFriendNotificaion = function(notification){ alert(notification.from); }; me.init = function(){ $.subscribe('on-new-friend- notificaion', me.onNewFriendNotificaion); }; me.destroy = function(){ $.unsubscribe('on-new- friend-notificaion', me.onNewFriendNotificaion); }; return me; }()); app.streammodule = (function () { var me = {}; me.post = function(){ // do some client logic and notify the other modules $.publish('on-new-friend- notificaion', { from:'user' }); }; return me; }());
  • 34.  String localization;  Dates, times, numbers, and currencies;  Use jQuery Globalize plugin for Dates, times, numbers, and currencies;
  • 35.  Store string resources in JSON format so they would be native to client;  Server string resources per culture;  Build language manager for the string resources;  Load the JSON resources into the language manager;  User the language manager to translate plugins, DOM elements and strings;
  • 36.  Useful for tracking modules state, variables and processes while in development;  Natively supported in all of the new modern browsers;  Use an existing logging framework or wrap your logger around the existing browsers logger;
  • 37. var logger = function(){ var logger = {}; window.onerror = function(message, file, line) { logError(file + ':' + line + 'nn' + message); }; logger.log = function(message){ logError(message); }; function logError(message){ if(console && console.log){ console.log(message); } }; return logger; }();
  • 38.  Add style sheets in the HEAD  Add scripts at the bottom of the <BODY>  Add favicon  Create CSS sprites  Enable GZIP and static resource Caching  Minimize CSS and JavaScript files  Set cookie less domain for static resources
  • 39.  routes.IgnoreRoute("{*favicon}", new { favicon = @"(.*/)?favicon.ico(/.*)?" });
  • 40.  Put all of your icons and assets that you are using for your design into one file. Create CSS file to access the resources. You will minimize n*request per resource time that the browser would call for the separate assets.  Check out Sprite cow – http://www.spritecow.com
  • 41. <system.webServer> <staticContent> <remove fileExtension=".js" /> <remove fileExtension=".css" /> <mimeMap fileExtension=".js" mimeType="text/javascript" /> <mimeMap fileExtension=".css" mimeType="text/css" /> <clientCache cacheControlCustom="public" cacheControlMode="UseMaxAge" cacheControlMaxAge="500.00:00:00" /> </staticContent> <urlCompression doStaticCompression="true" doDynamicCompression="true" /> </system.webServer>
  • 43.  Go to your domain hosting account and set a subdomain that point to your web application  Set your static resources to point to the subdomain to avoid cookie data transfer