Spring-11-spring-cglib-repack

在读Spring源码时看到了Spring代码中有一个Enhancer类,Spring使用CGLIB库了,为什么还要有Enhancer类?难道不会与CGLIB类冲突吗?带着以上两个疑问通读了一下S平日你改的Enhancer类,发现在setSuperclass中调用了setContextClass方法,在其周围发现了”SPRING PATCH”注释,该方法在Spring自定义的另一个类AbstractClassGenerator中添加,并且在其周围同样发现了”SPRING PATCH”注释。全局搜索了一下”SPRING PATCH”,发现在多个地方都有该注释:

从字面上理解是Spring添加的patch,用来修复什么呢?先看一下AbstractClassGenerator中contextClass字段,该属性在generate方法中用到,用作ReflectUtils.defineClass的参数,看了一下defineClass方法的注释:“on JDK 9”,恍然大悟,原来是为了兼容JDK9,并且在其git commit中也有注释:“MethodHandles.Lookup.defineClass for CGLIB class definition purposes”。

ReflectUtils的defineClass方法定义如下;

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
public static Class defineClass(String className, byte[] b, ClassLoader loader,
ProtectionDomain protectionDomain, Class<?> contextClass) throws Exception {

Class c = null;
if (contextClass != null && privateLookupInMethod != null && lookupDefineClassMethod != null) {
try {
MethodHandles.Lookup lookup = (MethodHandles.Lookup)
privateLookupInMethod.invoke(null, contextClass, MethodHandles.lookup());
c = (Class) lookupDefineClassMethod.invoke(lookup, b);
}
catch (InvocationTargetException ex) {
Throwable target = ex.getTargetException();
if (target.getClass() != LinkageError.class && target.getClass() != IllegalArgumentException.class) {
throw new CodeGenerationException(target);
}
// in case of plain LinkageError (class already defined)
// or IllegalArgumentException (class in different package):
// fall through to traditional ClassLoader.defineClass below
}
catch (Throwable ex) {
throw new CodeGenerationException(ex);
}
}
if (protectionDomain == null) {
protectionDomain = PROTECTION_DOMAIN;
}
if (c == null) {
if (classLoaderDefineClassMethod != null) {
Object[] args = new Object[]{className, b, 0, b.length, protectionDomain};
try {
if (!classLoaderDefineClassMethod.isAccessible()) {
classLoaderDefineClassMethod.setAccessible(true);
}
c = (Class) classLoaderDefineClassMethod.invoke(loader, args);
}
catch (InvocationTargetException ex) {
throw new CodeGenerationException(ex.getTargetException());
}
catch (Throwable ex) {
throw new CodeGenerationException(ex);
}
}
else {
throw new CodeGenerationException(THROWABLE);
}
}
// Force static initializers to run.
Class.forName(className, true, loader);
return c;
}

MethodHandles.privateLookupIn和MethodHandles.Lookup.defineClass方法都是Java 9以后才有的,所以为了调用Lookup中的defineClass才在一些类中添加了patch代码。自然,自定义了一些类为了防止冲突,Spring在spring-core.gradle中定义了cglibRepackJar任务,改任务会将net.sf.cglib打包成spring-cglib-repack,打包spring-core jar时会根据添加了patch类,将spring-cglib-repack中相应的类排除掉。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
jar {
// Inline repackaged cglib classes directly into spring-core jar
dependsOn cglibRepackJar
from(zipTree(cglibRepackJar.archivePath)) {
include "org/springframework/cglib/**"
exclude "org/springframework/cglib/core/AbstractClassGenerator*.class"
exclude "org/springframework/cglib/core/AsmApi*.class"
exclude "org/springframework/cglib/core/KeyFactory.class"
exclude "org/springframework/cglib/core/KeyFactory\$*.class"
exclude "org/springframework/cglib/core/ReflectUtils*.class"
exclude "org/springframework/cglib/proxy/Enhancer*.class"
exclude "org/springframework/cglib/proxy/MethodProxy*.class"
}

dependsOn objenesisRepackJar
from(zipTree(objenesisRepackJar.archivePath)) {
include "org/springframework/objenesis/**"
}
}

