SlideShare a Scribd company logo
HTML, CSS & Javascript
Architecture
In a little bit bigger projects…
Jan Kraus
senior frontend dev / creativestyle
Part 1:
● Introduction
● Coding guidelines
● Servers
● Tools & automatization
● Starter templates
● Responsive web design
Schedule
Part 2:
● Git & team work
● Frameworks & libraries
● Modular CSS: SMACSS, BEM
● Javascript patterns
● Coding challenge, Q&A
A bigger project
● More than one frontend developer
○ sometimes more than 1 team
● Multiple & different page types
● Long term development goal
● Responsive
● Pure frontend or framework based solution
Architecture
● Technology stack (frameworks)
● Code organization
● Coding guidelines
● RWD
○ fluid vs. adaptive
○ Mobile first vs. desktop first
● Icons system / images
● Performance
● Workflow
Technology stack
● Backend frameworks
○ Rails
■ assets pipeline
○ Symfony
■ assetic
○ Node.js,
■ Express, Meteor, Sails
● Frontend frameworks
○ jQuery, Bootstrap,
○ Backbone
○ Angular, Ember, React
● Maintain simple & clean structure for your code
○ keep your code separated in assets folders
■ javascripts
■ css / sass
■ images
■ fonts
■ other stuff
● look for best practices for your framework
● organize in modules instead by type
Code organization
● don’t mix spaces & tabs
○ I suggest to configure your editor to indent everything with 2 spaces
○ but this is never ending war ;-)
○ use good code editor
■ webstorm / phpstorm is quite powerful
● maintain clean & usable code
○ comment well
○ keep good variable names
○ use consistent naming convention
● UTF-8 everywhere
○ <div class="♫">
Coding guidelines
HTML guidelines
● keep the code well formatted
● use html5 doctype
○ occasionally check it with W3C validator
● keep all tags lowercase
● wrap all attributes in double quotes
● try to write semantic html
○ but don’t overdo with html5 semantic tags
○ good reference at http://html5doctor.com/
● keep in mind accessibility
○ learn about aria tags
● Keep the code well formatted
● Don’t rely on using ID-selectors for styling
● Use lowercase-class-names
○ Write semantic class names
○ Separate with hyphens
○ unless you consider using BEM / SMACSS
● Avoid long selectors
○ especially watch out for nesting in sass
○ learn & understand how CSS cascade works
○ Avoid using !important
CSS guidelines - selectors
● Use shorthand properties
○ padding: 10px 20px;
● don’t overuse -vendor-prefixes too much
○ use autoprefixer
○ they need to come before standard property
● try to avoid using pixel units everywhere
○ learn about rems
● use #hex colors & rgba when wants opacity
CSS guidelines
CSS guidelines
● keep media-queries close to relevant sections
● separate bigger sections with block comments
SASS guidelines
● avoid nesting selectors
○ or try to keep it up to 2-3 levels
■ or really, avoid!
● use sass @imports to organize your css code
○ start name of imported partial with underscore
■ _grid.scss, _config.scss
○ organize into components, modules, shared etc..
● use variables!
○ at least for colors & media-query breakpoints
Javascript guidelines
● Keep the code well formatted
● Make sure you understand basics concepts of Javascript
● Use single quotes for strings
● Always use expanded blocks syntax
○ if (condition) { }
● Use semicolons;
● var camelCase your variable & function names
● ModuleNames should start from capital letter
Javascript guidelines
● Use JSHint or ESLint to catch your errors
● Learn couple useful module patterns
○ jQuery plugin
○ Revealing module pattern
● Consider using ES6 for new project ;-)
jQuery guidelines
● Don’t abuse $(selector)
○ remember to cache references to object
○ keep prefix of your variable with $ to indicate its a jquery object
■ eg. $container = $('.container');
● Consider using custom class as hooks for your events
○ $('.js-button-submit')
● When binding events, preffer using .on()
○ Avoid anonymous functions for debugging
○ Use custom namespace for events
○ Use delegation
jQuery guidelines
● don’t put everything in $.ready function
● use $.ajax instead of $.get, $.post methods
● use Promise syntax for handling responses
○ $.ajax({ … })
■ .done(successHandler)
■ .fail(errorHandler)
● don’t use jQuery animations
● avoid CSS changes via jQuery
○ prefer class toggling
jQuery guidelines
● use jquery 2.x
○ unless IE8
● load it from external CDN for caching benefits
● don’t use too many jQuery plugins
○ check size
○ check github page for issues
● think twice before using jQuery UI
● bootstrap JS relies on jquery
jQuery example
// IIFE - Immediately Invoked Function Expression
(function($, window, document) {
// The $ is now locally scoped
// Listen for the jQuery ready event on the document
$(function() {
// The DOM is ready!
});
// The rest of the code goes here!
}(window.jQuery, window, document));
// The global jQuery object is passed as a parameter
● Working with file:// protocol is unreliable.
● Use web server
○ Apache2
○ PHP
○ Node.js
○ Ruby/Python
● Vagrant
● MAMP / WAMP
○ I don’t recommend
Serving files locally
Apache2
● Most popular server
● Already available in Mac OS X & Ubuntu
○ Need little bit of tweaking, config breaks after update
● I guess also possible on Windows…
● Need to setup virtual hosts if you have multiple sites
○ I prefer to do this anyway
● Easy to use
● Available from PHP 5.4
○ Available in OS X (5.6), Easy to install on Ubuntu (5.5)
■ apt-get install php5
○ I guess also possible on windows…
● php -S localhost:8080
PHP built-in server
● Useful when you’re building Webapp / SPA
● Just one gulp plugin
○ npm install --save-dev gulp-connect
● Not so easy for dynamic templates
gulp.task('server', function() {
connect.server();
});
Node.js / gulp-connect
● Full OS using virtualization
● Every developer have the same environment
● Powerful configuration
○ You can keep that in git
○ Requires some knowledge
● Useful for framework setup with lots of dependencies
● Slow and problematic on windows
Vagrant
Automatization
● Compile & minify SASS
● Concatenate / minify javascript files
● Optimize images
● Generate sprites
● Code linting
● Autoreload
● Deployments
Task runners
There are many ways to do it
● Grunt
● Gulp
● node.js
● Shell
Grunt
The JavaScript Task Runner
● Configuration…
● Lots of plugins
● Operates on files
● But…
○ Seems like not updated lately
○ Community shifted to gulp
● Install grunt CLI
○ npm install -g grunt-cli
● Install local plugins
○ npm install grunt-contrib-uglify --save-dev
● Configure
○ Gruntfile.js
● Run:
○ grunt
Grunt
Grunt - package.json
{
"name": "my-project-name",
"version": "0.1.0",
"devDependencies": {
"grunt": "~0.4.5",
"grunt-contrib-uglify": "~0.5.0"
}
}
module.exports = function(grunt) {
grunt.initConfig({
uglify: {
build: {
files: [{
cwd: 'src/js',
src: '**/*.js',
dest: 'build/bundle.min.js'
}]
}
}
});
grunt.loadNpmTasks('grunt-contrib-uglify');
grunt.registerTask('default', ['uglify']);
};
Grunt - Gruntfile.js
Automate and enhance your workflow
● Gulp is the new grunt
● Active community
● Simple configuration
● Organized around streams
● Faster & less config
gulp.js
gulp.js
● Install gulp
○ npm install --global gulp
○ npm install --save-dev gulp
● Install plugins
○ npm install --save-dev gulp-uglify
● Configure
○ gulpfile.js
● Run:
○ gulp
gulp - gulpfile.js
var gulp = require('gulp');
var uglify = require('gulp-uglify');
gulp.task('uglify', function() {
return gulp.src(src/**/*.js')
.pipe(uglify())
.pipe(gulp.dest('dist'));
});
gulp.task('default', ['uglify']);
npm & node.js packages
npm is the package manager for node.js
● pure node.js packages
● simple setup, without much of configuration
● easy to maintain
npm
● Install package
○ npm install jshint --save-dev
● Configure
○ package.json
● Run
○ npm run script name
npm - package.json
"devDependencies": {
"jshint": "latest",
},
"scripts": {
"lint": "jshint **.js"
}
A package manager for the web
● manage & download external dependencies
● fetch and update frontend libraries
Bower
● Install bower
○ npm install -g bower
● Configure
○ .bowerrc
■ {"directory": "assets/vendors/"}
● Install
○ bower install jquery --save-dev
Bower
{
"name": "Sample Project",
"devDependencies": {
"jquery": "~2.1.4"
}
}
Bower - bower.json
Semantic versioning
Semantic versioning: MAJOR.MINOR.PATCH
● Patch releases: 1.0 or 1.0.x or ~1.0.4
● Minor releases: 1 or 1.x or ^1.0.4
● Major releases: * or x
Getting started
Take something as your starting point:
● Web Starter Kit from Google
● HTML5 Boilerplate
● Bootstrap
● yeoman generator
Web Starter Kit is an easy way to start a new project.
● build process,
● boilerplate HTML
● styles (material design)
Web Starter Kit from Google
HTML5 Boilerplate
The web’s most popular front-end template
● HTML Page Structure
● Normalize.css
● Modernizr.js
● jQuery from CDN with local fallback
Bootstrap from Twitter
Bootstrap is the most popular HTML, CSS, and JS framework for developing
responsive, mobile first projects on the web.
● Not really a boilerplate
● But you can use basic template
● http://getbootstrap.com/getting-started/#template
● Start using git if you haven’t already started
○ Github - free for open source projects
○ Bitbucket - unlimited private repositories, limited users
○ Gitlab - self hosted github UI clone
Git
Git - commits convention
[FEATURE] Implements lazy loading for products carousel (max 70 chars)
Adds JS module to loads products for carousel using AJAX triggered after document
ready. Implementation is using sttic JSON as example.
- JS module to load products
- CSS for loading animation
- Example of JSON for products
Ref: JIRA-1392
● Basic
○ only dev / master
● Feature branches
○ use pull / merge requests for code review
● Gitflow
○ when working on multiple releases & feature branches
Git - Branching model
● git status
○ read what’s there ;-)
● git reset
○ git reset
○ git reset head --hard
○ git reset origin/master --force
● git revert
○ git revert commit-sha
○ creates new commit
Git - Command line
● git cherry-pick
○ git cherry-pick commit-sha
○ creates new commit
● git rebase
○ git rebase -i head~2
○ is rewriting history
● git merge
○ git merge your-branch-name
○ resolve conflicts correctly
Git - Command line
● git pull
○ git fetch origin + git merge
○ git pull --rebase
■ create cleaner history
● git stash
○ git stash
○ git stash pop
● git log
○ git lg
○ git lg | grep JIRA-1234
Git - Command line
● Libs
○ jQuery
○ Bootstrap
○ Modernizr
● Frameworks
○ Backbone
○ Angular, Angular2
○ Ember
○ React
Framework & tools
jQuery
● Site enhancements
○ sliders
○ galleries
○ AJAX
○ not much business logic
● DOM manipulation
● Simple custom event system
● Form validation
○ parsley.js
Bootstrap
● UI library for the web
● SCSS / Less components
○ Include only what you need with sass imports
○ You can use SASS @extend
● Same for JS
○ you can include only what you need
● Useful
○ grid
○ forms
○ modal
Modernizr
● Feature detection for browsers
○ append CSS classes to html
○ Modernizr JS object for testing properties
● Generate custom build
● Does not have to be included in the head
Backbone.js
● Simple structure for web application
○ Models, Collections, Views, Routers
○ Less abstraction
○ Simple, still popula
● http://addyosmani.github.io/backbone-fundamentals/
Angular
● The “enterprise” frameworks
● Most popular kinda MVC framework
● Easy 2 way binding
● Performance issues
● Angular 2 on the way
React
● Library from Facebook
● High performance
○ Virtual DOM
● Organized around components & state
Useful libraries
● Moment.js
● History.js
● Respond.js
○ not really usefull
● Typeahead
● Parsley.js
RWD - Responsive web design
● Mobile first approach
● Stop thinking in pixels
○ Multiple devices, screens, widths...
● Progressive enhancement / graceful degradation
● SVG & retina images
● Build your site with performance in mind
● Read often:
○ http://www.smashingmagazine.com/
○ https://css-tricks.com/
Modular CSS
● Reusable components
● Naming convention for CSS classes
○ SMACSS
○ BEM
○ OOCSS
Scalable & Modular Architecture for CSS
● Simple naming conventions
● Architecture & patterns for organizing rules
● Free book:
○ https://smacss.com/book/
SMACSS
BEM
BEM – Block Element Modifier is a methodology, that helps you to achieve
reusable components and code sharing in the front-end
● Naming conventions
● Independent modular blocks
● Flexible and allows for customization
●
BEM
Learn more about BEM:
● http://getbem.com/
● https://css-tricks.com/bem-101/
● http://csswizardry.com/2013/01/mindbemding-getting-your-head-round-
bem-syntax/
● http://www.smashingmagazine.com/2012/04/a-new-front-end-
methodology-bem/
Thank you!

