SlideShare une entreprise Scribd logo
1  sur  47
Télécharger pour lire hors ligne
Dependency
 Injection
   with...


               Guice


   Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
About me

   Mathieu Carbou
       Expert Java Developer
       + 6 years Open-Source projects
       Code design, Web, Testing, Maven, Spring, WS,
        JMS, EDA, OSGI , Security, Hibernate, ....
        … and Google Guice !
   http://code.mycila.com
   http://blog.mycila.com
   http://www.testatoo.org


                         Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
About the next hour

   Pre-DI anti-patterns
   Evolutions in the Java World
   DI advantages
   A little word about Spring...
   … and a long long time about Guice !




                        Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
Pre-DI Anti-Patterns

    Manual instanciation

    public final class SignupService {
        public void signup(User user) {
            EmailService emailService = new EmailService();
            emailService.setHost("smtp.company.com");
            emailService.setPort(25);
            emailService.send(
                    "killerapp@company.com",
                    user.getEmail(),
                    "Welcome to Killer App !");
        }
    }




                             Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
Pre-DI Anti-Patterns

    Factory pattern

    public final class SignupService {
        public void signup(User user) {
            EmailService emailService =
                           EmailServiceFactory.getEmailService();
            emailService.send(
                    "killerapp@company.com",
                    user.getEmail(),
                    "Welcome to Killer App !");
        }
    }




                             Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
Pre-DI Anti-Patterns

    Service locator

    public void signup(User user) {
        // retreived from JNDI for example
        ServiceLocator serviceLocator = getServiceLocator();
        EmailService emailService = (EmailService)
                 serviceLocator.getService("emailService");
        emailService.send(
                "killerapp@company.com",
                user.getEmail(),
                "Welcome to Killer App !");
    }




                             Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
Pre-DI Anti-Patterns

    Bean factory

    public void signup(User user) {
        // retreived Spring's bean factory
        BeanFactory beanFactory = getBeanFactory();
        EmailService emailService =
              (EmailService) beanFactory.getBean("emailService");
        emailService.send(
                "killerapp@company.com",
                user.getEmail(),
                "Welcome to Killer App !");
    }




                             Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
Pre-DI Anti-Patterns

   Design issues
       Strong coupling (locator, factory, identifier)
       No isolation
       Difficult to test, refactor and maintain
           SignupService   depends      MailService
                                           depends
                       depends

                                      ServiceLocator

                                           depends


                    UserService      UserRepository           UserRepository



                                  Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
Pre-DI Anti-Patterns

   Potential issues
       Bad responsibility for client and user classes
       Static references never garbadged-collected
       Static shared access issues (concurrency)
       Static lazy initialization often badly coded




                           Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
Pre-DI Anti-Patterns

 public final class MyFactory {

     private static EmailService EMAIL_SERVICE;

     public static EmailService getEmailService() {
         if(EMAIL_SERVICE == null) {
             EMAIL_SERVICE = new EmailService();
             //object initalization
         }
         return EMAIL_SERVICE;
     }

 }




                          Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
Pre-DI Anti-Patterns

 public final class MyFactory {

      private static EmailService EMAIL_SERVICE;

     public static synchronized EmailService getEmailService() {
          if(EMAIL_SERVICE == null) {
              EMAIL_SERVICE = new EmailService();
              //object initalization
          }
          return EMAIL_SERVICE;
      }

 }




                           Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
Pre-DI Anti-Patterns

 public final class MyFactory {

     private MyFactory() {}

     public static EmailService getEmailService() {
         return LazyInit.EMAIL_SERVICE;
     }

     private static final class LazyInit {
         private static final EmailService EMAIL_SERVICE
                                = new EmailService();
     }
 }




                          Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
Evolutions

   Metadata representations
        XML
        Annotations

   Misconception about annotations
    Annotations are metadata within classes introducing no dependencies at
    runtime. A class can be resolved even if its annotations are not in the
    classpath !




                                 Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
Evolutions

   ByteCode manipulation (ASM, proxy, ...)
   JSR250 (already in JDK6, commes from J2EE)
       @Resource
       @PostConstruct
       @PreDestroy
   JSR330 (next JDK, jar available)
       @Inject
       @Provider
       @Named
       @Singleton
       @Scope

                         Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
Evolutions

   Generics (type literals)
       List<Employee> != List<User>

   Some DI frameworks till rely on Class (Spring)
       May crash at runtime (type erasure) !

   New DI frameworks use TypeLiteral (Guice)
       Errors caugth at compile time !


                          Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
Evolutions

       Example:

    public final class FireService {

         final List<Employee> employees;

         @Inject
         FireService(List<Employee> employees) {
             this.employees = employees;
         }

         public void fireAll() {
             for (Employee employee : employees)
                 employee.fire();
         }
    }



                              Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