Spring-10-AOP-cglib

    在AopProxy接口实现中,有使用CGLIB来生成代理对象的实现,这个Proxy代理对象的生成可以在CglibAopProxy代码中看到。在这个代理对象的生成过程中,需要注意的是对Enhancer对象callback回调的设置。在Enhancer的callback回调设置中,实际是通过设置DynamicAdvisedInterceptor拦截器来实现AOP功能的,可以在getCallbacks中看到DynamicAdvisedInterceptor的设置。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
public Object getProxy(@Nullable ClassLoader classLoader) {
if (logger.isTraceEnabled()) {
logger.trace("Creating CGLIB proxy: " + this.advised.getTargetSource());
}

try {
Class<?> rootClass = this.advised.getTargetClass();
Assert.state(rootClass != null, "Target class must be available for creating a CGLIB proxy");

Class<?> proxySuperClass = rootClass;
if (ClassUtils.isCglibProxyClass(rootClass)) {
proxySuperClass = rootClass.getSuperclass();
Class<?>[] additionalInterfaces = rootClass.getInterfaces();
for (Class<?> additionalInterface : additionalInterfaces) {
this.advised.addInterface(additionalInterface);
}
}

// Validate the class, writing log messages as necessary.
validateClassIfNecessary(proxySuperClass, classLoader);

// Configure CGLIB Enhancer...
Enhancer enhancer = createEnhancer();
if (classLoader != null) {
enhancer.setClassLoader(classLoader);
if (classLoader instanceof SmartClassLoader &&
((SmartClassLoader) classLoader).isClassReloadable(proxySuperClass)) {
enhancer.setUseCache(false);
}
}
enhancer.setSuperclass(proxySuperClass);
enhancer.setInterfaces(AopProxyUtils.completeProxiedInterfaces(this.advised));
enhancer.setNamingPolicy(SpringNamingPolicy.INSTANCE);
enhancer.setStrategy(new ClassLoaderAwareUndeclaredThrowableStrategy(classLoader));

Callback[] callbacks = getCallbacks(rootClass);
Class<?>[] types = new Class<?>[callbacks.length];
for (int x = 0; x < types.length; x++) {
types[x] = callbacks[x].getClass();
}
// fixedInterceptorMap only populated at this point, after getCallbacks call above
enhancer.setCallbackFilter(new ProxyCallbackFilter(
this.advised.getConfigurationOnlyCopy(), this.fixedInterceptorMap, this.fixedInterceptorOffset));
enhancer.setCallbackTypes(types);

// Generate the proxy class and create a proxy instance.
return createProxyClassAndInstance(enhancer, callbacks);
}
catch (CodeGenerationException | IllegalArgumentException ex) {
throw new AopConfigException("Could not generate CGLIB subclass of " + this.advised.getTargetClass() +
": Common causes of this problem include using a final class or a non-visible class",
ex);
}
catch (Throwable ex) {
// TargetSource.getTarget() failed
throw new AopConfigException("Unexpected AOP exception", ex);
}
}

cglib是一个java 字节码的生成工具,它是对asm的进一步封装。

Go-标准库

archive bufio bytes compress container crypto database
debug encoding errors expvar flag fmt go
hash html image index io log match
mime net os path reflect regexp runtime
sort strconv strings sync syscall testing text
time unicode unsafe

Go-引用类型

Go语言里的引用类型有如下几个:切片、映射、通道、接口和函数类型。当声明上述类型的变量时,创建的变量被称为标头(header)值。从技术细节上说,字符串也是一种引用类型。每个应用类型创建的标头值是包含一个执行底层数据结构的指针。每个引用类型还包含一组独特的字段,用于管理底层数据结构。因为标头值是为复制而设计的,所以用与按不需要共享一个引用类型的值。标头值里包含一个指针,因此通过复制来传递一个应用类型的值的副本,本质上就是在共享底层的数据结构。

1
type IP []type

上述代码展示了一个名为IP的类型,这个类型被声明为字节切片。当腰围绕相关的内置类型或者应用类型来声明用户自定义的行为时,直接基于已有类型来声明用户定义的类型会很好用。编译器只允许为命名的用户定义的类型声明方法,如下代码所示:

1
2
3
4
5
6
7
8
9
10
11
func (ip IP) MarshalText() ([]byte, error) {
if len(ip) == 0 {
return []byre(""), nil
}

if len(ip) != IPv4len && len(ip) != IPv6len {
return nil, errors.New("invalid IP address")
}

return []byte(ip.String()), nil
}

上述代码里定义的MarshalText方法是用IP类型的值接收者声明的。一个值接受者,正像预期的那样通过复制来传递引用,从而不需要通过指针来共享应用类型的值。这种传递方法也可以应用到函数或者方法的参数传递中,以及返回值中。

1
2
3
4
5
6
7
func ipEmtpyString(ip IP) string {
if len(ip) == 0 {
return ""
}

return ip.String()
}

Spring-8-AOP设计与实现

    Spring AOP核心技术是代理,为了让Spring AOP起作用,Spring内部需要完成一系列过程,如使用JDK动态代理或者CGLIB创建代理对象,然后启动代理对象拦截器完成横切面的织入。

Spring-7-AOP基础

    AOP联盟将AOP体系从高到低分成三个层次,最高层是语言和开发环境,在这个层次中有几个重要的概念:“基础”(base)为增强对象或者说目标对象;“切面”(aspect)通常包含低于基础的增强应用;“配置”(configuration)可以视为编织,将基础和切面编织组合起来以达到对目标对象的编织。

    编织逻辑的具体实现方法有反射、程序预处理、拦截器框架、类装载器框架、元数据处理等。Spring AOP中使用的是Java语言特性如Java Proxy、拦截器等技术。

Spring-4-Bean创建