More Related Content

PDF
ENIB 2015 2016 - CAI Web S02E01- Côté Navigateur 3/3 - Web Components avec Po...
PDF
ENIB 2015-2016 - CAI Web - S01E01- Côté navigateur 3/3 - Web components avec ...
PDF
Devoxx France - Web Components, Polymer et Material Design
PDF
JavascriptMVC: Another choice of web framework
PDF
Jbake workshop (Greach 2019)
PDF
Forensic Theming - DrupalCon London
PDF
Building a Better Web with HTML5 and CSS3
PDF
Create ReactJS Component & publish as npm package
ENIB 2015 2016 - CAI Web S02E01- Côté Navigateur 3/3 - Web Components avec Po...
ENIB 2015-2016 - CAI Web - S01E01- Côté navigateur 3/3 - Web components avec ...
Devoxx France - Web Components, Polymer et Material Design
JavascriptMVC: Another choice of web framework
Jbake workshop (Greach 2019)
Forensic Theming - DrupalCon London
Building a Better Web with HTML5 and CSS3
Create ReactJS Component & publish as npm package

What's hot (20)

PDF
OpenCms Days 2016: Multilingual websites with OpenCms
PDF
OpenCms Days 2014 - Responsive bootstrap templates reloaded
PDF
Mean Stack - An Overview
PDF
WPE WebKit for Android
PDF
CollegeDiveIn presentation
PDF
OpenCms Days 2014 - Nested containers in action
PDF
Node.js Crash Course (Jump Start)
PDF
Drupal 8 Vocab Lesson
PDF
JavaScript Jump Start 20220214
PDF
Web components
PPTX
Basics of Vue.js 2019
PDF
Why and How to Use Virtual DOM
PDF
Build Reusable Web Components using HTML5 Web cComponents
PDF
Drupal Presentation for CapitalCamp 2011: Features Driven Development
PPTX
Developing word press professionally
PDF
OpenCms Days 2015 Modern templates with nested containers
PDF
Rapid WordPress Theme Development
PDF
Web Components - The Future is Here
PDF
Web component driven development
PDF
Web Components
OpenCms Days 2016: Multilingual websites with OpenCms
OpenCms Days 2014 - Responsive bootstrap templates reloaded
Mean Stack - An Overview
WPE WebKit for Android
CollegeDiveIn presentation
OpenCms Days 2014 - Nested containers in action
Node.js Crash Course (Jump Start)
Drupal 8 Vocab Lesson
JavaScript Jump Start 20220214
Web components
Basics of Vue.js 2019
Why and How to Use Virtual DOM
Build Reusable Web Components using HTML5 Web cComponents
Drupal Presentation for CapitalCamp 2011: Features Driven Development
Developing word press professionally
OpenCms Days 2015 Modern templates with nested containers
Rapid WordPress Theme Development
Web Components - The Future is Here
Web component driven development
Web Components
Ad