Evolutions

    Guice: Compile error !
    final class FireModule extends AbstractModule {
        protected void configure() {
            bind(new TypeLiteral<List<Employee>>(){})
                           .toInstance(Arrays.asList(new User()));
        }
    }


    Spring (xml): compiles, but fails at runtime !
    <bean name="fireService"
                    class="com.mycompany.killerapp.FireService">
        <constructor-arg>
            <list>
                <bean class="com.mycompany.killerapp.User"/>
            </list>
        </constructor-arg>
    </bean>

                             Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
DI Definition

   A dependant is contacted by its dependencies

   Hollywood principle: Don't call me, I'll call you




                        Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
DI Definition

       Example:

    public final class FireService {

         final List<Employee> employees;

         @Inject
         FireService(List<Employee> employees) {
             this.employees = employees;
         }

         public void fireAll() {
             for (Employee employee : employees)
                 employee.fire();
         }
    }



                              Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
DI Advantages

   Easier testing & refactoring
   Easier maintenance
   Loose coupling
   Manage object lifetime
   Better design and use (interfaces)
   Hide implementation details
   Write less code (and less bugs)


                       Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
About Spring Framework

   Everyone knows it
   You can compare

   Guice != Spring
       Guice = Advanced DI framework
       Spring = Integration Framework (JMX, JMS, JDBC,
        TX, Hibernate, ...) built upon a DI stack


   You can use Spring classes with Guice

                         Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
Google Guice !

   Open-Sourced by Google
   First public release in 2007
   http://code.google.com/p/google-guice/

   Project's lead: Bob Lee
       Cofounder of AOP Alliance
       Creator of JAdvise and Dynaop
       Strong AOP background


                         Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
Google Guice !

   Version 3 to be released soon

   Standardized DI annotations (JSR330)

   Focus on:
       Easy to use
       Best DI capabilities

   Not an integration framework

                           Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
Google Guice Ecosystem

    Guice Servlets
     (DSL, DI and lifetime management for servlets and filters)

    <listener>
        <listener-class>
             com.company.web.guice.GuiceConfig
        </listener-class>
    </listener>
    <filter>
        <filter-name>Guice Filter</filter-name>
        <filter-class>
             com.google.inject.servlet.GuiceFilter
        </filter-class>
    </filter>
    <filter-mapping>
        <filter-name>Guice Filter</filter-name>
        <url-pattern>/*</url-pattern>
    </filter-mapping>


                                   Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
Google Guice Ecosystem

       Guice Servlets
        (DSL, DI and lifetime management for servlets and filters)

    protected void configureServlets() {
        Map<String, String> params = new HashMap<String, String>();

           /* Shirio Security */
           bind(IniShiroFilter.class).in(Scopes.SINGLETON);
           filter("/*").through(IniShiroFilter.class);

           /* Wicket */
           params.put(WicketFilter.FILTER_MAPPING_PARAM, "/*");
           filter("/page/*").through(WicketGuiceFilter.class, params);
           bind(WebApplication.class).to(MyApplication.class);

           /* Jersey */
           serve("/rest/*").with(GuiceContainer.class, params);
    }


                                      Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
Google Guice Ecosystem

    Guice Persistence (Hibernate, JPA, DB4O, ...)

    protected void configurePersistence() {
        workAcross(UnitOfWork.TRANSACTION).usingJpa("c4sJpaUnit");
        bind(DataSource.class)
            .toProvider(fromJndi(DataSource.class, "jdbc/c4sDS"))
            .in(Singleton.class);
        bind(PlayerRepository.class)
            .to(JpaPlayerRepository.class)
            .in(Singleton.class);
        bind(TeamRepository.class)
            .to(JpaTeamRepository.class)
            .in(Singleton.class);
    }




                             Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
Google Guice Ecosystem

    Guice Persistence (Dynamic finders)

    public interface TeamFinder {
        @Finder(query="from Team")
        List<Team> allTeams();
    }




                             Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
Google Guice Ecosystem

       Guice Jndi

    class SqlModule extends AbstractModule {
        protected void configure() {

    bind(UserRepository.class).to(SQLUserRepository.class);
    bind(DataSource.class)
       .toProvider(fromJndi(DataSource.class, "jdbc/h2DB"))
       .in(Singleton.class);

          }
    }




                             Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
Google Guice Ecosystem

    Spring Integration
    Assisted inject (contextual DI)
    interface PaymentFactory {
       Payment create(Date startDate, Money amount);
    }

    // DI configuration
    bind(Payment.class).to(PaymentImpl.class);
    bind(PaymentFactory.class)
       .toProvider(newFactory(PaymentFactory.class,
                               RealPayment.class));

    // user code
    Payement pay = factory.create(today, amount);




                             Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
