SlideShare a Scribd company logo
1 of 48
Download to read offline
walkmod
a tool to apply coding conventions

@walkmod

http://walkmod.com
hello!

@raquelpau
raquelpau@gmail.com

@acoroleu
acoroleu@gmail.com
introduction
how it works
transformations
query engine
merge engine
plugins
roadmap
Introduction

motivation
•

Don’t repeat yourself (DRY) principle. Multiple layer architectures
contains lots of wrappers, which might be generated. E.g. Tests, DAOs,
Facades..

•

The application domain relevance. The business rules / domain logic
can’t be generated (really?). We need to focus on this!

•

Code review of ALL contributors. Who fixes the code?
Introduction
Introduction

What are coding conventions?
“coding conventions are a set of guidelines for a specific programming
language that recommend programming style, practices and methods for
each aspect of a piece program written in this language.” wikipedia
Introduction

examples
•
•
•
•

Naming conventions
Code formatting
Code licenses
Code documentation

•
•
•
•

Code refactoring
Apply programming practices
Architectural best practices
More..
Introduction

examples
Introduction

walkmod

•

automatizes the practice of code conventions in development teams
(i.e license usage).

•

automatizes the resolution of problems detected by code quality tools
(i.e PMD, , sonar, findbugs).

•

automatizes the development and repetitive tasks i.e: creating basic
CRUD services for the entire model.

•

automatizes global code changes: i.e refactorings.
Introduction

walkmod is open!
•
•
•
•
•

open source: feel free to suggest changes!
free for everybody: tell it to your boss!
extensible by plugins do it yourself and share them! DIY+S
editor/IDE independent
community support
introduction
how it works
transformations
query engine
merge engine
plugins
roadmap
how it works

• All conventions are applied
with blocks of
transformations for each
source file.

• Transformations may

update the same sources or
creating/updating another
ones.

workflow
how it works

overview

•

reader: reads the sources. i.e retrieves all files from a directory
recursively.

•
•

walker: executes a chain of transformations for each source.

•

writer: writes the sources. i.e using the eclipse formatter.

transformation: updates or creates sources for the following
transformation. Transformations are connected like a pipe through a
shared context.
how it works

reader
•
•
•
•

Reads the sources. By default, reads the folder src/main/java.
Works with multiple include/exclude rules.
Creates a resource object, whose content is iterated from the walker.
Works for sources of any programming language. The resource object
could be a source folder, a parsed json file, etc..
how it works

walker
•

Executes a chain of transformations for each object allocated in a
resource. i.e all java source files of an specific folder.

•

merges the output produced by transformations with existent
resources.

•
•

invokes the writer with the final (and merged) output.
analyzes and reports which changes have been produced by the chain
of transformations in each object.
how it works

transformations
•
•

modifies or creates objects that will be written.
There are three ways to design a transformation. Using:
templates,
scripts,
or visitors.
how it works

writer
•

writes each object allocated in a resource. i.e all java source files of a
specific folder.

•
•

Has include/exclude rules.
There are useful writer implementations, such as the storage of the
contents of a toString() object method or the eclipse formatter.
how it works

remember
introduction
how it works
transformations
query engine
merge engine
plugins
roadmap
transformations

why templates?
•
•
•
•

Templates are used to avoid manipulating the AST directly.
Generates dynamic content querying the AST.
DRY compliance.
groovy is the default template engine, but can be customized.
transformations

template configuration
<!DOCTYPE walkmod PUBLIC "-//WALKMOD//DTD" "http://www.walkmod.com/dtd/walkmod-1.0.dtd">
<walkmod>
...
<transformation type="walkmod:commons:template" >
<param name="templates">
["src/main/walkmod/templates/jpa-entities.groovy"]
</param>
</transformation>
...
</walkmod>
transformations

why scripts?
•
•
•

Scripts allow the design of inline transformations.
Scripts should be used to apply simple modifications in source files.
Support for multiple languages. Those which implement the standard
Java scripting interface. i.e. groovy, javascript, python..
transformations

script configuration
...
<transformation type="walkmod:commons:scripting" >
<param name="language">
groovy
</param>
<param name="location">
src/main/walkmod/scripts/fields.groovy
</param>
</transformation>
...
transformations

why visitors?
•
•

Visitors are developed and compiled in java.

•

Visitors should be used to apply complex modifications in source files.

To include transformations as plugins to be shared inside the
community.
transformations

visitor transformations
public class HelloVisitor extends VoidVisitor<VisitorContext>{
...
@Overwrite
public void visit(MethodDeclaration md, VisitorContext ctx){
//TODO
}
@Overwrite
public void visit(FieldDeclaration fd, VisitorContext ctx){
//TODO
}
...
}
transformations

visitor configuration
<!DOCTYPE walkmod PUBLIC "-//WALKMOD//DTD" "http://www.walkmod.com/dtd/walkmod-1.0.dtd">
<walkmod>
<plugins>
	 	 <plugin groupId="mygroupId" artifactId="myartifactId" version="versionNumber">
	
</plugin>
	 </plugins>