Viewers also liked (9)

PPT
Relief austria
PDF
Jak bardzo techniczny musi być tester?
PDF
Indonesia vocational-education-strengthening-project-by-agung-budi-susanto
PDF
dissertation 2012
PDF
Arquitectura Modular y Edificios Transportables
PPTX
Indonesia Education Related Facts and Figure (a snapshot)
PPTX
Pathogenisis of aids
PPTX
δημιουργική γραφή ποιημάτων στο νηπιαγωγείο
PDF
Developing Standards Education in Indonesia
Relief austria
Jak bardzo techniczny musi być tester?
Indonesia vocational-education-strengthening-project-by-agung-budi-susanto
dissertation 2012
Arquitectura Modular y Edificios Transportables
Indonesia Education Related Facts and Figure (a snapshot)
Pathogenisis of aids
δημιουργική γραφή ποιημάτων στο νηπιαγωγείο
Developing Standards Education in Indonesia
Ad

Similar to Architektura html, css i javascript - Jan Kraus (20)

PDF
HTML, CSS & Javascript Architecture (extended version) - Jan Kraus
PDF
You Can Work on the Web Patform! (GOSIM 2023)
PDF
Once upon a time, there were css, js and server-side rendering
PDF
Automate your WordPress Workflow with Grunt.js
PDF
Understanding Page Load / Ziling Zhao (Google)
PDF
Tech meetup: Web Applications Performance
PDF
PDF
Drupalcamp performance
PDF
GeoServer Developers Workshop
PDF
Neoito — How modern browsers work
PDF
Front-End Developer's Career Roadmap
PDF
Making sense of the front-end, for PHP developers
PPTX
jQuery Conference Austin Sept 2013
PDF
Next.js with drupal, the good parts
PPTX
Becoming A Drupal Master Builder
PDF
Client vs Server Templating: Speed up initial load for SPA with Angular as an...
PDF
2016 stop writing javascript frameworks by Joe Gregorio
PDF
Best Practices in Component Development for MODX
PPTX
Instant developer onboarding with self contained repositories
PDF
Harnessing the cloud_for_saa_s_hosted_platfor
HTML, CSS & Javascript Architecture (extended version) - Jan Kraus
You Can Work on the Web Patform! (GOSIM 2023)
Once upon a time, there were css, js and server-side rendering
Automate your WordPress Workflow with Grunt.js
Understanding Page Load / Ziling Zhao (Google)
Tech meetup: Web Applications Performance
Drupalcamp performance
GeoServer Developers Workshop
Neoito — How modern browsers work
Front-End Developer's Career Roadmap
Making sense of the front-end, for PHP developers
jQuery Conference Austin Sept 2013
Next.js with drupal, the good parts
Becoming A Drupal Master Builder
Client vs Server Templating: Speed up initial load for SPA with Angular as an...
2016 stop writing javascript frameworks by Joe Gregorio
Best Practices in Component Development for MODX
Instant developer onboarding with self contained repositories
Harnessing the cloud_for_saa_s_hosted_platfor

