SlideShare a Scribd company logo
@NYTDevs | developers.nytimes.com
Mike Nakhimovich @FriendlyMikhail
Android Framework Team
Swordfighting with Dagger
Dependecy Injection Made Less Simple
What is Dagger?
Alternative way to instantiate and manage your
objects
● Guice - Google (Dagger v.0)
● Dagger 1 - Square
● Dagger 2 - Back to Google :-)
Why Do We Need It?
Good Code = Testable Code
Why Do We Need It?
More Tests = Less Anxiety
Why Do We Need It?
Proper Code Organization is
a requirement for testing
Untestable Code (Me in the Beginning)
public class MyClass {
private Model model;
public MyClass() {this.model = new Model();}
public String getName() {return model.getName();}
}
How can we test if model.getName() was called?
Internet Told Me to Externalize My Dependencies
public class MyClass {
...
public MyClass(Model model) {this.model = model;}
public String getName() {return model.getName();}
}...
public void testGetData(){
Model model = mock(Model.class);
when(model.getName()).thenReturn("Mike");
MyClass myClass = new MyClass(model).getName();
verify(myClass.getName()).isEq("Mike");
}
Where Does Model Come From?
Dependency Injection
to the rescue!
Dagger Helps You Externalize Object Creation
@Provides
Model provideModel(){
return new Model();
}
Provide from Modules
@Module
public class AppModule{
}
A module is a part of your application that provides some
functionality.
Provide from Modules
@Module
public class AppModule{
@Provides
Model provideModel(){
return new Model();
}
...
A module is a part of your application that provides some
functionality.
Components are Composed of Modules
@Singleton
@Component(modules = {MyModule.class})
public interface AppComponent {
void inject(MyActivity activity);
}
A Component is the manager of all your module providers
Next, Create a Component Instance
component = DaggerAppComponent.builder()
.myModule(new MyModule(this))
.build();
Register with Component
protected void onCreate(Bundle savedInstanceState) {
getApplicationComponent().inject(this);
Injection Fun
Now you can inject dependencies as fields or
constructor arguments
@Inject
Model model;
@Inject
public Presenter(Model model)
Dagger @ NY Times
Now for the
fun stuff!
50% Recipes 50% Ramblings
Dagger @ NY Times
● Module/Component Architecture
○ Working with libraries
○ Build Types & Flavors
● Scopes
○ Application
○ Activity (Now with Singletons!)
● Testing
○ Espresso
○ Unit Testing
Code Organization
How Dagger manages 6 build variants & 6+ libraries
GoogleDebug
AmazonDebug
GoogleBetaAmazonBeta
GoogleRelease
AmazonRelease
Application Scoped Modules
● App Module
● Build Type Module
● Library Module
● Flavor Module
App Module Singletons
○ Parser (configured GSON)
App Module Singletons
○ Parser (configured GSON)
○ IO Managers
App Module Singletons
○ Parser (configured GSON)
○ IO Managers
○ Configs (Analytics,AB, E-Commerce)
Example Library Module: E-Commerce
@Module
public class ECommModule {
@Provides
@Singleton
public ECommBuilder provideECommBuilder( )
E-Comm using App Module’s Dep
@Module
public class ECommModule {
@Provides
@Singleton
public ECommBuilder provideECommBuilder(ECommConfig config){
return new ECommManagerBuilder().setConfig(config);
}
Amazon & Google Flavors
● Amazon Variants needs Amazon E-Commerce
● Google Variants needs to contain Google E-Commerce
How can Dagger help?
E-Comm Qualified Provider
@Module public class ECommModule {
@Provides @Singleton
public ECommBuilder provideECommBuilder(ECommConfig config){
return new ECommManagerBuilder().setConfig(config);
}
@Provides @Singleton @Google
public ECommManager providesGoogleEComm (ECommBuilder builder,
GooglePayments googlePayments)
E-Comm Qualified Provider
@Module public class ECommModule {
@Provides @Singleton
public ECommBuilder provideECommBuilder(ECommConfig config){
return new ECommManagerBuilder().setConfig(config);
}
...
@Provides @Singleton @Amazon
public ECommManager providesAmazonEComm (ECommBuilder builder,
AmazonPayments amazonPayments)
Flavor Module: src/google & src/Amazon
@Module public class FlavorModule {
}
Flavor Module Provides Non-Qualified E-Comm
@Module public class FlavorModule {
@Singleton
@Provides
ECommManager provideECommManager(@Google ECommManager ecomm)
}
Note: Proguard strips out the other impl from Jar :-)
Type Module
Brings build specific dependencies/providers in Type Module
Type Module
Brings build specific dependencies/providers in Type Module
○ Logging
■ Most logging for Beta Build
■ No-Op Release
Type Module
Brings build specific dependencies/providers in Type Module
○ Logging
■ Most logging for Beta Build
■ No-Op Release
○ Payments
■ No-Op for debug
Type Module
● Brings build specific dependencies/providers in Type Module
○ Logging
■ Most logging for Beta Build
■ No-Op Release
○ Payments
■ No-Op for debug
○ Device ID
■ Static for Debug
Component Composition
How we combine our modules
Start with Base Component
● Base Component lives in src/main
● Contains inject(T t) for classes & Services that register
with Dagger (non flavor/build specific)
interface BaseComponent {
void inject(NYTApplication target);
}
Src/Google & Src/Amazon Contain a FlavorComponent
● Create FlavorComponent that inherits from BaseComponent
● Register inject for flavor specific classes
● Anything not in src/flavor that needs component registers here ie:
○ Messaging Service
○ Payment Activity
public interface FlavorComponent extends BaseComponent {
void inject(ADMessaging target);
}
App Component debug, beta, release
One for src/debug src/beta src/release
public interface ApplicationComponent {
}
App Component
Inherits from Flavor Component
public interface ApplicationComponent extends FlavorComponent {
}
App Component
● Adds @Component @Singleton annotations
@Singleton @Component
public interface ApplicationComponent extends FlavorComponent {
}
App Component
● Adds modules
@Singleton @Component(modules =
{ApplicationModule.class, FlavorModule.class, TypeModule.class,
AnalyticsModule.class, ECommModule.class, PushClientModule.class })
public interface ApplicationComponent extends FlavorComponent {
}
Anything registering with App Component
gains access to all providers for the Flavor/Type
Usage of Generated App
Component
App Component Factory
public class ComponentFactory {
public AppComponent buildComponent(Application context) {
return componentBuilder(context).build();
}
// We override it for functional tests.
DaggerApplicationComponent.Builder componentBuilder(Application context) {
return DaggerApplicationComponent.builder()
.applicationModule(new ApplicationModule(context)}
}
Component Instance
● NYT Application retains component
private void buildComponentAndInject() {
appComponent = componentFactory().buildComponent(this);
appComponent.inject(this);
}
public ComponentFactory componentFactory() {
return new ComponentFactory();
}
Introducing Activity Scope
Activity Component
● Inherits all “provides” from App Component
● Allows you to add “Activity Singletons”
○ 1 Per Activity
○ Many views/fragments within activity can inject same
instance
ActivityComponent
@Subcomponent(modules = {ActivityModule.class, BundleModule.class})
@ScopeActivity
public interface ActivityComponent {
void inject(ArticleView view);
}
Add to AppComponent:
Activitycomponent plusActivityComponent(ActivityModule activityModule);
ActivityComponentFactory
public final class ActivityComponentFactory {
public static ActivityComponent create(Activity activity) {
return ((NYTApp)activity.getApplicationContext).getComponent()
.plusActivityComponent(new ActivityModule(activity));
}
}
Activity Component Injection
public void onCreate(@Nullable Bundle savedInstanceState) {
activityComponent = ActivityComponentFactory.create(this);
activityComponent.inject(this);
Activity Component Modules
Activity Module
● Publish Subjects (mini bus)
● Reactive Text Resizer
● Snack Bar Util
Font Resizing
@Provides @ScopeActivity @FontBus
PublishSubject<Integer> provideFontChangeBus() {
return PublishSubject.create();
}
@Provides @ScopeActivity
FontResizer provideFontResize( @FontBus PublishSubject<Integer> fontBus) {
return new FontResizer(fontBus);
}
Usage of Font Resizer
@Inject
FontResizer fontResizer;
private void registerForFontResizing(View itemView) {
fontResizer.registerResize(itemView);
}
Usage of Font Resize “Bus”
@Inject
public SectionPresenter(@FontBus PublishSubject<Integer> fontBus) {
fontBus.subscribe(fontSize -> handleFontHasChanged());
}
Dagger helps us inject only what we need
SnackBarUtil
@ScopeActivity
public class SnackbarUtil {
@Inject Activity activity;
public Snackbar makeSnackbar(String txt, int duration) {
return Snackbar.make(...);}
}
….
In some presenter class:
public void onError(Throwable error) {
snackbarUtil.makeSnackbar(SaveHandler.SAVE_ERROR, SHORT).show();
}
Bundle Module, A Love Story
Bundle Management
Passing intent arguments to fragments/views is painful
● Need to save state
● Complexity with nested fragments
● Why we not inject intent arguments instead?
Create Bundle Service
public class BundleService {
private final Bundle data;
public BundleService(Bundle savedState, Bundle intentExtras) {
data = new Bundle();
if (savedState != null) {
data.putAll(savedState);
}
if (intentExtras != null) {
data.putAll(intentExtras);
}
}
Instantiate Bundle Service in Activity
@Override
protected void onCreate(@Nullable Bundle savedInstanceState) {
bundleService = new BundleService(savedInstanceState, getIntent().getExtras
());
//Never have to remember to save instance state again!
protected void onSaveInstanceState(Bundle outState) {
outState.putAll(bundleService.getAll());
Bind Bundle Service to Bundle Module
@Provides
@ScopeActivity
public BundleService provideBundleService(Activity context)
{
return ((Bundler) context).getBundleService();
}
Provide Individualized Intent Values
@Provides
@ScopeActivity
@AssetId
public Long provideArticleId(BundleService bundleService) {
return bundleService.get(ArticleActivity.ASSET_ID);
}
Inject Intent Values Directly into Views & Presenters
@Inject
public CommentPresenter(@AssetId String assetId){
//fetch comments for current article
}
Old Way
Normally we would have to pass assetId from:
ArticleActivity to
ArticleFragment to
CommentFragment to
CommentView to
CommentPresenter
:-l
Testing
Simple Testing
JUNIT Mockito, AssertJ
@Mock
AppPreferences prefs;
@Before public void setUp() {
inboxPref = new InboxPreferences(prefs);
}
@Test
public void testGetUserChannelPreferencesEmpty() {
when(prefs.getPreference(IUSER_CHANNELS,emptySet())) .thenReturn(null);
assertThat(inboxPref.getUserChannel()).isEmpty();
}
Testing with Dagger
Dagger BaseTestCase
public abstract class BaseTestCase extends TestCase {
protected TestComponent getTestComponent() {
final ApplicationModule applicationModule = getApplicationModule();
return Dagger2Helper.buildComponent(
TestComponent.class,
applicationModule));}
TestComponent
@Singleton
@Component(modules = {TestModule.class,ApplicationModule.class,
FlavorModule.class, TypeModule.class, AnalyticsModule.class, EcommModule.
class, PushModule.class})
public interface TestComponent {
void inject(WebViewUtilTest test);
Dagger Test with Mocks
public class WebViewUtilTest extends BaseTestCase {
@Inject NetworkStatus networkStatus;
@Inject WebViewUtil webViewUtil;
protected ApplicationModule getApplicationModule() {
return new ApplicationModule(application) {
protected NetworkStatus provideNetworkStatus() {
return mock(NetworkStatus.class);
}
};
}
Dagger Test with Mocks
public class WebViewUtilTest extends BaseTestCase {
@Inject NetworkStatus networkStatus;
@Inject WebViewUtil webViewUtil;
…
@Test
public void testNoValueOnOffline() throws Exception {
when(networkStatus.isInternetConnected()).thenReturn(false);
webViewUtil.getIntentLauncher().subscribe(intent -> {fail("intent was launched");});}
Dagger Test with Mocks Gotchas
● Must have provides method
● Must be in module you are explicitly passing into Dagger
Functional/Espresso Testing
NYTFunctionalTestApp
● Creates Component with overridden providers
NYTFunctionalTestApp
● Creates Component with overridden providers
● Mostly no-op since this is global
■ Analytics
■ AB Manager
■ Other Test impls (network, disk)
NYTFunctionalTestApp
● Creates Component with overridden providers
● Mostly no-op since this is global
■ Analytics
■ AB Manager
■ Other Test impls (network, disk)
● Functional test runner uses custom FunctTestApp
NYTFunctionalTestApp
● Creates Component with overridden providers
● Mostly no-op since this is global
■ Analytics
■ AB Manager
■ Other Test impls (network, disk)
● Functional test runner uses custom FunctTestApp
● Test run end to end otherwise
NYTFunctionalTestApp
public class NYTFunctionalTestsApp extends NYTApplication {
ComponentFactory componentFactory(Application context) {
return new ComponentFactory() {
protected DaggerApplicationComponent.Builder componentBuilder(Application context) {
return super.componentBuilder(context)
.applicationModule(new ApplicationModule(NYTFunctionalTestsApp.this) {
protected ABManager provideABManager() {
return new NoOpABManager();
}
NYTFunctionalTestRunner
public class NYTFunctionalTestsRunner extends AndroidJUnitRunner {
@Override
public Application newApplication(ClassLoader cl,String className, Context context)
{ return newApplication(NYTFunctionalTestsApp.class, context);
}
}
Sample Espresso Test
@RunWith(AndroidJUnit4.class)
public class MainScreenTests {
@Test
public void openMenuAndCheckItems() {
mainScreen
.openMenuDialog()
.assertMenuDialogContainsItemWithText(R.string.dialog_menu_font_resize)
.assertMenuDialogContainsItemWithText(R.string.action_settings);
}
@NYTDevs | developers.nytimes.com
Questions?
@NYTDevs | developers.nytimes.com
Thank You!
(We’re hiring)
@FriendlyMikhail

More Related Content

PPTX
Sword fighting with Dagger GDG-NYC Jan 2016
PDF
Dagger 2. Right way to do Dependency Injection
PPTX
Dagger 2. The Right Way to Dependency Injections
PPTX
Open sourcing the store
PPTX
Dagger for dummies
PPTX
Async task, threads, pools, and executors oh my!
PDF
Intro to Retrofit 2 and RxJava2
PDF
CDI: How do I ?
Sword fighting with Dagger GDG-NYC Jan 2016
Dagger 2. Right way to do Dependency Injection
Dagger 2. The Right Way to Dependency Injections
Open sourcing the store
Dagger for dummies
Async task, threads, pools, and executors oh my!
Intro to Retrofit 2 and RxJava2
CDI: How do I ?

What's hot (20)

PDF
Testing Android apps based on Dagger and RxJava
PDF
Dependency Injection with CDI in 15 minutes
PDF
A friend in need - A JS indeed
PDF
Sharper Better Faster Dagger ‡ - Droidcon SF
PDF
Testing Android apps based on Dagger and RxJava Droidcon UK
PPTX
Introduction to CDI and DI in Java EE 6
PPTX
Антон Минашкин "Dagger 2. Right way to do Dependency Injections"
PDF
Using hilt in a modularized project
PDF
Android programming -_pushing_the_limits
PPTX
PDF
Deep dive into Android async operations
PDF
Dagger 2 vs koin
PDF
React table tutorial use filter (part 2)
PDF
Паразитируем на React-экосистеме (Angular 4+) / Алексей Охрименко (IPONWEB)
PDF
What's Coming in Spring 3.0
PPTX
Making React Native UI Components with Swift
PPTX
Typescript barcelona
PDF
Introduction to Retrofit and RxJava
PPTX
Dagger 2 - Injeção de Dependência
Testing Android apps based on Dagger and RxJava
Dependency Injection with CDI in 15 minutes
A friend in need - A JS indeed
Sharper Better Faster Dagger ‡ - Droidcon SF
Testing Android apps based on Dagger and RxJava Droidcon UK
Introduction to CDI and DI in Java EE 6
Антон Минашкин "Dagger 2. Right way to do Dependency Injections"
Using hilt in a modularized project
Android programming -_pushing_the_limits
Deep dive into Android async operations
Dagger 2 vs koin
React table tutorial use filter (part 2)
Паразитируем на React-экосистеме (Angular 4+) / Алексей Охрименко (IPONWEB)
What's Coming in Spring 3.0
Making React Native UI Components with Swift
Typescript barcelona
Introduction to Retrofit and RxJava
Dagger 2 - Injeção de Dependência
Ad

Similar to Advanced Dagger talk from 360andev (20)

PPTX
Android architecture
PPTX
Dependency injection using dagger2
PDF
It's complicated, but it doesn't have to be: a Dagger journey
PPTX
Di &amp; dagger
PPTX
The Power of Dependency Injection with Dagger 2 and Kotlin
PDF
Using Dagger in a Clean Architecture project
PDF
Dagger for android
PPTX
Android Dagger 2
PPTX
Dependency injection using dagger 2
PDF
Dagger 2 - Ciklum Speakers' Corner
PDF
MCE^3 - Gregory Kick - Dagger 2
PDF
Dependency injection with dagger 2
PDF
Dagger 2, 2 years later
PDF
Dagger1
PDF
Di code steps
PPTX
Using and contributing to the next Guice
PPTX
Dependency Injection for Android @ Ciklum speakers corner Kiev 29. May 2014
PPTX
Dependency Injection for Android
PDF
Getting started with dagger 2
PDF
Dagger2 Intro
Android architecture
Dependency injection using dagger2
It's complicated, but it doesn't have to be: a Dagger journey
Di &amp; dagger
The Power of Dependency Injection with Dagger 2 and Kotlin
Using Dagger in a Clean Architecture project
Dagger for android
Android Dagger 2
Dependency injection using dagger 2
Dagger 2 - Ciklum Speakers' Corner
MCE^3 - Gregory Kick - Dagger 2
Dependency injection with dagger 2
Dagger 2, 2 years later
Dagger1
Di code steps
Using and contributing to the next Guice
Dependency Injection for Android @ Ciklum speakers corner Kiev 29. May 2014
Dependency Injection for Android
Getting started with dagger 2
Dagger2 Intro
Ad

Recently uploaded (20)

PDF
Navsoft: AI-Powered Business Solutions & Custom Software Development
PDF
top salesforce developer skills in 2025.pdf
PPTX
history of c programming in notes for students .pptx
PDF
Digital Strategies for Manufacturing Companies
PDF
PTS Company Brochure 2025 (1).pdf.......
PPTX
Operating system designcfffgfgggggggvggggggggg
PPTX
Essential Infomation Tech presentation.pptx
PDF
2025 Textile ERP Trends: SAP, Odoo & Oracle
PPTX
Odoo POS Development Services by CandidRoot Solutions
PDF
wealthsignaloriginal-com-DS-text-... (1).pdf
PPTX
VVF-Customer-Presentation2025-Ver1.9.pptx
PDF
Softaken Excel to vCard Converter Software.pdf
PPTX
Oracle E-Business Suite: A Comprehensive Guide for Modern Enterprises
PDF
Audit Checklist Design Aligning with ISO, IATF, and Industry Standards — Omne...
PDF
Raksha Bandhan Grocery Pricing Trends in India 2025.pdf
PDF
Adobe Illustrator 28.6 Crack My Vision of Vector Design
PDF
Claude Code: Everyone is a 10x Developer - A Comprehensive AI-Powered CLI Tool
PPTX
L1 - Introduction to python Backend.pptx
PDF
Flood Susceptibility Mapping Using Image-Based 2D-CNN Deep Learnin. Overview ...
PDF
Upgrade and Innovation Strategies for SAP ERP Customers
Navsoft: AI-Powered Business Solutions & Custom Software Development
top salesforce developer skills in 2025.pdf
history of c programming in notes for students .pptx
Digital Strategies for Manufacturing Companies
PTS Company Brochure 2025 (1).pdf.......
Operating system designcfffgfgggggggvggggggggg
Essential Infomation Tech presentation.pptx
2025 Textile ERP Trends: SAP, Odoo & Oracle
Odoo POS Development Services by CandidRoot Solutions
wealthsignaloriginal-com-DS-text-... (1).pdf
VVF-Customer-Presentation2025-Ver1.9.pptx
Softaken Excel to vCard Converter Software.pdf
Oracle E-Business Suite: A Comprehensive Guide for Modern Enterprises
Audit Checklist Design Aligning with ISO, IATF, and Industry Standards — Omne...
Raksha Bandhan Grocery Pricing Trends in India 2025.pdf
Adobe Illustrator 28.6 Crack My Vision of Vector Design
Claude Code: Everyone is a 10x Developer - A Comprehensive AI-Powered CLI Tool
L1 - Introduction to python Backend.pptx
Flood Susceptibility Mapping Using Image-Based 2D-CNN Deep Learnin. Overview ...
Upgrade and Innovation Strategies for SAP ERP Customers

Advanced Dagger talk from 360andev

  • 1. @NYTDevs | developers.nytimes.com Mike Nakhimovich @FriendlyMikhail Android Framework Team Swordfighting with Dagger Dependecy Injection Made Less Simple
  • 2. What is Dagger? Alternative way to instantiate and manage your objects ● Guice - Google (Dagger v.0) ● Dagger 1 - Square ● Dagger 2 - Back to Google :-)
  • 3. Why Do We Need It? Good Code = Testable Code
  • 4. Why Do We Need It? More Tests = Less Anxiety
  • 5. Why Do We Need It? Proper Code Organization is a requirement for testing
  • 6. Untestable Code (Me in the Beginning) public class MyClass { private Model model; public MyClass() {this.model = new Model();} public String getName() {return model.getName();} } How can we test if model.getName() was called?
  • 7. Internet Told Me to Externalize My Dependencies public class MyClass { ... public MyClass(Model model) {this.model = model;} public String getName() {return model.getName();} }... public void testGetData(){ Model model = mock(Model.class); when(model.getName()).thenReturn("Mike"); MyClass myClass = new MyClass(model).getName(); verify(myClass.getName()).isEq("Mike"); }
  • 8. Where Does Model Come From? Dependency Injection to the rescue!
  • 9. Dagger Helps You Externalize Object Creation @Provides Model provideModel(){ return new Model(); }
  • 10. Provide from Modules @Module public class AppModule{ } A module is a part of your application that provides some functionality.
  • 11. Provide from Modules @Module public class AppModule{ @Provides Model provideModel(){ return new Model(); } ... A module is a part of your application that provides some functionality.
  • 12. Components are Composed of Modules @Singleton @Component(modules = {MyModule.class}) public interface AppComponent { void inject(MyActivity activity); } A Component is the manager of all your module providers
  • 13. Next, Create a Component Instance component = DaggerAppComponent.builder() .myModule(new MyModule(this)) .build();
  • 14. Register with Component protected void onCreate(Bundle savedInstanceState) { getApplicationComponent().inject(this);
  • 15. Injection Fun Now you can inject dependencies as fields or constructor arguments @Inject Model model; @Inject public Presenter(Model model)
  • 16. Dagger @ NY Times Now for the fun stuff! 50% Recipes 50% Ramblings
  • 17. Dagger @ NY Times ● Module/Component Architecture ○ Working with libraries ○ Build Types & Flavors ● Scopes ○ Application ○ Activity (Now with Singletons!) ● Testing ○ Espresso ○ Unit Testing
  • 18. Code Organization How Dagger manages 6 build variants & 6+ libraries GoogleDebug AmazonDebug GoogleBetaAmazonBeta GoogleRelease AmazonRelease
  • 19. Application Scoped Modules ● App Module ● Build Type Module ● Library Module ● Flavor Module
  • 20. App Module Singletons ○ Parser (configured GSON)
  • 21. App Module Singletons ○ Parser (configured GSON) ○ IO Managers
  • 22. App Module Singletons ○ Parser (configured GSON) ○ IO Managers ○ Configs (Analytics,AB, E-Commerce)
  • 23. Example Library Module: E-Commerce @Module public class ECommModule { @Provides @Singleton public ECommBuilder provideECommBuilder( )
  • 24. E-Comm using App Module’s Dep @Module public class ECommModule { @Provides @Singleton public ECommBuilder provideECommBuilder(ECommConfig config){ return new ECommManagerBuilder().setConfig(config); }
  • 25. Amazon & Google Flavors ● Amazon Variants needs Amazon E-Commerce ● Google Variants needs to contain Google E-Commerce How can Dagger help?
  • 26. E-Comm Qualified Provider @Module public class ECommModule { @Provides @Singleton public ECommBuilder provideECommBuilder(ECommConfig config){ return new ECommManagerBuilder().setConfig(config); } @Provides @Singleton @Google public ECommManager providesGoogleEComm (ECommBuilder builder, GooglePayments googlePayments)
  • 27. E-Comm Qualified Provider @Module public class ECommModule { @Provides @Singleton public ECommBuilder provideECommBuilder(ECommConfig config){ return new ECommManagerBuilder().setConfig(config); } ... @Provides @Singleton @Amazon public ECommManager providesAmazonEComm (ECommBuilder builder, AmazonPayments amazonPayments)
  • 28. Flavor Module: src/google & src/Amazon @Module public class FlavorModule { }
  • 29. Flavor Module Provides Non-Qualified E-Comm @Module public class FlavorModule { @Singleton @Provides ECommManager provideECommManager(@Google ECommManager ecomm) } Note: Proguard strips out the other impl from Jar :-)
  • 30. Type Module Brings build specific dependencies/providers in Type Module
  • 31. Type Module Brings build specific dependencies/providers in Type Module ○ Logging ■ Most logging for Beta Build ■ No-Op Release
  • 32. Type Module Brings build specific dependencies/providers in Type Module ○ Logging ■ Most logging for Beta Build ■ No-Op Release ○ Payments ■ No-Op for debug
  • 33. Type Module ● Brings build specific dependencies/providers in Type Module ○ Logging ■ Most logging for Beta Build ■ No-Op Release ○ Payments ■ No-Op for debug ○ Device ID ■ Static for Debug
  • 34. Component Composition How we combine our modules
  • 35. Start with Base Component ● Base Component lives in src/main ● Contains inject(T t) for classes & Services that register with Dagger (non flavor/build specific) interface BaseComponent { void inject(NYTApplication target); }
  • 36. Src/Google & Src/Amazon Contain a FlavorComponent ● Create FlavorComponent that inherits from BaseComponent ● Register inject for flavor specific classes ● Anything not in src/flavor that needs component registers here ie: ○ Messaging Service ○ Payment Activity public interface FlavorComponent extends BaseComponent { void inject(ADMessaging target); }
  • 37. App Component debug, beta, release One for src/debug src/beta src/release public interface ApplicationComponent { }
  • 38. App Component Inherits from Flavor Component public interface ApplicationComponent extends FlavorComponent { }
  • 39. App Component ● Adds @Component @Singleton annotations @Singleton @Component public interface ApplicationComponent extends FlavorComponent { }
  • 40. App Component ● Adds modules @Singleton @Component(modules = {ApplicationModule.class, FlavorModule.class, TypeModule.class, AnalyticsModule.class, ECommModule.class, PushClientModule.class }) public interface ApplicationComponent extends FlavorComponent { }
  • 41. Anything registering with App Component gains access to all providers for the Flavor/Type
  • 42. Usage of Generated App Component
  • 43. App Component Factory public class ComponentFactory { public AppComponent buildComponent(Application context) { return componentBuilder(context).build(); } // We override it for functional tests. DaggerApplicationComponent.Builder componentBuilder(Application context) { return DaggerApplicationComponent.builder() .applicationModule(new ApplicationModule(context)} }
  • 44. Component Instance ● NYT Application retains component private void buildComponentAndInject() { appComponent = componentFactory().buildComponent(this); appComponent.inject(this); } public ComponentFactory componentFactory() { return new ComponentFactory(); }
  • 46. Activity Component ● Inherits all “provides” from App Component ● Allows you to add “Activity Singletons” ○ 1 Per Activity ○ Many views/fragments within activity can inject same instance
  • 47. ActivityComponent @Subcomponent(modules = {ActivityModule.class, BundleModule.class}) @ScopeActivity public interface ActivityComponent { void inject(ArticleView view); } Add to AppComponent: Activitycomponent plusActivityComponent(ActivityModule activityModule);
  • 48. ActivityComponentFactory public final class ActivityComponentFactory { public static ActivityComponent create(Activity activity) { return ((NYTApp)activity.getApplicationContext).getComponent() .plusActivityComponent(new ActivityModule(activity)); } }
  • 49. Activity Component Injection public void onCreate(@Nullable Bundle savedInstanceState) { activityComponent = ActivityComponentFactory.create(this); activityComponent.inject(this);
  • 51. Activity Module ● Publish Subjects (mini bus) ● Reactive Text Resizer ● Snack Bar Util
  • 52. Font Resizing @Provides @ScopeActivity @FontBus PublishSubject<Integer> provideFontChangeBus() { return PublishSubject.create(); } @Provides @ScopeActivity FontResizer provideFontResize( @FontBus PublishSubject<Integer> fontBus) { return new FontResizer(fontBus); }
  • 53. Usage of Font Resizer @Inject FontResizer fontResizer; private void registerForFontResizing(View itemView) { fontResizer.registerResize(itemView); }
  • 54. Usage of Font Resize “Bus” @Inject public SectionPresenter(@FontBus PublishSubject<Integer> fontBus) { fontBus.subscribe(fontSize -> handleFontHasChanged()); } Dagger helps us inject only what we need
  • 55. SnackBarUtil @ScopeActivity public class SnackbarUtil { @Inject Activity activity; public Snackbar makeSnackbar(String txt, int duration) { return Snackbar.make(...);} } …. In some presenter class: public void onError(Throwable error) { snackbarUtil.makeSnackbar(SaveHandler.SAVE_ERROR, SHORT).show(); }
  • 56. Bundle Module, A Love Story
  • 57. Bundle Management Passing intent arguments to fragments/views is painful ● Need to save state ● Complexity with nested fragments ● Why we not inject intent arguments instead?
  • 58. Create Bundle Service public class BundleService { private final Bundle data; public BundleService(Bundle savedState, Bundle intentExtras) { data = new Bundle(); if (savedState != null) { data.putAll(savedState); } if (intentExtras != null) { data.putAll(intentExtras); } }
  • 59. Instantiate Bundle Service in Activity @Override protected void onCreate(@Nullable Bundle savedInstanceState) { bundleService = new BundleService(savedInstanceState, getIntent().getExtras ()); //Never have to remember to save instance state again! protected void onSaveInstanceState(Bundle outState) { outState.putAll(bundleService.getAll());
  • 60. Bind Bundle Service to Bundle Module @Provides @ScopeActivity public BundleService provideBundleService(Activity context) { return ((Bundler) context).getBundleService(); }
  • 61. Provide Individualized Intent Values @Provides @ScopeActivity @AssetId public Long provideArticleId(BundleService bundleService) { return bundleService.get(ArticleActivity.ASSET_ID); }
  • 62. Inject Intent Values Directly into Views & Presenters @Inject public CommentPresenter(@AssetId String assetId){ //fetch comments for current article }
  • 63. Old Way Normally we would have to pass assetId from: ArticleActivity to ArticleFragment to CommentFragment to CommentView to CommentPresenter :-l
  • 65. Simple Testing JUNIT Mockito, AssertJ @Mock AppPreferences prefs; @Before public void setUp() { inboxPref = new InboxPreferences(prefs); } @Test public void testGetUserChannelPreferencesEmpty() { when(prefs.getPreference(IUSER_CHANNELS,emptySet())) .thenReturn(null); assertThat(inboxPref.getUserChannel()).isEmpty(); }
  • 67. Dagger BaseTestCase public abstract class BaseTestCase extends TestCase { protected TestComponent getTestComponent() { final ApplicationModule applicationModule = getApplicationModule(); return Dagger2Helper.buildComponent( TestComponent.class, applicationModule));}
  • 68. TestComponent @Singleton @Component(modules = {TestModule.class,ApplicationModule.class, FlavorModule.class, TypeModule.class, AnalyticsModule.class, EcommModule. class, PushModule.class}) public interface TestComponent { void inject(WebViewUtilTest test);
  • 69. Dagger Test with Mocks public class WebViewUtilTest extends BaseTestCase { @Inject NetworkStatus networkStatus; @Inject WebViewUtil webViewUtil; protected ApplicationModule getApplicationModule() { return new ApplicationModule(application) { protected NetworkStatus provideNetworkStatus() { return mock(NetworkStatus.class); } }; }
  • 70. Dagger Test with Mocks public class WebViewUtilTest extends BaseTestCase { @Inject NetworkStatus networkStatus; @Inject WebViewUtil webViewUtil; … @Test public void testNoValueOnOffline() throws Exception { when(networkStatus.isInternetConnected()).thenReturn(false); webViewUtil.getIntentLauncher().subscribe(intent -> {fail("intent was launched");});}
  • 71. Dagger Test with Mocks Gotchas ● Must have provides method ● Must be in module you are explicitly passing into Dagger
  • 73. NYTFunctionalTestApp ● Creates Component with overridden providers
  • 74. NYTFunctionalTestApp ● Creates Component with overridden providers ● Mostly no-op since this is global ■ Analytics ■ AB Manager ■ Other Test impls (network, disk)
  • 75. NYTFunctionalTestApp ● Creates Component with overridden providers ● Mostly no-op since this is global ■ Analytics ■ AB Manager ■ Other Test impls (network, disk) ● Functional test runner uses custom FunctTestApp
  • 76. NYTFunctionalTestApp ● Creates Component with overridden providers ● Mostly no-op since this is global ■ Analytics ■ AB Manager ■ Other Test impls (network, disk) ● Functional test runner uses custom FunctTestApp ● Test run end to end otherwise
  • 77. NYTFunctionalTestApp public class NYTFunctionalTestsApp extends NYTApplication { ComponentFactory componentFactory(Application context) { return new ComponentFactory() { protected DaggerApplicationComponent.Builder componentBuilder(Application context) { return super.componentBuilder(context) .applicationModule(new ApplicationModule(NYTFunctionalTestsApp.this) { protected ABManager provideABManager() { return new NoOpABManager(); }
  • 78. NYTFunctionalTestRunner public class NYTFunctionalTestsRunner extends AndroidJUnitRunner { @Override public Application newApplication(ClassLoader cl,String className, Context context) { return newApplication(NYTFunctionalTestsApp.class, context); } }
  • 79. Sample Espresso Test @RunWith(AndroidJUnit4.class) public class MainScreenTests { @Test public void openMenuAndCheckItems() { mainScreen .openMenuDialog() .assertMenuDialogContainsItemWithText(R.string.dialog_menu_font_resize) .assertMenuDialogContainsItemWithText(R.string.action_settings); }
  • 81. @NYTDevs | developers.nytimes.com Thank You! (We’re hiring) @FriendlyMikhail