Google Guice Ecosystem

   Projects extending Guice capabilities:
       Peaberry (OSGI)
       Mycila-testing
       Guiceyfruit (JSR250, JNDI, ...)
       Mycila-guice (JSR250, scopes, module discovery, …)
       GuiceBerry
       [...]




                               Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
Google Guice Integration




             Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
Guice relative Books




             Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
Google Guice Advantages

   Easier to use, test, maintain, refactor, learn
   Better power to complexity ratio than Spring
   Advanced DI concepts
   Favor good design
       Immutability, valid objects
       Thread-safe object
   No more java beans constraints
       Injectable DSL is possible


                           Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
Google Guice Advantages

   No string identifier
       No more conflicts
       No more responsability issue
   No more XML !
   Static and compile-time verification
   Plus many things we'll see in details now !




                            Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
Dive into Guice

       DI configuration (Java-based, DSL & Fluent API)
    public final class SqlModule extends AbstractModule {
      @Override
      protected void configure() {
        bind(UserRepository.class).to(SQLUserRepository.class);
        bind(DataSource.class)
          .toProvider(fromJndi(DataSource.class,"jdbc/myDB"))
          .in(Singleton.class);
      }

        @Provides
        Connection connection(DataSource dataSource)
                                              throws SQLException {
              return dataSource.getConnection();
        }
    }



                               Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
Dive into Guice

   Dependency identification: Key class
       Supports type literals and raw types
       Bindings annotations
       Static type checking
       Errors caught at compile time, not at runtime




                          Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
Dive into Guice

    Dependency identification
    bind(Properties.class)
        .annotatedWith(named("app-settings"))
        .toProvider(fromJndi(Properties.class, "settings/app"));

    bind(new TypeLiteral<GenericRepository<Employee>>(){})
                                  .to(EmployeeRepository.class);

    --------------------------------------------------------------

    Key key =
       Key.get(new TypeLiteral<GenericRepository<Employee>>(){});
    GenericRepository<Employee> repo = injector.getInstance(key)

    Properties props = injector.getInstance(
                      Key.get(Properties, named("app-settings")))



                             Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
Dive into Guice

    Bootstrapping
    Injector injector = Guice.createInjector(
       Stage.PRODUCTION,
       new MyModule(), new JSR250Module(), new SqlModule());




                             Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
Dive into Guice

       Injection points: Constructors, Fields, Methods
    public class BasicTemplateService {

          @Inject
          UserRepository repository

          private final Settings settings;

          @Inject
          public BasicTemplateService(Settings settings) {
              this.settings = settings;
          }

          @Inject
          @Named("/app/messages/user")
          void withMessageBundle(ResourceBundle rb) {
             [...]
          }
    }
                               Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
Dive into Guice

   AOP support
       Easy
       All casual cases
   Intercept:
       Methods
       Injections
   Matchers
       Classes
       Methods

                           Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
Dive into Guice

   AOP support - Interceptors
    bindInterceptor(
       Matchers.inPackage(getPackage("com.company.repository")),
       Matchers.annotatedWith(Test.class),
       new MyAopAllianceInterceptor());



    package com.company.repository;
    class MyRepository {
        @Test
        void intercepted() {}
    }




                             Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
Dive into Guice

    AOP support – Injection listeners
    bindListener(Matchers.any(), new TypeListener() {

          public <I> void hear(final TypeLiteral<I> type,
                               final TypeEncounter<I> encounter) {

              System.out.println("Meeting type: " + type);

              encounter.register(new InjectionListener<I>() {

                    public void afterInjection(I injectee) {
                        System.out.println("Type has been injected");
                    }
              });
          }
    });



                                 Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
Dive into Guice

       Providers
           Scope widening
           Delay construction
    class CurrentLocale {

            @Inject
            Provider<HttpServletRequest> request;

            public Locale get() {
                [...]
            }
    }




                                    Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
Dive into Guice

   Scopes
       Object lifetime management
       By default: no scope
       Allows objects to be garbadged-collected shortly

   Misconception about singletons
       @Singleton IS a scope !
       Should only considered when really needed
       Constructing new objects has no cost in Java

                          Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
Dive into Guice

    Scopes
    bind(JamesBondMessage.class)
                          .in(new ExpiringSingleton(10, SECONDS));

    bindScope(Concurrent.class, new ConcurrentSingleton());
    bind(EnglishDataLoader.class).in(Concurrent.class);
    bind(FrenchDataLoader.class).in(Concurrent.class);

    @Concurrent
    class SpanishDataLoader {
    }




                                Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
