Так что я иногда очень скучаю по инъекции зависимостей старой школы. Когда Spring был еще «легковесным», мы с радостью настраивали все наши bean-компоненты в файле application.xml с конфигурацией xml-компонента « Learn-in-a-day » Spring. Недостатками этого были, конечно, потеря безопасности типа. Я могу вспомнить несколько тестовых случаев, единственная цель которых состояла в том, чтобы загрузить файл конфигурации Spring, и просто посмотреть, запускается ли ApplicationContext без ошибок из-за неправильного подключения и правильного разрешения включенных XML-файлов конфигурации bean.
Я могу быть меньшинством, но мне никогда не нравилась конфигурация Spring Schema. Для меня это похоже на конфигурацию для конфигурации.
Появились аннотации и улучшились вещи с оговоркой, что вам нужно импортировать библиотеки для всех этих аннотаций. Мне нравятся аннотации, но есть хороший случай, когда вся ваша информация DI находится в центральном месте, чтобы вы могли увидеть, как ваше приложение висит вместе. Наконец, иногда вам нужно создавать управляемые объекты, которые вы не можете комментировать.
Конфигурация Java Spring делает вещи лучше с безопасностью времени компиляции, но я должен был переосмыслить способ, которым я сделал большую часть моей проводки, поскольку я должен был быть осторожным, как я сделал свою проводку, поскольку я потерял часть ленивого eval, который вы получаете в Контекст Spring, как ваш Java-код, оценивается сразу после запуска ApplicationContext .
Итак, DI на основе Java — это хорошо, но как мы можем использовать Java 8.0 для его улучшения?
Примените этот лямбда-молот
Right so this is the part of the post that starts applying the new hammer in Java 8.0:Lambdas.
Firstly Lambdas give a type safe way of deferring execution till it’s needed.
So, lets first create a wrapper object called «ObjectDefinition» who’s job it is to define how an object should be created and wired with various values. It works by instantiating the class we want to create and object from (In this case we have a class called «MyObject«). We also give it a list of java.util.function.BiConsumer interfaces which are mapped to a specific value. This list will be used to perform the actual task of setting values on the object.
ObjectDefintion then instantiates the object using normal reflection and then runs though this list of BiConsumer interfaces, passing the the instance of the concrete object and the mapped value.
Assuming we give our ObjectDefinition a fluent DSL we can do the following to define the object by adding the set() method which takes a BiConsumer and the value to set and populates the BiConsumer list as follows:
MyObject result = new ObjectDefinition() .type(MyObject.class) .set((myObject, value)-> myObject.setA(value), "hello world") .set((myObject, value)-> myObject.setB(value), "hallo welt") .create();
The
create() method simply instantiates a
MyObject instance and then runs through the list of BiConsumers and invokes them passing the mapped value.
Method pointers??!! in Java??!! (Well Kinda)
Method references allow you to map to an arbitrary instance of an object provided that the first parameter of that method is that instance value, and the subsequent parameters match it’s parameter list.
This allows us to map a BiConsumer to a setter where the first parameter is the target instance and the second parameter is the value passed to the setter:
MyObject result = new ObjectDefinition() .type(MyObject.class) .set(MyObject::setA, "hello world") .set(MyObject::setB, "hallo welt") .create(); String myString = container.get(MyObject.class);
Method references provide an interesting feature in that it provides a way of passing a reference to a method in a completely type safe manner. All the examples require the correct types and values to be set and the setter method needs to correspond to that type.
It’s Container Time
So now we have a nice little DSL for building objects, but what about sticking it into a container and allowing our ObjectDefinition to inject references to other values.
Well, assuming we have this container, which conveniently provides a
build() method which provides a hook to add new ObjectDefinitions.
We now have a container we can use to inject different objects in that container:
Container container = create((builder) -> { builder .define(MyObject.class) .set(MyObject::setA, "hello world"); });
Our Container object has the
define() method which creates an instance of an ObjectDefinition, which is then used to define how the object is created.
But what about dependencies?
To this end we add the
inject() method to our ObjectDefinition type, this can then be used to reference another object in the container by it’s type:
Container container = create((builder) -> { builder.define(String.class) .args("hello world"); builder.define(MyObject.class) .inject(MyObject::setA,String.class); }); MyObject myString = container.get(MyObject.class);
String (the
args() method here is method which can map values to the the constructor of an object). We then inject this String calling the
inject() method.
Cycle of Life.
Assuming we want to run an initialisation method after all the values have been set, we simply add a new Functional interface which is invoked after all the values are set.
Here we use the a
java.util.function.Consumer interface where the parameter is the instance we want to call the initialisation code on.
Container container = create((builder) -> { builder.define(MyObject.class) .set(MyObject::setA,"hello world") .initWith(MyObject::start); }); MyObject myString = container.get(MyObject.class);
In this example we added a
start() method to our MyObject class. This is then passed to the ObjectDefinition as a Consumer via the
initWith() method.
Yet Another Dependency Injection Container
YADI Container, which stands for
Yet
Another
Dependancy
Injection
Container.
The code is available on Github at
https://github.com/jexenberger/yadi. And is licensed under an Apache License.