More from Women in Technology Poland (20)

PDF
Get Inspired: Po co nam UX? O edukacji i nie tylko
PDF
Pierwsze kroki w karierze IT: LinkedIn - wykorzystaj potencjał sieci
PDF
Tech 101: Scrum 25.04.19 Warszawa
PDF
ARKit by Magdalena Pałka
PDF
React Native by Artur Staszczyk
PDF
Architecure components by Paulina Szklarska
PDF
Big Data - historia i przyszłość
PDF
Blockchain and Cryptocurrency Basics- #43 spotkanie WiT Kraków
PDF
"Wyzwania automatyzacji w ciągłej integracji" - o tworzeniu i utrzymaniu test...
PDF
Agnieszka Pocha - Od surowych danych do gotowego modelu - uczenie maszynowe w...
PPTX
Monika Synoradzka - 10 sposobów na budowę silnego zespołu i bycie dobrym lide...
PDF
Kulisy pracy w IT: Zawód Front- end Developer prezentacja Pawła Janasa
PDF
Poznaj GITa - Natalia Stanko
PDF
Poznaj GITa - część teoretyczna - Anna Szwiec
PDF
Hackerspace Wrocław
PPTX
Roman Czarko-Wasiutycz- Projektowanie baz danych
PDF
Justyna Hankiewicz- Jak zbudować efektywny zespół
PDF
Warsztaty o zdrowiu karolina jarosz trener personalny
PDF
Spróbuj ruby - Sylwia Robak
PDF
Testowanie- nauka czy sztuka? - Adam Roman
Get Inspired: Po co nam UX? O edukacji i nie tylko
Pierwsze kroki w karierze IT: LinkedIn - wykorzystaj potencjał sieci
Tech 101: Scrum 25.04.19 Warszawa
ARKit by Magdalena Pałka
React Native by Artur Staszczyk
Architecure components by Paulina Szklarska
Big Data - historia i przyszłość
Blockchain and Cryptocurrency Basics- #43 spotkanie WiT Kraków
"Wyzwania automatyzacji w ciągłej integracji" - o tworzeniu i utrzymaniu test...
Agnieszka Pocha - Od surowych danych do gotowego modelu - uczenie maszynowe w...
Monika Synoradzka - 10 sposobów na budowę silnego zespołu i bycie dobrym lide...
Kulisy pracy w IT: Zawód Front- end Developer prezentacja Pawła Janasa
Poznaj GITa - Natalia Stanko
Poznaj GITa - część teoretyczna - Anna Szwiec
Hackerspace Wrocław
Roman Czarko-Wasiutycz- Projektowanie baz danych
Justyna Hankiewicz- Jak zbudować efektywny zespół
Warsztaty o zdrowiu karolina jarosz trener personalny
Spróbuj ruby - Sylwia Robak
Testowanie- nauka czy sztuka? - Adam Roman