Dive into Guice

   And also
       Module overriding
                   Modules.override(...).by()...
       Introspection API
                   Elements.getElements()
                   binding.acceptVisitor()
                   […]
       Parent / Child injectors
       Private / Public bindings


                               Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
Guice questions ?




             Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com

Contenu connexe

Dernier

Artificial Intelligence: Facts and Myths
Artificial Intelligence: Facts and MythsArtificial Intelligence: Facts and Myths
Artificial Intelligence: Facts and Myths
Joaquim Jorge
 
+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...
+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...
+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...
?#DUbAI#??##{{(☎️+971_581248768%)**%*]'#abortion pills for sale in dubai@
 
Why Teams call analytics are critical to your entire business
Why Teams call analytics are critical to your entire businessWhy Teams call analytics are critical to your entire business
Why Teams call analytics are critical to your entire business
panagenda
 

Dernier (20)

Artificial Intelligence: Facts and Myths
Artificial Intelligence: Facts and MythsArtificial Intelligence: Facts and Myths
Artificial Intelligence: Facts and Myths
 
Apidays New York 2024 - The Good, the Bad and the Governed by David O'Neill, ...
Apidays New York 2024 - The Good, the Bad and the Governed by David O'Neill, ...Apidays New York 2024 - The Good, the Bad and the Governed by David O'Neill, ...
Apidays New York 2024 - The Good, the Bad and the Governed by David O'Neill, ...
 
How to Troubleshoot Apps for the Modern Connected Worker
How to Troubleshoot Apps for the Modern Connected WorkerHow to Troubleshoot Apps for the Modern Connected Worker
How to Troubleshoot Apps for the Modern Connected Worker
 
Tata AIG General Insurance Company - Insurer Innovation Award 2024
Tata AIG General Insurance Company - Insurer Innovation Award 2024Tata AIG General Insurance Company - Insurer Innovation Award 2024
Tata AIG General Insurance Company - Insurer Innovation Award 2024
 
Deploy with confidence: VMware Cloud Foundation 5.1 on next gen Dell PowerEdg...
Deploy with confidence: VMware Cloud Foundation 5.1 on next gen Dell PowerEdg...Deploy with confidence: VMware Cloud Foundation 5.1 on next gen Dell PowerEdg...
Deploy with confidence: VMware Cloud Foundation 5.1 on next gen Dell PowerEdg...
 
AWS Community Day CPH - Three problems of Terraform
AWS Community Day CPH - Three problems of TerraformAWS Community Day CPH - Three problems of Terraform
AWS Community Day CPH - Three problems of Terraform
 
Manulife - Insurer Innovation Award 2024
Manulife - Insurer Innovation Award 2024Manulife - Insurer Innovation Award 2024
Manulife - Insurer Innovation Award 2024
 
Real Time Object Detection Using Open CV
Real Time Object Detection Using Open CVReal Time Object Detection Using Open CV
Real Time Object Detection Using Open CV
 
Partners Life - Insurer Innovation Award 2024
Partners Life - Insurer Innovation Award 2024Partners Life - Insurer Innovation Award 2024
Partners Life - Insurer Innovation Award 2024
 
+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...
+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...
+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...
 
Apidays New York 2024 - The value of a flexible API Management solution for O...
Apidays New York 2024 - The value of a flexible API Management solution for O...Apidays New York 2024 - The value of a flexible API Management solution for O...
Apidays New York 2024 - The value of a flexible API Management solution for O...
 
Why Teams call analytics are critical to your entire business
Why Teams call analytics are critical to your entire businessWhy Teams call analytics are critical to your entire business
Why Teams call analytics are critical to your entire business
 
Axa Assurance Maroc - Insurer Innovation Award 2024
Axa Assurance Maroc - Insurer Innovation Award 2024Axa Assurance Maroc - Insurer Innovation Award 2024
Axa Assurance Maroc - Insurer Innovation Award 2024
 
From Event to Action: Accelerate Your Decision Making with Real-Time Automation
From Event to Action: Accelerate Your Decision Making with Real-Time AutomationFrom Event to Action: Accelerate Your Decision Making with Real-Time Automation
From Event to Action: Accelerate Your Decision Making with Real-Time Automation
 
Polkadot JAM Slides - Token2049 - By Dr. Gavin Wood
Polkadot JAM Slides - Token2049 - By Dr. Gavin WoodPolkadot JAM Slides - Token2049 - By Dr. Gavin Wood
Polkadot JAM Slides - Token2049 - By Dr. Gavin Wood
 