...
<transformation type="mygroupId:myartifactId:my-visitor" >
<param name="param1">
value1
</param>
<param name="paramN">
valueN
</param>
</transformation>
...
</walkmod>
introduction
how it works
transformations
query engine
merge engine
plugins
roadmap
query engine

query engine
•
•

Write less to do the same!

•

The default query language is gPath (groovy), but you can change it for
your favorite language.

•

Common used large query expressions can be referenced from Alias.
“TypeDeclaration.metaClass.getMethods = { -> delegate.members.findAll({it instanceof MethodDeclaration}); }”

All queries have an object context and a query expression. By default, the
context is the root element of a parsed source file.
query engine

MethodDeclaration method = null;
Collection members = type.getMembers();
Iterator it = members.iterator();
while (it.hasNext()){
BodyDeclaration member = (BodyDeclaration)it.next();
if (member instance of MethodDeclararion){
MethodDeclarion aux = (MethodDeclaration) member;
if(“execute”.equals(aux.getName()){
method = aux;
break;
}
}
}

type.methods.find({it.name.equals(“execute”)})
query engine

queries from templates
Using the query object: ${query.resolve(“expr”)}.
import org.apache.log4j.Logger;
public class ${query.resolve("type.name")}{
public static Logger log = Logger.getLogger(${query.resolve("type.name")}.class);
}

template to add Loggers
query engine

queries from scripts
accessing through a binding called query
..
for( type in node.types) {
def result = query.resolve(type, “methods”);
...
}
...

groovy script querying the type methods
query engine

queries from visitors
Implementing QueryEngineAware or extending VisitorSupport.
public class MyVisitor extends VisitorSupport{
@Overwrite
public void visit(TypeDeclaration td, VisitorContext ctx){
Object result = query(
td, //context
“methods.find({it.name.equals(“foo”)})” //expr
);
}
}

visitor code with a gpath query
introduction
how it works
transformations
query engine
merge engine
plugins
roadmap
merge engine

why a merge engine?
•

To avoid duplicate results by transformations (i.e duplicate a method)
in existing code.

•

Simplify transformations. Otherwise, transformations must check many
conditions to avoid repeating code or overwriting it.

•

Sometimes, developer changes (i.e. adding a new method) must be
respected by the engine.
walkmod merges outputs with existential sources
merge engine

semantic merge
•

Code is merged according to the meaning of its elements instead of
simply merging text.

•

Only elements with the same identifier are merged. Indentifiable
element types must implement the interface mergeable.
merge engine

previous concepts
•
•

local object is the current version of an element.
remote object is the modified version of an element generated by a
single transformation. It may be a fragment to add in a local object.
merge engine

merge policies
Configurable and extensible merge policies for each object type.
Object
merge
policy

Finds the equivalent local version of a remote (and thus,
generated) object and merge recursively their children.
These objects must be identifiable to be searched and found.
These policies should be applied for fields, , methods, , types …

Type select which merge action do for local and remote objects which are
merge not identifiable, although being instances of the same class. i.e policies
policy for the statements of an existent method.
merge engine

object merge policies
•

append policy only writes new values for null fields. Otherwise, these
are not modified.

•

overwrite policy modifies all field values of a local object for those
generated by a transformation.
merge engine

type merge policies
•

assign policy only writes the remote values. i.e replacing the list of
statements of a method for the generated list.

•

unmodify policy only writes the local values. i.e to respect the
developer changes in the statements of an old transformation.

•

addall policy that appends the remote values into the local values.
introduction
how it works
transformations
query engine
merge engine
plugins
roadmap
plugins

why and how to
extend walkmod?

•

You can extend walkmod with new components or override the
existing ones (visitors, readers, writers, walkers, merge policies…)

•

Creating new plugins (java libraries) and deploying them into a maven
repository (public or private). See repo.maven.apache.org

•

All walkmod extensions need a plugin descriptor of their components
in the META-INF/walkmod directory inside the jar library.
plugins

plugin descriptor

•

Plugin descriptor is a XML file with the name walkmod-xxx-plugin.xml
which follows the spring bean configuration.

•

New readers, writers, walkers or transformations must be specified
with a unique name “groupId:artifactId:name” as a spring bean in the
plugin descriptor.
<beans>
...
	 <bean id="walkmod:commons:import-cleaner" class="org.walkmod.visitors.ImportOrganizer" />
	 ...
</beans>
plugins

plugin usage (I)
Plugins are declared into ${project}/walkmod.xml
<walkmod>
<plugins>
<plugins>
	 	 <plugin groupId="walkmod" artifactId="walkmod-commons-plugin" version="1.0">
	 	 </plugin>
	 </plugins>
<chain name="my-chain">
	 	 ...
	 </chain>
<walkmod>
plugins

plugin usage (II)
Beans declared in a plugin descriptor can be referenced from walkmod.xml
using the type attribute.
<walkmod>
<plugins>
	 	 <plugin groupId="walkmod" artifactId="walkmod-commons-plugin" version="1.0">
	 	 </plugin>
	 </plugins>
<chain name="my-chain">
...
<transformation type="walkmod:commons:imports-cleaner" />
...
</chain>
</walkmod>
plugins

plugins backend

•

Walkmod embeds apache ivy to download plugins from maven
repositories in runtime.

•

Custom repositories are in ${walkmod-home}/conf/ivysettings.xml

•

All plugin jars and their dependencies are files loaded dynamically into
a new classloader.

•

All beans used and declared in plugin descriptors are resolved by the
spring source engine using the new classloader.
introduction
how it works
transformations
query engine
merge engine
plugins
roadmap
roadmap

next steps

•

modularization: split the project in modules in GitHub and deploy them in a
Maven public repository.

•
•

Java 8 support (lambda expressions)

•

- less configuration: reutilization by inheritance / include rules of the XML
elements.

•

saas: publish online services for running walkmod and all its plugins (also
private).

+ plugins: Create and publish new plugins (e.g. refactoring or support for other
programming languages).

More Related Content

What's hot

An Introduction to JavaScript
An Introduction to JavaScriptAn Introduction to JavaScript
An Introduction to JavaScripttonyh1
 
TypeScript - Silver Bullet for the Full-stack Developers
TypeScript - Silver Bullet for the Full-stack DevelopersTypeScript - Silver Bullet for the Full-stack Developers
TypeScript - Silver Bullet for the Full-stack DevelopersRutenis Turcinas
 
Method Handles in Java
Method Handles in JavaMethod Handles in Java
Method Handles in Javahendersk
 
002. Introducere in type script
002. Introducere in type script002. Introducere in type script
002. Introducere in type scriptDmitrii Stoian
 
2. overview of c#
2. overview of c#2. overview of c#
2. overview of c#Rohit Rao
 
Introduction to Javascript
Introduction to JavascriptIntroduction to Javascript
Introduction to JavascriptAmit Tyagi
 
Java script final presentation
Java script final presentationJava script final presentation
Java script final presentationAdhoura Academy
 
Introduction to JavaScript Programming
Introduction to JavaScript ProgrammingIntroduction to JavaScript Programming
Introduction to JavaScript ProgrammingRaveendra R
 
Developing Useful APIs
Developing Useful APIsDeveloping Useful APIs
Developing Useful APIsDmitry Buzdin
 
Typescript tips & tricks
Typescript tips & tricksTypescript tips & tricks
Typescript tips & tricksOri Calvo
 
8 introduction to_java_script
8 introduction to_java_script8 introduction to_java_script
8 introduction to_java_scriptVijay Kalyan
 
Introduction to JavaScript
Introduction to JavaScriptIntroduction to JavaScript
Introduction to JavaScriptRangana Sampath
 
TypeScript Best Practices
TypeScript Best PracticesTypeScript Best Practices
TypeScript Best Practicesfelixbillon
 

What's hot (20)

An Introduction to JavaScript
An Introduction to JavaScriptAn Introduction to JavaScript
An Introduction to JavaScript
 
TypeScript
TypeScriptTypeScript
TypeScript
 
TypeScript - Silver Bullet for the Full-stack Developers
TypeScript - Silver Bullet for the Full-stack DevelopersTypeScript - Silver Bullet for the Full-stack Developers
TypeScript - Silver Bullet for the Full-stack Developers
 
Typescript
TypescriptTypescript
Typescript
 
Wt unit 5
Wt unit 5Wt unit 5
Wt unit 5
 
Functions in javascript
Functions in javascriptFunctions in javascript
Functions in javascript
 
Method Handles in Java
Method Handles in JavaMethod Handles in Java
Method Handles in Java
 
002. Introducere in type script
002. Introducere in type script002. Introducere in type script
002. Introducere in type script
 
JS - Basics
JS - BasicsJS - Basics
JS - Basics
 
Code generating beans in Java
Code generating beans in JavaCode generating beans in Java
Code generating beans in Java
 
2. overview of c#
2. overview of c#2. overview of c#
2. overview of c#
 
Introduction to Javascript
Introduction to JavascriptIntroduction to Javascript
Introduction to Javascript
 
Java script final presentation
Java script final presentationJava script final presentation
Java script final presentation
 
Introduction to JavaScript Programming
Introduction to JavaScript ProgrammingIntroduction to JavaScript Programming
Introduction to JavaScript Programming
 
Introduction to JavaScript Programming
Introduction to JavaScript ProgrammingIntroduction to JavaScript Programming
Introduction to JavaScript Programming
 
Developing Useful APIs
Developing Useful APIsDeveloping Useful APIs
Developing Useful APIs
 
Typescript tips & tricks
Typescript tips & tricksTypescript tips & tricks
Typescript tips & tricks
 
8 introduction to_java_script
8 introduction to_java_script8 introduction to_java_script
8 introduction to_java_script
 
Introduction to JavaScript
Introduction to JavaScriptIntroduction to JavaScript
Introduction to JavaScript
 
TypeScript Best Practices
TypeScript Best PracticesTypeScript Best Practices
TypeScript Best Practices
 

Similar to Apply Coding Conventions with walkmod

GDG Addis - An Introduction to Django and App Engine
GDG Addis - An Introduction to Django and App EngineGDG Addis - An Introduction to Django and App Engine
GDG Addis - An Introduction to Django and App EngineYared Ayalew
 
FFW Gabrovo PMG - JavaScript 1
FFW Gabrovo PMG - JavaScript 1FFW Gabrovo PMG - JavaScript 1
FFW Gabrovo PMG - JavaScript 1Toni Kolev
 
Handlebars and Require.js
Handlebars and Require.jsHandlebars and Require.js
Handlebars and Require.jsIvano Malavolta
 
Advanced guide to develop ajax applications using dojo
Advanced guide to develop ajax applications using dojoAdvanced guide to develop ajax applications using dojo
Advanced guide to develop ajax applications using dojoFu Cheng
 
Few minutes To better Code - Refactoring
Few minutes To better Code - RefactoringFew minutes To better Code - Refactoring
Few minutes To better Code - RefactoringDiaa Al-Salehi
 
Design Patterns
Design PatternsDesign Patterns
Design Patternsimedo.de
 
Compiler Construction
Compiler ConstructionCompiler Construction
Compiler ConstructionAhmed Raza
 
Hsc IT Chap 3. Advanced javascript-1.pdf
Hsc IT Chap 3. Advanced javascript-1.pdfHsc IT Chap 3. Advanced javascript-1.pdf
Hsc IT Chap 3. Advanced javascript-1.pdfAAFREEN SHAIKH
 
Owner - Java properties reinvented.
Owner - Java properties reinvented.Owner - Java properties reinvented.
Owner - Java properties reinvented.Luigi Viggiano
 
Pluggable patterns
Pluggable patternsPluggable patterns
Pluggable patternsCorey Oordt
 
TypeScript . the JavaScript developer best friend!
TypeScript . the JavaScript developer best friend!TypeScript . the JavaScript developer best friend!
TypeScript . the JavaScript developer best friend!Alessandro Giorgetti
 
Introduction to Software - Coder Forge - John Mulhall
Introduction to Software - Coder Forge - John MulhallIntroduction to Software - Coder Forge - John Mulhall
Introduction to Software - Coder Forge - John MulhallJohn Mulhall
 
The Meteor Framework
The Meteor FrameworkThe Meteor Framework
The Meteor FrameworkDamien Magoni
 
Unit 1 - TypeScript & Introduction to Angular CLI.pptx
Unit 1 - TypeScript & Introduction to Angular CLI.pptxUnit 1 - TypeScript & Introduction to Angular CLI.pptx
Unit 1 - TypeScript & Introduction to Angular CLI.pptxMalla Reddy University
 
SFDC Deployments
SFDC DeploymentsSFDC Deployments
SFDC DeploymentsSujit Kumar
 

Similar to Apply Coding Conventions with walkmod (20)

GDG Addis - An Introduction to Django and App Engine
GDG Addis - An Introduction to Django and App EngineGDG Addis - An Introduction to Django and App Engine
GDG Addis - An Introduction to Django and App Engine
 
FFW Gabrovo PMG - JavaScript 1
FFW Gabrovo PMG - JavaScript 1FFW Gabrovo PMG - JavaScript 1
FFW Gabrovo PMG - JavaScript 1
 
Web Technology Part 2
Web Technology Part 2Web Technology Part 2
Web Technology Part 2
 
Handlebars & Require JS
Handlebars  & Require JSHandlebars  & Require JS
Handlebars & Require JS
 
Handlebars and Require.js
Handlebars and Require.jsHandlebars and Require.js
Handlebars and Require.js
 
Advanced guide to develop ajax applications using dojo
Advanced guide to develop ajax applications using dojoAdvanced guide to develop ajax applications using dojo
Advanced guide to develop ajax applications using dojo
 
Few minutes To better Code - Refactoring
Few minutes To better Code - RefactoringFew minutes To better Code - Refactoring
Few minutes To better Code - Refactoring
 
Design Patterns
Design PatternsDesign Patterns
Design Patterns
 
Compiler Construction
Compiler ConstructionCompiler Construction
Compiler Construction
 
Welcome to React.pptx
Welcome to React.pptxWelcome to React.pptx
Welcome to React.pptx
 
Hsc IT Chap 3. Advanced javascript-1.pdf
Hsc IT Chap 3. Advanced javascript-1.pdfHsc IT Chap 3. Advanced javascript-1.pdf
Hsc IT Chap 3. Advanced javascript-1.pdf
 
Design p atterns
Design p atternsDesign p atterns
Design p atterns
 
Owner - Java properties reinvented.
Owner - Java properties reinvented.Owner - Java properties reinvented.
Owner - Java properties reinvented.
 
Pluggable patterns
Pluggable patternsPluggable patterns
Pluggable patterns
 
TypeScript . the JavaScript developer best friend!
TypeScript . the JavaScript developer best friend!TypeScript . the JavaScript developer best friend!
TypeScript . the JavaScript developer best friend!
 
Introduction to Software - Coder Forge - John Mulhall
Introduction to Software - Coder Forge - John MulhallIntroduction to Software - Coder Forge - John Mulhall
Introduction to Software - Coder Forge - John Mulhall
 
Ruby On Rails
Ruby On RailsRuby On Rails
Ruby On Rails
 
The Meteor Framework
The Meteor FrameworkThe Meteor Framework
The Meteor Framework
 
Unit 1 - TypeScript & Introduction to Angular CLI.pptx
Unit 1 - TypeScript & Introduction to Angular CLI.pptxUnit 1 - TypeScript & Introduction to Angular CLI.pptx
Unit 1 - TypeScript & Introduction to Angular CLI.pptx
 
SFDC Deployments
SFDC DeploymentsSFDC Deployments
SFDC Deployments
 

Recently uploaded

How to write a Business Continuity Plan
How to write a Business Continuity PlanHow to write a Business Continuity Plan
How to write a Business Continuity PlanDatabarracks
 
Unraveling Multimodality with Large Language Models.pdf
Unraveling Multimodality with Large Language Models.pdfUnraveling Multimodality with Large Language Models.pdf
Unraveling Multimodality with Large Language Models.pdfAlex Barbosa Coqueiro
 
Advanced Test Driven-Development @ php[tek] 2024
Advanced Test Driven-Development @ php[tek] 2024Advanced Test Driven-Development @ php[tek] 2024
Advanced Test Driven-Development @ php[tek] 2024Scott Keck-Warren
 
How AI, OpenAI, and ChatGPT impact business and software.
How AI, OpenAI, and ChatGPT impact business and software.How AI, OpenAI, and ChatGPT impact business and software.
How AI, OpenAI, and ChatGPT impact business and software.Curtis Poe
 
Leverage Zilliz Serverless - Up to 50X Saving for Your Vector Storage Cost
Leverage Zilliz Serverless - Up to 50X Saving for Your Vector Storage CostLeverage Zilliz Serverless - Up to 50X Saving for Your Vector Storage Cost
Leverage Zilliz Serverless - Up to 50X Saving for Your Vector Storage CostZilliz
 
Advanced Computer Architecture – An Introduction
Advanced Computer Architecture – An IntroductionAdvanced Computer Architecture – An Introduction
Advanced Computer Architecture – An IntroductionDilum Bandara
 
Ensuring Technical Readiness For Copilot in Microsoft 365
Ensuring Technical Readiness For Copilot in Microsoft 365Ensuring Technical Readiness For Copilot in Microsoft 365
Ensuring Technical Readiness For Copilot in Microsoft 3652toLead Limited
 
Take control of your SAP testing with UiPath Test Suite
Take control of your SAP testing with UiPath Test SuiteTake control of your SAP testing with UiPath Test Suite
Take control of your SAP testing with UiPath Test SuiteDianaGray10
 
Hyperautomation and AI/ML: A Strategy for Digital Transformation Success.pdf
Hyperautomation and AI/ML: A Strategy for Digital Transformation Success.pdfHyperautomation and AI/ML: A Strategy for Digital Transformation Success.pdf
Hyperautomation and AI/ML: A Strategy for Digital Transformation Success.pdfPrecisely
 
DevoxxFR 2024 Reproducible Builds with Apache Maven
DevoxxFR 2024 Reproducible Builds with Apache MavenDevoxxFR 2024 Reproducible Builds with Apache Maven
DevoxxFR 2024 Reproducible Builds with Apache MavenHervé Boutemy
 
Vertex AI Gemini Prompt Engineering Tips
Vertex AI Gemini Prompt Engineering TipsVertex AI Gemini Prompt Engineering Tips
Vertex AI Gemini Prompt Engineering TipsMiki Katsuragi
 
New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024BookNet Canada
 
Scanning the Internet for External Cloud Exposures via SSL Certs
Scanning the Internet for External Cloud Exposures via SSL CertsScanning the Internet for External Cloud Exposures via SSL Certs
Scanning the Internet for External Cloud Exposures via SSL CertsRizwan Syed
 
Anypoint Exchange: It’s Not Just a Repo!
Anypoint Exchange: It’s Not Just a Repo!Anypoint Exchange: It’s Not Just a Repo!
Anypoint Exchange: It’s Not Just a Repo!Manik S Magar
 
The Ultimate Guide to Choosing WordPress Pros and Cons
The Ultimate Guide to Choosing WordPress Pros and ConsThe Ultimate Guide to Choosing WordPress Pros and Cons
The Ultimate Guide to Choosing WordPress Pros and ConsPixlogix Infotech
 
Artificial intelligence in cctv survelliance.pptx
Artificial intelligence in cctv survelliance.pptxArtificial intelligence in cctv survelliance.pptx
Artificial intelligence in cctv survelliance.pptxhariprasad279825
 
"ML in Production",Oleksandr Bagan
"ML in Production",Oleksandr Bagan"ML in Production",Oleksandr Bagan
"ML in Production",Oleksandr BaganFwdays
 
What's New in Teams Calling, Meetings and Devices March 2024
What's New in Teams Calling, Meetings and Devices March 2024What's New in Teams Calling, Meetings and Devices March 2024
What's New in Teams Calling, Meetings and Devices March 2024Stephanie Beckett
 
Gen AI in Business - Global Trends Report 2024.pdf
Gen AI in Business - Global Trends Report 2024.pdfGen AI in Business - Global Trends Report 2024.pdf
Gen AI in Business - Global Trends Report 2024.pdfAddepto
 
"Subclassing and Composition – A Pythonic Tour of Trade-Offs", Hynek Schlawack
"Subclassing and Composition – A Pythonic Tour of Trade-Offs", Hynek Schlawack"Subclassing and Composition – A Pythonic Tour of Trade-Offs", Hynek Schlawack
"Subclassing and Composition – A Pythonic Tour of Trade-Offs", Hynek SchlawackFwdays
 

Recently uploaded (20)

How to write a Business Continuity Plan
How to write a Business Continuity PlanHow to write a Business Continuity Plan
How to write a Business Continuity Plan
 
Unraveling Multimodality with Large Language Models.pdf
Unraveling Multimodality with Large Language Models.pdfUnraveling Multimodality with Large Language Models.pdf
Unraveling Multimodality with Large Language Models.pdf
 
Advanced Test Driven-Development @ php[tek] 2024
Advanced Test Driven-Development @ php[tek] 2024Advanced Test Driven-Development @ php[tek] 2024
Advanced Test Driven-Development @ php[tek] 2024
 
How AI, OpenAI, and ChatGPT impact business and software.
How AI, OpenAI, and ChatGPT impact business and software.How AI, OpenAI, and ChatGPT impact business and software.
How AI, OpenAI, and ChatGPT impact business and software.
 
Leverage Zilliz Serverless - Up to 50X Saving for Your Vector Storage Cost
Leverage Zilliz Serverless - Up to 50X Saving for Your Vector Storage CostLeverage Zilliz Serverless - Up to 50X Saving for Your Vector Storage Cost
Leverage Zilliz Serverless - Up to 50X Saving for Your Vector Storage Cost
 
Advanced Computer Architecture – An Introduction
Advanced Computer Architecture – An IntroductionAdvanced Computer Architecture – An Introduction
Advanced Computer Architecture – An Introduction
 
Ensuring Technical Readiness For Copilot in Microsoft 365
Ensuring Technical Readiness For Copilot in Microsoft 365Ensuring Technical Readiness For Copilot in Microsoft 365
Ensuring Technical Readiness For Copilot in Microsoft 365
 
Take control of your SAP testing with UiPath Test Suite
Take control of your SAP testing with UiPath Test SuiteTake control of your SAP testing with UiPath Test Suite
Take control of your SAP testing with UiPath Test Suite
 
Hyperautomation and AI/ML: A Strategy for Digital Transformation Success.pdf
Hyperautomation and AI/ML: A Strategy for Digital Transformation Success.pdfHyperautomation and AI/ML: A Strategy for Digital Transformation Success.pdf
Hyperautomation and AI/ML: A Strategy for Digital Transformation Success.pdf
 
DevoxxFR 2024 Reproducible Builds with Apache Maven
DevoxxFR 2024 Reproducible Builds with Apache MavenDevoxxFR 2024 Reproducible Builds with Apache Maven
DevoxxFR 2024 Reproducible Builds with Apache Maven
 
Vertex AI Gemini Prompt Engineering Tips
Vertex AI Gemini Prompt Engineering TipsVertex AI Gemini Prompt Engineering Tips
Vertex AI Gemini Prompt Engineering Tips
 
New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
 
Scanning the Internet for External Cloud Exposures via SSL Certs
Scanning the Internet for External Cloud Exposures via SSL CertsScanning the Internet for External Cloud Exposures via SSL Certs
Scanning the Internet for External Cloud Exposures via SSL Certs
 
Anypoint Exchange: It’s Not Just a Repo!
Anypoint Exchange: It’s Not Just a Repo!Anypoint Exchange: It’s Not Just a Repo!
Anypoint Exchange: It’s Not Just a Repo!
 
The Ultimate Guide to Choosing WordPress Pros and Cons
The Ultimate Guide to Choosing WordPress Pros and ConsThe Ultimate Guide to Choosing WordPress Pros and Cons
The Ultimate Guide to Choosing WordPress Pros and Cons
 
Artificial intelligence in cctv survelliance.pptx
Artificial intelligence in cctv survelliance.pptxArtificial intelligence in cctv survelliance.pptx
Artificial intelligence in cctv survelliance.pptx
 
"ML in Production",Oleksandr Bagan
"ML in Production",Oleksandr Bagan"ML in Production",Oleksandr Bagan
"ML in Production",Oleksandr Bagan
 
What's New in Teams Calling, Meetings and Devices March 2024
What's New in Teams Calling, Meetings and Devices March 2024What's New in Teams Calling, Meetings and Devices March 2024
What's New in Teams Calling, Meetings and Devices March 2024
 
Gen AI in Business - Global Trends Report 2024.pdf
Gen AI in Business - Global Trends Report 2024.pdfGen AI in Business - Global Trends Report 2024.pdf
Gen AI in Business - Global Trends Report 2024.pdf
 
"Subclassing and Composition – A Pythonic Tour of Trade-Offs", Hynek Schlawack
"Subclassing and Composition – A Pythonic Tour of Trade-Offs", Hynek Schlawack"Subclassing and Composition – A Pythonic Tour of Trade-Offs", Hynek Schlawack
"Subclassing and Composition – A Pythonic Tour of Trade-Offs", Hynek Schlawack
 

Apply Coding Conventions with walkmod

  • 1. walkmod a tool to apply coding conventions @walkmod http://walkmod.com
  • 3. introduction how it works transformations query engine merge engine plugins roadmap
  • 4. Introduction motivation • Don’t repeat yourself (DRY) principle. Multiple layer architectures contains lots of wrappers, which might be generated. E.g. Tests, DAOs, Facades.. • The application domain relevance. The business rules / domain logic can’t be generated (really?). We need to focus on this! • Code review of ALL contributors. Who fixes the code?
  • 6. Introduction What are coding conventions? “coding conventions are a set of guidelines for a specific programming language that recommend programming style, practices and methods for each aspect of a piece program written in this language.” wikipedia
  • 7. Introduction examples • • • • Naming conventions Code formatting Code licenses Code documentation • • • • Code refactoring Apply programming practices Architectural best practices More..
  • 9. Introduction walkmod • automatizes the practice of code conventions in development teams (i.e license usage). • automatizes the resolution of problems detected by code quality tools (i.e PMD, , sonar, findbugs). • automatizes the development and repetitive tasks i.e: creating basic CRUD services for the entire model. • automatizes global code changes: i.e refactorings.
  • 10. Introduction walkmod is open! • • • • • open source: feel free to suggest changes! free for everybody: tell it to your boss! extensible by plugins do it yourself and share them! DIY+S editor/IDE independent community support
  • 11. introduction how it works transformations query engine merge engine plugins roadmap
  • 12. how it works • All conventions are applied with blocks of transformations for each source file. • Transformations may update the same sources or creating/updating another ones. workflow
  • 13. how it works overview • reader: reads the sources. i.e retrieves all files from a directory recursively. • • walker: executes a chain of transformations for each source. • writer: writes the sources. i.e using the eclipse formatter. transformation: updates or creates sources for the following transformation. Transformations are connected like a pipe through a shared context.
  • 14. how it works reader • • • • Reads the sources. By default, reads the folder src/main/java. Works with multiple include/exclude rules. Creates a resource object, whose content is iterated from the walker. Works for sources of any programming language. The resource object could be a source folder, a parsed json file, etc..
  • 15. how it works walker • Executes a chain of transformations for each object allocated in a resource. i.e all java source files of an specific folder. • merges the output produced by transformations with existent resources. • • invokes the writer with the final (and merged) output. analyzes and reports which changes have been produced by the chain of transformations in each object.
  • 16. how it works transformations • • modifies or creates objects that will be written. There are three ways to design a transformation. Using: templates, scripts, or visitors.
  • 17. how it works writer • writes each object allocated in a resource. i.e all java source files of a specific folder. • • Has include/exclude rules. There are useful writer implementations, such as the storage of the contents of a toString() object method or the eclipse formatter.
  • 19. introduction how it works transformations query engine merge engine plugins roadmap
  • 20. transformations why templates? • • • • Templates are used to avoid manipulating the AST directly. Generates dynamic content querying the AST. DRY compliance. groovy is the default template engine, but can be customized.
  • 21. transformations template configuration <!DOCTYPE walkmod PUBLIC "-//WALKMOD//DTD" "http://www.walkmod.com/dtd/walkmod-1.0.dtd"> <walkmod> ... <transformation type="walkmod:commons:template" > <param name="templates"> ["src/main/walkmod/templates/jpa-entities.groovy"] </param> </transformation> ... </walkmod>
  • 22. transformations why scripts? • • • Scripts allow the design of inline transformations. Scripts should be used to apply simple modifications in source files. Support for multiple languages. Those which implement the standard Java scripting interface. i.e. groovy, javascript, python..
  • 23. transformations script configuration ... <transformation type="walkmod:commons:scripting" > <param name="language"> groovy </param> <param name="location"> src/main/walkmod/scripts/fields.groovy </param> </transformation> ...
  • 24. transformations why visitors? • • Visitors are developed and compiled in java. • Visitors should be used to apply complex modifications in source files. To include transformations as plugins to be shared inside the community.
  • 25. transformations visitor transformations public class HelloVisitor extends VoidVisitor<VisitorContext>{ ... @Overwrite public void visit(MethodDeclaration md, VisitorContext ctx){ //TODO } @Overwrite public void visit(FieldDeclaration fd, VisitorContext ctx){ //TODO } ... }
  • 26. transformations visitor configuration <!DOCTYPE walkmod PUBLIC "-//WALKMOD//DTD" "http://www.walkmod.com/dtd/walkmod-1.0.dtd"> <walkmod> <plugins> <plugin groupId="mygroupId" artifactId="myartifactId" version="versionNumber"> </plugin> </plugins> ... <transformation type="mygroupId:myartifactId:my-visitor" > <param name="param1"> value1 </param> <param name="paramN"> valueN </param> </transformation> ... </walkmod>
  • 27. introduction how it works transformations query engine merge engine plugins roadmap
  • 28. query engine query engine • • Write less to do the same! • The default query language is gPath (groovy), but you can change it for your favorite language. • Common used large query expressions can be referenced from Alias. “TypeDeclaration.metaClass.getMethods = { -> delegate.members.findAll({it instanceof MethodDeclaration}); }” All queries have an object context and a query expression. By default, the context is the root element of a parsed source file.
  • 29. query engine MethodDeclaration method = null; Collection members = type.getMembers(); Iterator it = members.iterator(); while (it.hasNext()){ BodyDeclaration member = (BodyDeclaration)it.next(); if (member instance of MethodDeclararion){ MethodDeclarion aux = (MethodDeclaration) member; if(“execute”.equals(aux.getName()){ method = aux; break; } } } type.methods.find({it.name.equals(“execute”)})
  • 30. query engine queries from templates Using the query object: ${query.resolve(“expr”)}. import org.apache.log4j.Logger; public class ${query.resolve("type.name")}{ public static Logger log = Logger.getLogger(${query.resolve("type.name")}.class); } template to add Loggers
  • 31. query engine queries from scripts accessing through a binding called query .. for( type in node.types) { def result = query.resolve(type, “methods”); ... } ... groovy script querying the type methods
  • 32. query engine queries from visitors Implementing QueryEngineAware or extending VisitorSupport. public class MyVisitor extends VisitorSupport{ @Overwrite public void visit(TypeDeclaration td, VisitorContext ctx){ Object result = query( td, //context “methods.find({it.name.equals(“foo”)})” //expr ); } } visitor code with a gpath query
  • 33. introduction how it works transformations query engine merge engine plugins roadmap
  • 34. merge engine why a merge engine? • To avoid duplicate results by transformations (i.e duplicate a method) in existing code. • Simplify transformations. Otherwise, transformations must check many conditions to avoid repeating code or overwriting it. • Sometimes, developer changes (i.e. adding a new method) must be respected by the engine.
  • 35. walkmod merges outputs with existential sources
  • 36. merge engine semantic merge • Code is merged according to the meaning of its elements instead of simply merging text. • Only elements with the same identifier are merged. Indentifiable element types must implement the interface mergeable.
  • 37. merge engine previous concepts • • local object is the current version of an element. remote object is the modified version of an element generated by a single transformation. It may be a fragment to add in a local object.
  • 38. merge engine merge policies Configurable and extensible merge policies for each object type. Object merge policy Finds the equivalent local version of a remote (and thus, generated) object and merge recursively their children. These objects must be identifiable to be searched and found. These policies should be applied for fields, , methods, , types … Type select which merge action do for local and remote objects which are merge not identifiable, although being instances of the same class. i.e policies policy for the statements of an existent method.
  • 39. merge engine object merge policies • append policy only writes new values for null fields. Otherwise, these are not modified. • overwrite policy modifies all field values of a local object for those generated by a transformation.
  • 40. merge engine type merge policies • assign policy only writes the remote values. i.e replacing the list of statements of a method for the generated list. • unmodify policy only writes the local values. i.e to respect the developer changes in the statements of an old transformation. • addall policy that appends the remote values into the local values.
  • 41. introduction how it works transformations query engine merge engine plugins roadmap
  • 42. plugins why and how to extend walkmod? • You can extend walkmod with new components or override the existing ones (visitors, readers, writers, walkers, merge policies…) • Creating new plugins (java libraries) and deploying them into a maven repository (public or private). See repo.maven.apache.org • All walkmod extensions need a plugin descriptor of their components in the META-INF/walkmod directory inside the jar library.
  • 43. plugins plugin descriptor • Plugin descriptor is a XML file with the name walkmod-xxx-plugin.xml which follows the spring bean configuration. • New readers, writers, walkers or transformations must be specified with a unique name “groupId:artifactId:name” as a spring bean in the plugin descriptor. <beans> ... <bean id="walkmod:commons:import-cleaner" class="org.walkmod.visitors.ImportOrganizer" /> ... </beans>
  • 44. plugins plugin usage (I) Plugins are declared into ${project}/walkmod.xml <walkmod> <plugins> <plugins> <plugin groupId="walkmod" artifactId="walkmod-commons-plugin" version="1.0"> </plugin> </plugins> <chain name="my-chain"> ... </chain> <walkmod>
  • 45. plugins plugin usage (II) Beans declared in a plugin descriptor can be referenced from walkmod.xml using the type attribute. <walkmod> <plugins> <plugin groupId="walkmod" artifactId="walkmod-commons-plugin" version="1.0"> </plugin> </plugins> <chain name="my-chain"> ... <transformation type="walkmod:commons:imports-cleaner" /> ... </chain> </walkmod>
  • 46. plugins plugins backend • Walkmod embeds apache ivy to download plugins from maven repositories in runtime. • Custom repositories are in ${walkmod-home}/conf/ivysettings.xml • All plugin jars and their dependencies are files loaded dynamically into a new classloader. • All beans used and declared in plugin descriptors are resolved by the spring source engine using the new classloader.
  • 47. introduction how it works transformations query engine merge engine plugins roadmap
  • 48. roadmap next steps • modularization: split the project in modules in GitHub and deploy them in a Maven public repository. • • Java 8 support (lambda expressions) • - less configuration: reutilization by inheritance / include rules of the XML elements. • saas: publish online services for running walkmod and all its plugins (also private). + plugins: Create and publish new plugins (e.g. refactoring or support for other programming languages).