Recently uploaded (20)

PDF
Encapsulation_ Review paper, used for researhc scholars
PDF
Spectral efficient network and resource selection model in 5G networks
PDF
Dropbox Q2 2025 Financial Results & Investor Presentation
PDF
Review of recent advances in non-invasive hemoglobin estimation
PPTX
Understanding_Digital_Forensics_Presentation.pptx
PDF
Mobile App Security Testing_ A Comprehensive Guide.pdf
PDF
MIND Revenue Release Quarter 2 2025 Press Release
PPTX
Big Data Technologies - Introduction.pptx
PDF
Reach Out and Touch Someone: Haptics and Empathic Computing
PDF
Chapter 3 Spatial Domain Image Processing.pdf
PPTX
sap open course for s4hana steps from ECC to s4
PDF
TokAI - TikTok AI Agent : The First AI Application That Analyzes 10,000+ Vira...
PPT
“AI and Expert System Decision Support & Business Intelligence Systems”
PDF
Optimiser vos workloads AI/ML sur Amazon EC2 et AWS Graviton
PPTX
Effective Security Operations Center (SOC) A Modern, Strategic, and Threat-In...
PPT
Teaching material agriculture food technology
PPTX
ACSFv1EN-58255 AWS Academy Cloud Security Foundations.pptx
PDF
Architecting across the Boundaries of two Complex Domains - Healthcare & Tech...
PPTX
20250228 LYD VKU AI Blended-Learning.pptx
PDF
Electronic commerce courselecture one. Pdf
Encapsulation_ Review paper, used for researhc scholars
Spectral efficient network and resource selection model in 5G networks
Dropbox Q2 2025 Financial Results & Investor Presentation
Review of recent advances in non-invasive hemoglobin estimation
Understanding_Digital_Forensics_Presentation.pptx
Mobile App Security Testing_ A Comprehensive Guide.pdf
MIND Revenue Release Quarter 2 2025 Press Release
Big Data Technologies - Introduction.pptx
Reach Out and Touch Someone: Haptics and Empathic Computing
Chapter 3 Spatial Domain Image Processing.pdf
sap open course for s4hana steps from ECC to s4
TokAI - TikTok AI Agent : The First AI Application That Analyzes 10,000+ Vira...
“AI and Expert System Decision Support & Business Intelligence Systems”
Optimiser vos workloads AI/ML sur Amazon EC2 et AWS Graviton
Effective Security Operations Center (SOC) A Modern, Strategic, and Threat-In...
Teaching material agriculture food technology
ACSFv1EN-58255 AWS Academy Cloud Security Foundations.pptx
Architecting across the Boundaries of two Complex Domains - Healthcare & Tech...
20250228 LYD VKU AI Blended-Learning.pptx
Electronic commerce courselecture one. Pdf