🐬 The future of MySQL is Postgres 🐘
🐬  The future of MySQL is Postgres   🐘🐬  The future of MySQL is Postgres   🐘
🐬 The future of MySQL is Postgres 🐘
 
Scaling API-first – The story of a global engineering organization
Scaling API-first – The story of a global engineering organizationScaling API-first – The story of a global engineering organization
Scaling API-first – The story of a global engineering organization
 
TrustArc Webinar - Stay Ahead of US State Data Privacy Law Developments
TrustArc Webinar - Stay Ahead of US State Data Privacy Law DevelopmentsTrustArc Webinar - Stay Ahead of US State Data Privacy Law Developments
TrustArc Webinar - Stay Ahead of US State Data Privacy Law Developments
 
Automating Google Workspace (GWS) & more with Apps Script
Automating Google Workspace (GWS) & more with Apps ScriptAutomating Google Workspace (GWS) & more with Apps Script
Automating Google Workspace (GWS) & more with Apps Script
 
The 7 Things I Know About Cyber Security After 25 Years | April 2024
The 7 Things I Know About Cyber Security After 25 Years | April 2024The 7 Things I Know About Cyber Security After 25 Years | April 2024
The 7 Things I Know About Cyber Security After 25 Years | April 2024
 

En vedette

How Race, Age and Gender Shape Attitudes Towards Mental Health
How Race, Age and Gender Shape Attitudes Towards Mental HealthHow Race, Age and Gender Shape Attitudes Towards Mental Health
How Race, Age and Gender Shape Attitudes Towards Mental Health
ThinkNow
 
Social Media Marketing Trends 2024 // The Global Indie Insights
Social Media Marketing Trends 2024 // The Global Indie InsightsSocial Media Marketing Trends 2024 // The Global Indie Insights
Social Media Marketing Trends 2024 // The Global Indie Insights
Kurio // The Social Media Age(ncy)
 

En vedette (20)

2024 State of Marketing Report – by Hubspot
2024 State of Marketing Report – by Hubspot2024 State of Marketing Report – by Hubspot
2024 State of Marketing Report – by Hubspot
 
Everything You Need To Know About ChatGPT
Everything You Need To Know About ChatGPTEverything You Need To Know About ChatGPT
Everything You Need To Know About ChatGPT
 
Product Design Trends in 2024 | Teenage Engineerings
Product Design Trends in 2024 | Teenage EngineeringsProduct Design Trends in 2024 | Teenage Engineerings
Product Design Trends in 2024 | Teenage Engineerings
 
How Race, Age and Gender Shape Attitudes Towards Mental Health
How Race, Age and Gender Shape Attitudes Towards Mental HealthHow Race, Age and Gender Shape Attitudes Towards Mental Health
How Race, Age and Gender Shape Attitudes Towards Mental Health
 
AI Trends in Creative Operations 2024 by Artwork Flow.pdf
AI Trends in Creative Operations 2024 by Artwork Flow.pdfAI Trends in Creative Operations 2024 by Artwork Flow.pdf
AI Trends in Creative Operations 2024 by Artwork Flow.pdf
 
Skeleton Culture Code
Skeleton Culture CodeSkeleton Culture Code
Skeleton Culture Code
 
PEPSICO Presentation to CAGNY Conference Feb 2024
PEPSICO Presentation to CAGNY Conference Feb 2024PEPSICO Presentation to CAGNY Conference Feb 2024
PEPSICO Presentation to CAGNY Conference Feb 2024
 
Content Methodology: A Best Practices Report (Webinar)
Content Methodology: A Best Practices Report (Webinar)Content Methodology: A Best Practices Report (Webinar)
Content Methodology: A Best Practices Report (Webinar)
 
How to Prepare For a Successful Job Search for 2024
How to Prepare For a Successful Job Search for 2024How to Prepare For a Successful Job Search for 2024
How to Prepare For a Successful Job Search for 2024
 
Social Media Marketing Trends 2024 // The Global Indie Insights
Social Media Marketing Trends 2024 // The Global Indie InsightsSocial Media Marketing Trends 2024 // The Global Indie Insights
Social Media Marketing Trends 2024 // The Global Indie Insights
 
Trends In Paid Search: Navigating The Digital Landscape In 2024
Trends In Paid Search: Navigating The Digital Landscape In 2024Trends In Paid Search: Navigating The Digital Landscape In 2024
Trends In Paid Search: Navigating The Digital Landscape In 2024
 
5 Public speaking tips from TED - Visualized summary
5 Public speaking tips from TED - Visualized summary5 Public speaking tips from TED - Visualized summary
5 Public speaking tips from TED - Visualized summary
 