Bean实例化创建是在AbstractApplicationContext的refresh方法中开始的,具体调用时finishBeanFactoryInitialization方法。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
public void refresh() throws BeansException, IllegalStateException {
synchronized (this.startupShutdownMonitor) {
// ...

try {
//...

// 注册并实例化BeanPostProcessor
registerBeanPostProcessors(beanFactory);

// ...

// 其余Bean实例化(non-lazy-init) singletons.
finishBeanFactoryInitialization(beanFactory);

// Last step: publish corresponding event.
finishRefresh();
}

catch (BeansException ex) {
...
}

finally {
// Reset common introspection caches in Spring's core, since we
// might not ever need metadata for singleton beans anymore...
resetCommonCaches();
}
}
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
protected void finishBeanFactoryInitialization(ConfigurableListableBeanFactory beanFactory) {
// 设置ConversionService用于类型转换
if (beanFactory.containsBean(CONVERSION_SERVICE_BEAN_NAME) &&
beanFactory.isTypeMatch(CONVERSION_SERVICE_BEAN_NAME, ConversionService.class)) {
beanFactory.setConversionService(
beanFactory.getBean(CONVERSION_SERVICE_BEAN_NAME, ConversionService.class));
}

// 如果没有Register a default embedded value resolver if no bean post-processor
// (such as a PropertyPlaceholderConfigurer bean) registered any before:
// at this point, primarily for resolution in annotation attribute values.
if (!beanFactory.hasEmbeddedValueResolver()) {
beanFactory.addEmbeddedValueResolver(strVal -> getEnvironment().resolvePlaceholders(strVal));
}

// Initialize LoadTimeWeaverAware beans early to allow for registering their transformers early.
String[] weaverAwareNames = beanFactory.getBeanNamesForType(LoadTimeWeaverAware.class, false, false);
for (String weaverAwareName : weaverAwareNames) {
getBean(weaverAwareName);
}

// Stop using the temporary ClassLoader for type matching.
beanFactory.setTempClassLoader(null);

// 允许缓存所有的bean definition,不允许再修改Bean definition
beanFactory.freezeConfiguration();

// Instantiate all remaining (non-lazy-init) singletons.
// 这里开始真正的实例化单例Bean
beanFactory.preInstantiateSingletons();
}

DefaultListableBeanFactory

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
public void preInstantiateSingletons() throws BeansException {
if (logger.isTraceEnabled()) {
logger.trace("Pre-instantiating singletons in " + this);
}

// Iterate over a copy to allow for init methods which in turn register new bean definitions.
// While this may not be part of the regular factory bootstrap, it does otherwise work fine.
List<String> beanNames = new ArrayList<>(this.beanDefinitionNames);

// Trigger initialization of all non-lazy singleton beans...
for (String beanName : beanNames) {
RootBeanDefinition bd = getMergedLocalBeanDefinition(beanName);
if (!bd.isAbstract() && bd.isSingleton() && !bd.isLazyInit()) {
if (isFactoryBean(beanName)) {
Object bean = getBean(FACTORY_BEAN_PREFIX + beanName);
if (bean instanceof FactoryBean) {
final FactoryBean<?> factory = (FactoryBean<?>) bean;
boolean isEagerInit;
if (System.getSecurityManager() != null && factory instanceof SmartFactoryBean) {
isEagerInit = AccessController.doPrivileged((PrivilegedAction<Boolean>)
((SmartFactoryBean<?>) factory)::isEagerInit,
getAccessControlContext());
}
else {
isEagerInit = (factory instanceof SmartFactoryBean &&
((SmartFactoryBean<?>) factory).isEagerInit());
}
if (isEagerInit) {
getBean(beanName);
}
}
}
else {
getBean(beanName);
}
}
}

// Trigger post-initialization callback for all applicable beans...
for (String beanName : beanNames) {
Object singletonInstance = getSingleton(beanName);
if (singletonInstance instanceof SmartInitializingSingleton) {
final SmartInitializingSingleton smartSingleton = (SmartInitializingSingleton) singletonInstance;
if (System.getSecurityManager() != null) {
AccessController.doPrivileged((PrivilegedAction<Object>) () -> {
smartSingleton.afterSingletonsInstantiated();
return null;
}, getAccessControlContext());
}
else {
smartSingleton.afterSingletonsInstantiated();
}
}
}
}

Spring-3.1-Loading BeanDefinitions

BeanDefinition的自动加载

    一种是从XML中解析,二是注解自动扫描,三是显式创建并注册到BeanDefinitionRegistry中。

XML 中BeanDefinition加载

    BeanDefinition的加载,由《Spring-2-ApplicationContext》中知道obtainFreshBeanFactory会调用refreshBeanFactory和getBeanFactory方法,refreshBeanFactory方法由子类实现,实现了该方法的子类有两个:AbstractRefreshableApplicationContext和GenericApplicationContext,GenericApplicationContext的实现只是设置了序列化ID,并不提供自动扫描,这里只介绍AbstractRefreshableApplicationContext的实现。AbstractRefreshableApplicationContext的实现中调用了loadBeanDefinitions方法,该loadBeanDefinitions方法为抽象方法,将执行真正的BeanDefinition加载,具体又由它的子类去实现。AbstractRefreshableApplicationContext的子类AbstractXmlApplicationContext,AnnotationConfigWebApplicationContext,GroovyWebApplicationContext和XmlWebApplicationContext实现了该方法,而加载XML中BeanDefinition的是AbstractXmlApplicationContext和XmlWebApplicationContext子类。

    AbstractXmlApplicationContext和XmlWebApplicationContext都是通过beanDefinitionReader去加载BeanDefinition,不同的是XmlWebApplicationContext只从configLocations中读取XML,而AbstractXmlApplicationContext还会尝试从configResources读取,其实最终都会通过Resource加载XML文件。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
protected void loadBeanDefinitions(DefaultListableBeanFactory beanFactory) throws BeansException, IOException {
// Create a new XmlBeanDefinitionReader for the given BeanFactory.
XmlBeanDefinitionReader beanDefinitionReader = new XmlBeanDefinitionReader(beanFactory);

// Configure the bean definition reader with this context's
// resource loading environment.
beanDefinitionReader.setEnvironment(getEnvironment());
beanDefinitionReader.setResourceLoader(this);
// EntityResolver用于获取XSD和DTD文件,来验证Element
beanDefinitionReader.setEntityResolver(new ResourceEntityResolver(this));

// Allow a subclass to provide custom initialization of the reader,
// then proceed with actually loading the bean definitions.
initBeanDefinitionReader(beanDefinitionReader);
loadBeanDefinitions(beanDefinitionReader);
}
1
2
3
4
5
6
7
8
9
AbstractXmlApplicationContext#loadBeanDefinitions(org.springframework.beans.factory.xml.XmlBeanDefinitionReader)
AbstractBeanDefinitionReader#loadBeanDefinitions(org.springframework.core.io.Resource...)
XmlBeanDefinitionReader#loadBeanDefinitions(org.springframework.core.io.Resource)
XmlBeanDefinitionReader#loadBeanDefinitions(org.springframework.core.io.support.EncodedResource)
XmlBeanDefinitionReader#doLoadBeanDefinitions(InputSource inputSource, Resource resource)
XmlBeanDefinitionReader#registerBeanDefinitions(Document doc, Resource resource)
DefaultBeanDefinitionDocumentReader#registerBeanDefinitions(Document doc, XmlReaderContext readerContext)
DefaultBeanDefinitionDocumentReader#doRegisterBeanDefinitions(Element root)
DefaultBeanDefinitionDocumentReader#parseBeanDefinitions(Element root, BeanDefinitionParserDelegate delegate)

    在parseBeanDefinitions方法中就涉及到XML namespace处理器了,如果Element的namespaceUri为空或者为http://www.springframework.org/schema/beans则按照默认的NameSpace去处理Element,默认会处理的标签有beans、alias、bean和import;否则则会调用BeanDefinitionParserDelegate的parseCustomElement方法,尝试获取NamespaceHandler去解析XML Element。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
protected void parseBeanDefinitions(Element root, BeanDefinitionParserDelegate delegate) {
if (delegate.isDefaultNamespace(root)) {
NodeList nl = root.getChildNodes();
for (int i = 0; i < nl.getLength(); i++) {
Node node = nl.item(i);
if (node instanceof Element) {
Element ele = (Element) node;

if (delegate.isDefaultNamespace(ele)) {
parseDefaultElement(ele, delegate);
}
else {
delegate.parseCustomElement(ele);
}
}
}
}
else {
delegate.parseCustomElement(root);
}
}

BeanDefinitionParserDelegate的parseCustomElement方法:

1
2
3
4
5
6
7
8
9
10
11
12
public BeanDefinition parseCustomElement(Element ele, @Nullable BeanDefinition containingBd) {
String namespaceUri = getNamespaceURI(ele);
if (namespaceUri == null) {
return null;
}
NamespaceHandler handler = this.readerContext.getNamespaceHandlerResolver().resolve(namespaceUri);
if (handler == null) {
error("Unable to locate Spring NamespaceHandler for XML schema namespace [" + namespaceUri + "]", ele);
return null;
}
return handler.parse(ele, new ParserContext(this.readerContext, this, containingBd));
}

    自定义的NamespaceHandler是通过”META-INF/spring.handlers”文件注册的,如下图中的SofaBootNamespaceHandler。,用户通过继承NamespaceHandlerSupport类就能自定义NamespaceHandler。

    在解析XML中的元素时涉及到XML元素验证,DTD验证文件由BeansDtdResolver加载,XSD文件由PluggableSchemaResolver加载,XSD验证文件是在”META-INF/spring.shemas”属性文件中声明的,key为systemId,value为文件路径。

注解自动扫描

    AnnotationConfigWebApplicationContext实现了AbstractRefreshableApplicationContext.loadBeanDefinitions的方法,在该方法中调用ClassPathBeanDefinitionScanne.scan扫描包。

    ConfigurationClassPostProcessor实现了BeanDefinitionRegistryPostProcessor和BeanFactoryPostProcessor接口,在postProcessBeanDefinitionRegistry和postProcessBeanFactory中会调用ConfigurationClassParser解析@Configuration注解标注的类,最终会通过ComponentScanAnnotationParser调用到ClassPathBeanDefinitionScanner的doScan。此外会调用 ConfigurationClassBeanDefinitionReader的loadBeanDefinitionsForConfigurationClass处理Configuration中BeanMethod等生成ConfigurationClassBeanDefinition。

1
2
3
4
ClassPathBeanDefinitionScanner#doScan(String... basePackages)
ClassPathScanningCandidateComponentProvider#findCandidateComponents(String basePackage)
// 扫描@Component,并生成ScannedGenericBeanDefinition
ClassPathScanningCandidateComponentProvider#scanCandidateComponents

显式注册

org.springframework.beans.factory.support.BeanDefinitionRegistry#registerBeanDefinition

3789 | 3610