Spring源码解读以及Spring整体结构浅析

  • BeanFactory结构图
  • Spring容器启动过程
  • Bean实例化过程

 

1、bean实现Aware接口的意义(图中检查Aware相关接口并设置相关依赖)

package com.anotation.bean;

import org.springframework.beans.BeansException;
import org.springframework.context.ApplicationContext;
import org.springframework.context.ApplicationContextAware;
import org.springframework.stereotype.Component;

import javax.annotation.PostConstruct;
import javax.annotation.PreDestroy;

@Component
public class Dog implements ApplicationContextAware {

	private String name;

	//10公;20母
	private Integer sex;
	
	private ApplicationContext applicationContext;

	public String getName() {
		return name;
	}

	public void setName(String name) {
		this.name = name;
	}

	public Integer getSex() {
		return sex;
	}

	public void setSex(Integer sex) {
		this.sex = sex;
	}

	public Dog(){
		System.out.println("dog constructor...");
	}
	
	//对象创建并赋值之后调用
	@PostConstruct
	public void init(){
		System.out.println("Dog....@PostConstruct...");
	}
	
	//容器移除对象之前调用
	@PreDestroy
	public void detory(){
		System.out.println("Dog....@PreDestroy...");
	}

	//实现ApplicationContextAware接口,并重写他的setApplicationContext()方法,可以让当前对象拥有容器的ApplicationContext引用
	@Override
	public void setApplicationContext(ApplicationContext applicationContext) throws BeansException {
		this.applicationContext = applicationContext;
	}

	@Override
	public String toString() {
		return "Dog{" + "name='" + name + '\'' + ", sex=" + sex + '}';
	}
}

2、实现BeanPostProcessor的作用:他的两个方法都传入了对象实例的引用,这为我们扩展容器的对象实例化过程中的行为提供了极大的便利,我们几乎可以对传入的对象实例做任何操作

package com.anotation.bean;

import org.springframework.beans.BeansException;
import org.springframework.beans.factory.config.BeanPostProcessor;
import org.springframework.stereotype.Component;

/**
 *
 * 创建一个BeanPost类,实现BeanPostProcessor接口。
 * 在其postProcessAfterInitialization()方法中修改通过参数传入的受管Bean,然后返回。
 * 由于它处理容器中的每一个Bean,因此在修改前,应判断Bean是否为我们要处理的Bean。
 * 可以通过传入Bean的类型判定,也可以通过传入Bean的名字判定
 *
 * @author zhengchao
 */
@Component
public class MyBeanPostProcessor implements BeanPostProcessor {

    @Override
    public Object postProcessBeforeInitialization(Object bean, String beanName) throws BeansException {

        System.out.println("postProcessBeforeInitialization..." + beanName + "=>" + bean);
        System.out.println("BeanPostProcessor.postProcessAfterInitialization 正在预处理!");
        //过滤特定类型的bean来修改bean的属性或其为其进行增强(AOP就是基于此原理)
        if ((bean instanceof Dog)){
            Dog dog = (Dog) bean;
            dog.setName("范冰冰");
            dog.setSex(20);
            return bean;
        }
        return bean;
    }

    @Override
    public Object postProcessAfterInitialization(Object bean, String beanName) throws BeansException {
        System.out.println("postProcessAfterInitialization..." + beanName + "=>" + bean);
        return bean;
    }
}

 

to be continue

發表評論
所有評論
還沒有人評論,想成為第一個評論的人麼? 請在上方評論欄輸入並且點擊發布.
相關文章