Architektura html, css i javascript - Jan Kraus

  • 1. HTML, CSS & Javascript Architecture In a little bit bigger projects…
  • 2. Jan Kraus senior frontend dev / creativestyle
  • 3. Part 1: ● Introduction ● Coding guidelines ● Servers ● Tools & automatization ● Starter templates ● Responsive web design Schedule Part 2: ● Git & team work ● Frameworks & libraries ● Modular CSS: SMACSS, BEM ● Javascript patterns ● Coding challenge, Q&A
  • 4. A bigger project ● More than one frontend developer ○ sometimes more than 1 team ● Multiple & different page types ● Long term development goal ● Responsive ● Pure frontend or framework based solution
  • 5. Architecture ● Technology stack (frameworks) ● Code organization ● Coding guidelines ● RWD ○ fluid vs. adaptive ○ Mobile first vs. desktop first ● Icons system / images ● Performance ● Workflow
  • 6. Technology stack ● Backend frameworks ○ Rails ■ assets pipeline ○ Symfony ■ assetic ○ Node.js, ■ Express, Meteor, Sails ● Frontend frameworks ○ jQuery, Bootstrap, ○ Backbone ○ Angular, Ember, React
  • 7. ● Maintain simple & clean structure for your code ○ keep your code separated in assets folders ■ javascripts ■ css / sass ■ images ■ fonts ■ other stuff ● look for best practices for your framework ● organize in modules instead by type Code organization
  • 8. ● don’t mix spaces & tabs ○ I suggest to configure your editor to indent everything with 2 spaces ○ but this is never ending war ;-) ○ use good code editor ■ webstorm / phpstorm is quite powerful ● maintain clean & usable code ○ comment well ○ keep good variable names ○ use consistent naming convention ● UTF-8 everywhere ○ <div class="♫"> Coding guidelines
  • 9. HTML guidelines ● keep the code well formatted ● use html5 doctype ○ occasionally check it with W3C validator ● keep all tags lowercase ● wrap all attributes in double quotes ● try to write semantic html ○ but don’t overdo with html5 semantic tags ○ good reference at http://html5doctor.com/ ● keep in mind accessibility ○ learn about aria tags
  • 10. ● Keep the code well formatted ● Don’t rely on using ID-selectors for styling ● Use lowercase-class-names ○ Write semantic class names ○ Separate with hyphens ○ unless you consider using BEM / SMACSS ● Avoid long selectors ○ especially watch out for nesting in sass ○ learn & understand how CSS cascade works ○ Avoid using !important CSS guidelines - selectors
  • 11. ● Use shorthand properties ○ padding: 10px 20px; ● don’t overuse -vendor-prefixes too much ○ use autoprefixer ○ they need to come before standard property ● try to avoid using pixel units everywhere ○ learn about rems ● use #hex colors & rgba when wants opacity CSS guidelines
  • 12. CSS guidelines ● keep media-queries close to relevant sections ● separate bigger sections with block comments
  • 13. SASS guidelines ● avoid nesting selectors ○ or try to keep it up to 2-3 levels ■ or really, avoid! ● use sass @imports to organize your css code ○ start name of imported partial with underscore ■ _grid.scss, _config.scss ○ organize into components, modules, shared etc.. ● use variables! ○ at least for colors & media-query breakpoints
  • 14. Javascript guidelines ● Keep the code well formatted ● Make sure you understand basics concepts of Javascript ● Use single quotes for strings ● Always use expanded blocks syntax ○ if (condition) { } ● Use semicolons; ● var camelCase your variable & function names ● ModuleNames should start from capital letter
  • 15. Javascript guidelines ● Use JSHint or ESLint to catch your errors ● Learn couple useful module patterns ○ jQuery plugin ○ Revealing module pattern ● Consider using ES6 for new project ;-)
  • 16. jQuery guidelines ● Don’t abuse $(selector) ○ remember to cache references to object ○ keep prefix of your variable with $ to indicate its a jquery object ■ eg. $container = $('.container'); ● Consider using custom class as hooks for your events ○ $('.js-button-submit') ● When binding events, preffer using .on() ○ Avoid anonymous functions for debugging ○ Use custom namespace for events ○ Use delegation
  • 17. jQuery guidelines ● don’t put everything in $.ready function ● use $.ajax instead of $.get, $.post methods ● use Promise syntax for handling responses ○ $.ajax({ … }) ■ .done(successHandler) ■ .fail(errorHandler) ● don’t use jQuery animations ● avoid CSS changes via jQuery ○ prefer class toggling
  • 18. jQuery guidelines ● use jquery 2.x ○ unless IE8 ● load it from external CDN for caching benefits ● don’t use too many jQuery plugins ○ check size ○ check github page for issues ● think twice before using jQuery UI ● bootstrap JS relies on jquery
  • 19. jQuery example // IIFE - Immediately Invoked Function Expression (function($, window, document) { // The $ is now locally scoped // Listen for the jQuery ready event on the document $(function() { // The DOM is ready! }); // The rest of the code goes here! }(window.jQuery, window, document)); // The global jQuery object is passed as a parameter
  • 20. ● Working with file:// protocol is unreliable. ● Use web server ○ Apache2 ○ PHP ○ Node.js ○ Ruby/Python ● Vagrant ● MAMP / WAMP ○ I don’t recommend Serving files locally
  • 21. Apache2 ● Most popular server ● Already available in Mac OS X & Ubuntu ○ Need little bit of tweaking, config breaks after update ● I guess also possible on Windows… ● Need to setup virtual hosts if you have multiple sites ○ I prefer to do this anyway
  • 22. ● Easy to use ● Available from PHP 5.4 ○ Available in OS X (5.6), Easy to install on Ubuntu (5.5) ■ apt-get install php5 ○ I guess also possible on windows… ● php -S localhost:8080 PHP built-in server
  • 23. ● Useful when you’re building Webapp / SPA ● Just one gulp plugin ○ npm install --save-dev gulp-connect ● Not so easy for dynamic templates gulp.task('server', function() { connect.server(); }); Node.js / gulp-connect
  • 24. ● Full OS using virtualization ● Every developer have the same environment ● Powerful configuration ○ You can keep that in git ○ Requires some knowledge ● Useful for framework setup with lots of dependencies ● Slow and problematic on windows Vagrant
  • 25. Automatization ● Compile & minify SASS ● Concatenate / minify javascript files ● Optimize images ● Generate sprites ● Code linting ● Autoreload ● Deployments
  • 26. Task runners There are many ways to do it ● Grunt ● Gulp ● node.js ● Shell
  • 27. Grunt The JavaScript Task Runner ● Configuration… ● Lots of plugins ● Operates on files ● But… ○ Seems like not updated lately ○ Community shifted to gulp
  • 28. ● Install grunt CLI ○ npm install -g grunt-cli ● Install local plugins ○ npm install grunt-contrib-uglify --save-dev ● Configure ○ Gruntfile.js ● Run: ○ grunt Grunt
  • 29. Grunt - package.json { "name": "my-project-name", "version": "0.1.0", "devDependencies": { "grunt": "~0.4.5", "grunt-contrib-uglify": "~0.5.0" } }
  • 30. module.exports = function(grunt) { grunt.initConfig({ uglify: { build: { files: [{ cwd: 'src/js', src: '**/*.js', dest: 'build/bundle.min.js' }] } } }); grunt.loadNpmTasks('grunt-contrib-uglify'); grunt.registerTask('default', ['uglify']); }; Grunt - Gruntfile.js
  • 31. Automate and enhance your workflow ● Gulp is the new grunt ● Active community ● Simple configuration ● Organized around streams ● Faster & less config gulp.js
  • 32. gulp.js ● Install gulp ○ npm install --global gulp ○ npm install --save-dev gulp ● Install plugins ○ npm install --save-dev gulp-uglify ● Configure ○ gulpfile.js ● Run: ○ gulp
  • 33. gulp - gulpfile.js var gulp = require('gulp'); var uglify = require('gulp-uglify'); gulp.task('uglify', function() { return gulp.src(src/**/*.js') .pipe(uglify()) .pipe(gulp.dest('dist')); }); gulp.task('default', ['uglify']);
  • 34. npm & node.js packages npm is the package manager for node.js ● pure node.js packages ● simple setup, without much of configuration ● easy to maintain
  • 35. npm ● Install package ○ npm install jshint --save-dev ● Configure ○ package.json ● Run ○ npm run script name
  • 36. npm - package.json "devDependencies": { "jshint": "latest", }, "scripts": { "lint": "jshint **.js" }
  • 37. A package manager for the web ● manage & download external dependencies ● fetch and update frontend libraries Bower
  • 38. ● Install bower ○ npm install -g bower ● Configure ○ .bowerrc ■ {"directory": "assets/vendors/"} ● Install ○ bower install jquery --save-dev Bower
  • 39. { "name": "Sample Project", "devDependencies": { "jquery": "~2.1.4" } } Bower - bower.json
  • 40. Semantic versioning Semantic versioning: MAJOR.MINOR.PATCH ● Patch releases: 1.0 or 1.0.x or ~1.0.4 ● Minor releases: 1 or 1.x or ^1.0.4 ● Major releases: * or x
  • 41. Getting started Take something as your starting point: ● Web Starter Kit from Google ● HTML5 Boilerplate ● Bootstrap ● yeoman generator
  • 42. Web Starter Kit is an easy way to start a new project. ● build process, ● boilerplate HTML ● styles (material design) Web Starter Kit from Google
  • 43. HTML5 Boilerplate The web’s most popular front-end template ● HTML Page Structure ● Normalize.css ● Modernizr.js ● jQuery from CDN with local fallback
  • 44. Bootstrap from Twitter Bootstrap is the most popular HTML, CSS, and JS framework for developing responsive, mobile first projects on the web. ● Not really a boilerplate ● But you can use basic template ● http://getbootstrap.com/getting-started/#template
  • 45. ● Start using git if you haven’t already started ○ Github - free for open source projects ○ Bitbucket - unlimited private repositories, limited users ○ Gitlab - self hosted github UI clone Git
  • 46. Git - commits convention [FEATURE] Implements lazy loading for products carousel (max 70 chars) Adds JS module to loads products for carousel using AJAX triggered after document ready. Implementation is using sttic JSON as example. - JS module to load products - CSS for loading animation - Example of JSON for products Ref: JIRA-1392
  • 47. ● Basic ○ only dev / master ● Feature branches ○ use pull / merge requests for code review ● Gitflow ○ when working on multiple releases & feature branches Git - Branching model
  • 48. ● git status ○ read what’s there ;-) ● git reset ○ git reset ○ git reset head --hard ○ git reset origin/master --force ● git revert ○ git revert commit-sha ○ creates new commit Git - Command line
  • 49. ● git cherry-pick ○ git cherry-pick commit-sha ○ creates new commit ● git rebase ○ git rebase -i head~2 ○ is rewriting history ● git merge ○ git merge your-branch-name ○ resolve conflicts correctly Git - Command line
  • 50. ● git pull ○ git fetch origin + git merge ○ git pull --rebase ■ create cleaner history ● git stash ○ git stash ○ git stash pop ● git log ○ git lg ○ git lg | grep JIRA-1234 Git - Command line
  • 51. ● Libs ○ jQuery ○ Bootstrap ○ Modernizr ● Frameworks ○ Backbone ○ Angular, Angular2 ○ Ember ○ React Framework & tools
  • 52. jQuery ● Site enhancements ○ sliders ○ galleries ○ AJAX ○ not much business logic ● DOM manipulation ● Simple custom event system ● Form validation ○ parsley.js
  • 53. Bootstrap ● UI library for the web ● SCSS / Less components ○ Include only what you need with sass imports ○ You can use SASS @extend ● Same for JS ○ you can include only what you need ● Useful ○ grid ○ forms ○ modal
  • 54. Modernizr ● Feature detection for browsers ○ append CSS classes to html ○ Modernizr JS object for testing properties ● Generate custom build ● Does not have to be included in the head
  • 55. Backbone.js ● Simple structure for web application ○ Models, Collections, Views, Routers ○ Less abstraction ○ Simple, still popula ● http://addyosmani.github.io/backbone-fundamentals/
  • 56. Angular ● The “enterprise” frameworks ● Most popular kinda MVC framework ● Easy 2 way binding ● Performance issues ● Angular 2 on the way
  • 57. React ● Library from Facebook ● High performance ○ Virtual DOM ● Organized around components & state
  • 58. Useful libraries ● Moment.js ● History.js ● Respond.js ○ not really usefull ● Typeahead ● Parsley.js
  • 59. RWD - Responsive web design ● Mobile first approach ● Stop thinking in pixels ○ Multiple devices, screens, widths... ● Progressive enhancement / graceful degradation ● SVG & retina images ● Build your site with performance in mind ● Read often: ○ http://www.smashingmagazine.com/ ○ https://css-tricks.com/
  • 60. Modular CSS ● Reusable components ● Naming convention for CSS classes ○ SMACSS ○ BEM ○ OOCSS
  • 61. Scalable & Modular Architecture for CSS ● Simple naming conventions ● Architecture & patterns for organizing rules ● Free book: ○ https://smacss.com/book/ SMACSS
  • 62. BEM BEM – Block Element Modifier is a methodology, that helps you to achieve reusable components and code sharing in the front-end ● Naming conventions ● Independent modular blocks ● Flexible and allows for customization ●
  • 63. BEM Learn more about BEM: ● http://getbem.com/ ● https://css-tricks.com/bem-101/ ● http://csswizardry.com/2013/01/mindbemding-getting-your-head-round- bem-syntax/ ● http://www.smashingmagazine.com/2012/04/a-new-front-end- methodology-bem/