ChatGPT and the Future of Work - Clark Boyd
ChatGPT and the Future of Work - Clark Boyd ChatGPT and the Future of Work - Clark Boyd
ChatGPT and the Future of Work - Clark Boyd
 
Getting into the tech field. what next
Getting into the tech field. what next Getting into the tech field. what next
Getting into the tech field. what next
 
Google's Just Not That Into You: Understanding Core Updates & Search Intent
Google's Just Not That Into You: Understanding Core Updates & Search IntentGoogle's Just Not That Into You: Understanding Core Updates & Search Intent
Google's Just Not That Into You: Understanding Core Updates & Search Intent
 
How to have difficult conversations
How to have difficult conversations How to have difficult conversations
How to have difficult conversations
 
Introduction to Data Science
Introduction to Data ScienceIntroduction to Data Science
Introduction to Data Science
 
Time Management & Productivity - Best Practices
Time Management & Productivity -  Best PracticesTime Management & Productivity -  Best Practices
Time Management & Productivity - Best Practices
 
The six step guide to practical project management
The six step guide to practical project managementThe six step guide to practical project management
The six step guide to practical project management
 
Beginners Guide to TikTok for Search - Rachel Pearson - We are Tilt __ Bright...
Beginners Guide to TikTok for Search - Rachel Pearson - We are Tilt __ Bright...Beginners Guide to TikTok for Search - Rachel Pearson - We are Tilt __ Bright...
Beginners Guide to TikTok for Search - Rachel Pearson - We are Tilt __ Bright...
 

2010-10-14 - Présentation Google Guice par Mathieu Carbou

  • 1. Dependency Injection with... Guice Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 2. About me  Mathieu Carbou  Expert Java Developer  + 6 years Open-Source projects  Code design, Web, Testing, Maven, Spring, WS, JMS, EDA, OSGI , Security, Hibernate, .... … and Google Guice !  http://code.mycila.com  http://blog.mycila.com  http://www.testatoo.org Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 3. About the next hour  Pre-DI anti-patterns  Evolutions in the Java World  DI advantages  A little word about Spring...  … and a long long time about Guice ! Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 4. Pre-DI Anti-Patterns  Manual instanciation public final class SignupService { public void signup(User user) { EmailService emailService = new EmailService(); emailService.setHost("smtp.company.com"); emailService.setPort(25); emailService.send( "killerapp@company.com", user.getEmail(), "Welcome to Killer App !"); } } Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 5. Pre-DI Anti-Patterns  Factory pattern public final class SignupService { public void signup(User user) { EmailService emailService = EmailServiceFactory.getEmailService(); emailService.send( "killerapp@company.com", user.getEmail(), "Welcome to Killer App !"); } } Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 6. Pre-DI Anti-Patterns  Service locator public void signup(User user) { // retreived from JNDI for example ServiceLocator serviceLocator = getServiceLocator(); EmailService emailService = (EmailService) serviceLocator.getService("emailService"); emailService.send( "killerapp@company.com", user.getEmail(), "Welcome to Killer App !"); } Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 7. Pre-DI Anti-Patterns  Bean factory public void signup(User user) { // retreived Spring's bean factory BeanFactory beanFactory = getBeanFactory(); EmailService emailService = (EmailService) beanFactory.getBean("emailService"); emailService.send( "killerapp@company.com", user.getEmail(), "Welcome to Killer App !"); } Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 8. Pre-DI Anti-Patterns  Design issues  Strong coupling (locator, factory, identifier)  No isolation  Difficult to test, refactor and maintain SignupService depends MailService depends depends ServiceLocator depends UserService UserRepository UserRepository Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 9. Pre-DI Anti-Patterns  Potential issues  Bad responsibility for client and user classes  Static references never garbadged-collected  Static shared access issues (concurrency)  Static lazy initialization often badly coded Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 10. Pre-DI Anti-Patterns public final class MyFactory { private static EmailService EMAIL_SERVICE; public static EmailService getEmailService() { if(EMAIL_SERVICE == null) { EMAIL_SERVICE = new EmailService(); //object initalization } return EMAIL_SERVICE; } } Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 11. Pre-DI Anti-Patterns public final class MyFactory { private static EmailService EMAIL_SERVICE; public static synchronized EmailService getEmailService() { if(EMAIL_SERVICE == null) { EMAIL_SERVICE = new EmailService(); //object initalization } return EMAIL_SERVICE; } } Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 12. Pre-DI Anti-Patterns public final class MyFactory { private MyFactory() {} public static EmailService getEmailService() { return LazyInit.EMAIL_SERVICE; } private static final class LazyInit { private static final EmailService EMAIL_SERVICE = new EmailService(); } } Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 13. Evolutions  Metadata representations  XML  Annotations  Misconception about annotations Annotations are metadata within classes introducing no dependencies at runtime. A class can be resolved even if its annotations are not in the classpath ! Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 14. Evolutions  ByteCode manipulation (ASM, proxy, ...)  JSR250 (already in JDK6, commes from J2EE)  @Resource  @PostConstruct  @PreDestroy  JSR330 (next JDK, jar available)  @Inject  @Provider  @Named  @Singleton  @Scope Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 15. Evolutions  Generics (type literals)  List<Employee> != List<User>  Some DI frameworks till rely on Class (Spring)  May crash at runtime (type erasure) !  New DI frameworks use TypeLiteral (Guice)  Errors caugth at compile time ! Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 16. Evolutions  Example: public final class FireService { final List<Employee> employees; @Inject FireService(List<Employee> employees) { this.employees = employees; } public void fireAll() { for (Employee employee : employees) employee.fire(); } } Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 17. Evolutions  Guice: Compile error ! final class FireModule extends AbstractModule { protected void configure() { bind(new TypeLiteral<List<Employee>>(){}) .toInstance(Arrays.asList(new User())); } }  Spring (xml): compiles, but fails at runtime ! <bean name="fireService" class="com.mycompany.killerapp.FireService"> <constructor-arg> <list> <bean class="com.mycompany.killerapp.User"/> </list> </constructor-arg> </bean> Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 18. DI Definition  A dependant is contacted by its dependencies  Hollywood principle: Don't call me, I'll call you Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 19. DI Definition  Example: public final class FireService { final List<Employee> employees; @Inject FireService(List<Employee> employees) { this.employees = employees; } public void fireAll() { for (Employee employee : employees) employee.fire(); } } Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 20. DI Advantages  Easier testing & refactoring  Easier maintenance  Loose coupling  Manage object lifetime  Better design and use (interfaces)  Hide implementation details  Write less code (and less bugs) Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 21. About Spring Framework  Everyone knows it  You can compare  Guice != Spring  Guice = Advanced DI framework  Spring = Integration Framework (JMX, JMS, JDBC, TX, Hibernate, ...) built upon a DI stack  You can use Spring classes with Guice Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 22. Google Guice !  Open-Sourced by Google  First public release in 2007  http://code.google.com/p/google-guice/  Project's lead: Bob Lee  Cofounder of AOP Alliance  Creator of JAdvise and Dynaop  Strong AOP background Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 23. Google Guice !  Version 3 to be released soon  Standardized DI annotations (JSR330)  Focus on:  Easy to use  Best DI capabilities  Not an integration framework Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 24. Google Guice Ecosystem  Guice Servlets (DSL, DI and lifetime management for servlets and filters) <listener> <listener-class> com.company.web.guice.GuiceConfig </listener-class> </listener> <filter> <filter-name>Guice Filter</filter-name> <filter-class> com.google.inject.servlet.GuiceFilter </filter-class> </filter> <filter-mapping> <filter-name>Guice Filter</filter-name> <url-pattern>/*</url-pattern> </filter-mapping> Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 25. Google Guice Ecosystem  Guice Servlets (DSL, DI and lifetime management for servlets and filters) protected void configureServlets() { Map<String, String> params = new HashMap<String, String>(); /* Shirio Security */ bind(IniShiroFilter.class).in(Scopes.SINGLETON); filter("/*").through(IniShiroFilter.class); /* Wicket */ params.put(WicketFilter.FILTER_MAPPING_PARAM, "/*"); filter("/page/*").through(WicketGuiceFilter.class, params); bind(WebApplication.class).to(MyApplication.class); /* Jersey */ serve("/rest/*").with(GuiceContainer.class, params); } Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 26. Google Guice Ecosystem  Guice Persistence (Hibernate, JPA, DB4O, ...) protected void configurePersistence() { workAcross(UnitOfWork.TRANSACTION).usingJpa("c4sJpaUnit"); bind(DataSource.class) .toProvider(fromJndi(DataSource.class, "jdbc/c4sDS")) .in(Singleton.class); bind(PlayerRepository.class) .to(JpaPlayerRepository.class) .in(Singleton.class); bind(TeamRepository.class) .to(JpaTeamRepository.class) .in(Singleton.class); } Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 27. Google Guice Ecosystem  Guice Persistence (Dynamic finders) public interface TeamFinder { @Finder(query="from Team") List<Team> allTeams(); } Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 28. Google Guice Ecosystem  Guice Jndi class SqlModule extends AbstractModule { protected void configure() { bind(UserRepository.class).to(SQLUserRepository.class); bind(DataSource.class) .toProvider(fromJndi(DataSource.class, "jdbc/h2DB")) .in(Singleton.class); } } Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 29. Google Guice Ecosystem  Spring Integration  Assisted inject (contextual DI) interface PaymentFactory { Payment create(Date startDate, Money amount); } // DI configuration bind(Payment.class).to(PaymentImpl.class); bind(PaymentFactory.class) .toProvider(newFactory(PaymentFactory.class, RealPayment.class)); // user code Payement pay = factory.create(today, amount); Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 30. Google Guice Ecosystem  Projects extending Guice capabilities:  Peaberry (OSGI)  Mycila-testing  Guiceyfruit (JSR250, JNDI, ...)  Mycila-guice (JSR250, scopes, module discovery, …)  GuiceBerry  [...] Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 31. Google Guice Integration Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 32. Guice relative Books Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 33. Google Guice Advantages  Easier to use, test, maintain, refactor, learn  Better power to complexity ratio than Spring  Advanced DI concepts  Favor good design  Immutability, valid objects  Thread-safe object  No more java beans constraints  Injectable DSL is possible Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 34. Google Guice Advantages  No string identifier  No more conflicts  No more responsability issue  No more XML !  Static and compile-time verification  Plus many things we'll see in details now ! Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 35. Dive into Guice  DI configuration (Java-based, DSL & Fluent API) public final class SqlModule extends AbstractModule { @Override protected void configure() { bind(UserRepository.class).to(SQLUserRepository.class); bind(DataSource.class) .toProvider(fromJndi(DataSource.class,"jdbc/myDB")) .in(Singleton.class); } @Provides Connection connection(DataSource dataSource) throws SQLException { return dataSource.getConnection(); } } Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 36. Dive into Guice  Dependency identification: Key class  Supports type literals and raw types  Bindings annotations  Static type checking  Errors caught at compile time, not at runtime Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 37. Dive into Guice  Dependency identification bind(Properties.class) .annotatedWith(named("app-settings")) .toProvider(fromJndi(Properties.class, "settings/app")); bind(new TypeLiteral<GenericRepository<Employee>>(){}) .to(EmployeeRepository.class); -------------------------------------------------------------- Key key = Key.get(new TypeLiteral<GenericRepository<Employee>>(){}); GenericRepository<Employee> repo = injector.getInstance(key) Properties props = injector.getInstance( Key.get(Properties, named("app-settings"))) Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 38. Dive into Guice  Bootstrapping Injector injector = Guice.createInjector( Stage.PRODUCTION, new MyModule(), new JSR250Module(), new SqlModule()); Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 39. Dive into Guice  Injection points: Constructors, Fields, Methods public class BasicTemplateService { @Inject UserRepository repository private final Settings settings; @Inject public BasicTemplateService(Settings settings) { this.settings = settings; } @Inject @Named("/app/messages/user") void withMessageBundle(ResourceBundle rb) { [...] } } Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 40. Dive into Guice  AOP support  Easy  All casual cases  Intercept:  Methods  Injections  Matchers  Classes  Methods Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 41. Dive into Guice  AOP support - Interceptors bindInterceptor( Matchers.inPackage(getPackage("com.company.repository")), Matchers.annotatedWith(Test.class), new MyAopAllianceInterceptor()); package com.company.repository; class MyRepository { @Test void intercepted() {} } Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 42. Dive into Guice  AOP support – Injection listeners bindListener(Matchers.any(), new TypeListener() { public <I> void hear(final TypeLiteral<I> type, final TypeEncounter<I> encounter) { System.out.println("Meeting type: " + type); encounter.register(new InjectionListener<I>() { public void afterInjection(I injectee) { System.out.println("Type has been injected"); } }); } }); Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 43. Dive into Guice  Providers  Scope widening  Delay construction class CurrentLocale { @Inject Provider<HttpServletRequest> request; public Locale get() { [...] } } Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 44. Dive into Guice  Scopes  Object lifetime management  By default: no scope  Allows objects to be garbadged-collected shortly  Misconception about singletons  @Singleton IS a scope !  Should only considered when really needed  Constructing new objects has no cost in Java Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 45. Dive into Guice  Scopes bind(JamesBondMessage.class) .in(new ExpiringSingleton(10, SECONDS)); bindScope(Concurrent.class, new ConcurrentSingleton()); bind(EnglishDataLoader.class).in(Concurrent.class); bind(FrenchDataLoader.class).in(Concurrent.class); @Concurrent class SpanishDataLoader { } Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 46. Dive into Guice  And also  Module overriding  Modules.override(...).by()...  Introspection API  Elements.getElements()  binding.acceptVisitor()  […]  Parent / Child injectors  Private / Public bindings Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com
  • 47. Guice questions ? Copyright © 2010 – Mathieu Carbou – Mycila.com - mathieu.carbou@gmail.com