Spring框架之源码分析(一)和BeanFactory与ApplicationContext的区别_spring beanfactory和applicationcontext源码区别-程序员宅基地

技术标签: spring  java  spring框架  ioc  设计模式  bean  

断点调试private ApplicationContext ioc = new ClassPathXmlApplicationContext(“spring-config.xml”);

ioc容器将所有的person01/02/03/04/05都创建好,只需要简单的获取调用即可。

public ClassPathXmlApplicationContext(String configLocation) throws BeansException {
    
		this(new String[] {
    configLocation}, true, null);
	}
/**
	 * Create a new ClassPathXmlApplicationContext with the given parent,
	 * loading the definitions from the given XML files.
	 * @param configLocations array of resource locations
	 * @param refresh whether to automatically refresh the context,
	 * loading all bean definitions and creating all singletons.
	 * Alternatively, call refresh manually after further configuring the context.
	 * @param parent the parent context
	 * @throws BeansException if context creation failed
	 * @see #refresh()
	 */
	public ClassPathXmlApplicationContext(
			String[] configLocations, boolean refresh, @Nullable ApplicationContext parent)
			throws BeansException {
    

		super(parent);
		setConfigLocations(configLocations);
		if (refresh) {
    
			refresh();
		}
	}

refresh();

synchronized (this.startupShutdownMonitor) {:同步锁,确保ioc容器只被创建一次
ConfigurableListableBeanFactory beanFactory = obtainFreshBeanFactory();:解析xml文件将要创建的所有bean的配置信息保存起来
initMessageSource();:支持国际化功能
onRefresh();:留给子类的方法

finishBeanFactoryInitialization(beanFactory);初始化所有单实例bean

@Override
	public void refresh() throws BeansException, IllegalStateException {
    
		synchronized (this.startupShutdownMonitor) {
    
			// Prepare this context for refreshing.
			prepareRefresh();

			// Tell the subclass to refresh the internal bean factory.
			ConfigurableListableBeanFactory beanFactory = obtainFreshBeanFactory();

			// Prepare the bean factory for use in this context.
			prepareBeanFactory(beanFactory);

			try {
    
				// Allows post-processing of the bean factory in context subclasses.
				postProcessBeanFactory(beanFactory);

				// Invoke factory processors registered as beans in the context.
				invokeBeanFactoryPostProcessors(beanFactory);

				// Register bean processors that intercept bean creation.
				registerBeanPostProcessors(beanFactory);

				// Initialize message source for this context.
				initMessageSource();

				// Initialize event multicaster for this context.
				initApplicationEventMulticaster();

				// Initialize other special beans in specific context subclasses.
				onRefresh();

				// Check for listener beans and register them.
				registerListeners();

				// Instantiate all remaining (non-lazy-init) singletons.
				finishBeanFactoryInitialization(beanFactory);

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

			catch (BeansException ex) {
    
				if (logger.isWarnEnabled()) {
    
					logger.warn("Exception encountered during context initialization - " +
							"cancelling refresh attempt: " + ex);
				}

				// Destroy already created singletons to avoid dangling resources.
				destroyBeans();

				// Reset 'active' flag.
				cancelRefresh(ex);

				// Propagate exception to caller.
				throw ex;
			}

			finally {
    
				// Reset common introspection caches in Spring's core, since we
				// might not ever need metadata for singleton beans anymore...
				resetCommonCaches();
			}
		}
	}

AbstractApplicationContext
finishBeanFactoryInitialization(beanFactory)
beanFactory.preInstantiateSingletons();:再次进入

/**
	 * Finish the initialization of this context's bean factory,
	 * initializing all remaining singleton beans.
	 */
	protected void finishBeanFactoryInitialization(ConfigurableListableBeanFactory beanFactory) {
    
		// Initialize conversion service for this context.
		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);

		// Allow for caching all bean definition metadata, not expecting further changes.
		beanFactory.freezeConfiguration();

		// Instantiate all remaining (non-lazy-init) singletons.
		beanFactory.preInstantiateSingletons();
	}

DefaultListableBeanFactory

beanFactory.preInstantiateSingletons();

List<.String> beanNames = new ArrayList<>(this.beanDefinitionNames);:拿到所有要创建的bean的名字
RootBeanDefinition bd = getMergedLocalBeanDefinition(beanName);:根据bean的id获取到bean的定义信息
if (!bd.isAbstract() && bd.isSingleton() && !bd.isLazyInit()) {:判断bean是单实例的且不是抽象的且不是懒加载的 前提下继续
if (isFactoryBean(beanName)) {:是否是工厂bean,(并不实现FactoryBean)故 {getBean(beanName);}

@Override
	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();
				}
			}
		}
	}

AbstractBeanFactory

@Override
	public Object getBean(String name) throws BeansException {
    
		return doGetBean(name, null, null, false);
	}

doGetBean

Object sharedInstance = getSingleton(beanName);:先从已经注册的单实例bean中看有无此bean,(第一次创建bean其实无)
String[] dependsOn = mbd.getDependsOn();:拿到创建当前bean之前需要提前创建的bean。xml中配置的depends-on属性。如果有,则循环创建,但是(其实无)
if (mbd.isSingleton()):如果是单例的才创建bean

/**
	 * Return an instance, which may be shared or independent, of the specified bean.
	 * @param name the name of the bean to retrieve
	 * @param requiredType the required type of the bean to retrieve
	 * @param args arguments to use when creating a bean instance using explicit arguments
	 * (only applied when creating a new instance as opposed to retrieving an existing one)
	 * @param typeCheckOnly whether the instance is obtained for a type check,
	 * not for actual use
	 * @return an instance of the bean
	 * @throws BeansException if the bean could not be created
	 */
	@SuppressWarnings("unchecked")
	protected <T> T doGetBean(final String name, @Nullable final Class<T> requiredType,
			@Nullable final Object[] args, boolean typeCheckOnly) throws BeansException {
    

		final String beanName = transformedBeanName(name);
		Object bean;

		// Eagerly check singleton cache for manually registered singletons.
		Object sharedInstance = getSingleton(beanName);
		if (sharedInstance != null && args == null) {
    
			if (logger.isTraceEnabled()) {
    
				if (isSingletonCurrentlyInCreation(beanName)) {
    
					logger.trace("Returning eagerly cached instance of singleton bean '" + beanName +
							"' that is not fully initialized yet - a consequence of a circular reference");
				}
				else {
    
					logger.trace("Returning cached instance of singleton bean '" + beanName + "'");
				}
			}
			bean = getObjectForBeanInstance(sharedInstance, name, beanName, null);
		}

		else {
    
			// Fail if we're already creating this bean instance:
			// We're assumably within a circular reference.
			if (isPrototypeCurrentlyInCreation(beanName)) {
    
				throw new BeanCurrentlyInCreationException(beanName);
			}

			// Check if bean definition exists in this factory.
			BeanFactory parentBeanFactory = getParentBeanFactory();
			if (parentBeanFactory != null && !containsBeanDefinition(beanName)) {
    
				// Not found -> check parent.
				String nameToLookup = originalBeanName(name);
				if (parentBeanFactory instanceof AbstractBeanFactory) {
    
					return ((AbstractBeanFactory) parentBeanFactory).doGetBean(
							nameToLookup, requiredType, args, typeCheckOnly);
				}
				else if (args != null) {
    
					// Delegation to parent with explicit args.
					return (T) parentBeanFactory.getBean(nameToLookup, args);
				}
				else if (requiredType != null) {
    
					// No args -> delegate to standard getBean method.
					return parentBeanFactory.getBean(nameToLookup, requiredType);
				}
				else {
    
					return (T) parentBeanFactory.getBean(nameToLookup);
				}
			}

			if (!typeCheckOnly) {
    
				markBeanAsCreated(beanName);
			}

			try {
    
				final RootBeanDefinition mbd = getMergedLocalBeanDefinition(beanName);
				checkMergedBeanDefinition(mbd, beanName, args);

				// Guarantee initialization of beans that the current bean depends on.
				String[] dependsOn = mbd.getDependsOn();
				if (dependsOn != null) {
    
					for (String dep : dependsOn) {
    
						if (isDependent(beanName, dep)) {
    
							throw new BeanCreationException(mbd.getResourceDescription(), beanName,
									"Circular depends-on relationship between '" + beanName + "' and '" + dep + "'");
						}
						registerDependentBean(dep, beanName);
						try {
    
							getBean(dep);
						}
						catch (NoSuchBeanDefinitionException ex) {
    
							throw new BeanCreationException(mbd.getResourceDescription(), beanName,
									"'" + beanName + "' depends on missing bean '" + dep + "'", ex);
						}
					}
				}

				// Create bean instance.
				if (mbd.isSingleton()) {
    
					sharedInstance = getSingleton(beanName, () -> {
    
						try {
    
							return createBean(beanName, mbd, args);
						}
						catch (BeansException ex) {
    
							// Explicitly remove instance from singleton cache: It might have been put there
							// eagerly by the creation process, to allow for circular reference resolution.
							// Also remove any beans that received a temporary reference to the bean.
							destroySingleton(beanName);
							throw ex;
						}
					});
					bean = getObjectForBeanInstance(sharedInstance, name, beanName, mbd);
				}

				else if (mbd.isPrototype()) {
    
					// It's a prototype -> create a new instance.
					Object prototypeInstance = null;
					try {
    
						beforePrototypeCreation(beanName);
						prototypeInstance = createBean(beanName, mbd, args);
					}
					finally {
    
						afterPrototypeCreation(beanName);
					}
					bean = getObjectForBeanInstance(prototypeInstance, name, beanName, mbd);
				}

				else {
    
					String scopeName = mbd.getScope();
					final Scope scope = this.scopes.get(scopeName);
					if (scope == null) {
    
						throw new IllegalStateException("No Scope registered for scope name '" + scopeName + "'");
					}
					try {
    
						Object scopedInstance = scope.get(beanName, () -> {
    
							beforePrototypeCreation(beanName);
							try {
    
								return createBean(beanName, mbd, args);
							}
							finally {
    
								afterPrototypeCreation(beanName);
							}
						});
						bean = getObjectForBeanInstance(scopedInstance, name, beanName, mbd);
					}
					catch (IllegalStateException ex) {
    
						throw new BeanCreationException(beanName,
								"Scope '" + scopeName + "' is not active for the current thread; consider " +
								"defining a scoped proxy for this bean if you intend to refer to it from a singleton",
								ex);
					}
				}
			}
			catch (BeansException ex) {
    
				cleanupAfterBeanCreationFailure(beanName);
				throw ex;
			}
		}

		// Check if required type matches the type of the actual bean instance.
		if (requiredType != null && !requiredType.isInstance(bean)) {
    
			try {
    
				T convertedBean = getTypeConverter().convertIfNecessary(bean, requiredType);
				if (convertedBean == null) {
    
					throw new BeanNotOfRequiredTypeException(name, requiredType, bean.getClass());
				}
				return convertedBean;
			}
			catch (TypeMismatchException ex) {
    
				if (logger.isTraceEnabled()) {
    
					logger.trace("Failed to convert bean '" + name + "' to required type '" +
							ClassUtils.getQualifiedName(requiredType) + "'", ex);
				}
				throw new BeanNotOfRequiredTypeException(name, requiredType, bean.getClass());
			}
		}
		return (T) bean;
	}

DefaultSingletonBeanRegistry

getSingleton
Object singletonObject = this.singletonObjects.get(beanName);:先从一个地方将bean get出来
singletonObject = singletonFactory.getObject();:bean被创建(利用反射创建对象)
进入addSingleton(beanName, singletonObject);:添加创建的bean

public Object getSingleton(String beanName, ObjectFactory<?> singletonFactory) {
    
		Assert.notNull(beanName, "Bean name must not be null");
		synchronized (this.singletonObjects) {
    
			Object singletonObject = this.singletonObjects.get(beanName);
			if (singletonObject == null) {
    
				if (this.singletonsCurrentlyInDestruction) {
    
					throw new BeanCreationNotAllowedException(beanName,
							"Singleton bean creation not allowed while singletons of this factory are in destruction " +
							"(Do not request a bean from a BeanFactory in a destroy method implementation!)");
				}
				if (logger.isDebugEnabled()) {
    
					logger.debug("Creating shared instance of singleton bean '" + beanName + "'");
				}
				beforeSingletonCreation(beanName);
				boolean newSingleton = false;
				boolean recordSuppressedExceptions = (this.suppressedExceptions == null);
				if (recordSuppressedExceptions) {
    
					this.suppressedExceptions = new LinkedHashSet<>();
				}
				try {
    
					singletonObject = singletonFactory.getObject();
					newSingleton = true;
				}
				catch (IllegalStateException ex) {
    
					// Has the singleton object implicitly appeared in the meantime ->
					// if yes, proceed with it since the exception indicates that state.
					singletonObject = this.singletonObjects.get(beanName);
					if (singletonObject == null) {
    
						throw ex;
					}
				}
				catch (BeanCreationException ex) {
    
					if (recordSuppressedExceptions) {
    
						for (Exception suppressedException : this.suppressedExceptions) {
    
							ex.addRelatedCause(suppressedException);
						}
					}
					throw ex;
				}
				finally {
    
					if (recordSuppressedExceptions) {
    
						this.suppressedExceptions = null;
					}
					afterSingletonCreation(beanName);
				}
				if (newSingleton) {
    
					addSingleton(beanName, singletonObject);
				}
			}
			return singletonObject;
		}
	}

addSingleton
this.singletonObjects.put(beanName, singletonObject);:创建好的对象最终会被保存在一个map中。如下:

public class DefaultSingletonBeanRegistry extends SimpleAliasRegistry implements SingletonBeanRegistry {
    

	/** Cache of singleton objects: bean name to bean instance. */
	private final Map<String, Object> singletonObjects = new ConcurrentHashMap<>(256);
/**
	 * Add the given singleton object to the singleton cache of this factory.
	 * <p>To be called for eager registration of singletons.
	 * @param beanName the name of the bean
	 * @param singletonObject the singleton object
	 */
	protected void addSingleton(String beanName, Object singletonObject) {
    
		synchronized (this.singletonObjects) {
    
			this.singletonObjects.put(beanName, singletonObject);
			this.singletonFactories.remove(beanName);
			this.earlySingletonObjects.remove(beanName);
			this.registeredSingletons.add(beanName);
		}
	}

创建好的bean对象最终会保存在一个currentHashMap中,ioc容器之一:保存单实例bean的地方。

断点调试Person bean = ioc.getBean(“person04”, Person.class)

ioc容器将所有的person01/02/03/04/05都创建好,只需要简单的获取调用即可。

就是在doGetBean中Object sharedInstance = getSingleton(beanName);的map中拿取bean对象
return (T) bean;

protected <T> T doGetBean(final String name, @Nullable final Class<T> requiredType,
			@Nullable final Object[] args, boolean typeCheckOnly) throws BeansException {
    

		final String beanName = transformedBeanName(name);
		Object bean;

		// Eagerly check singleton cache for manually registered singletons.
		Object sharedInstance = getSingleton(beanName);
		if (sharedInstance != null && args == null) {
    
			if (logger.isTraceEnabled()) {
    
				if (isSingletonCurrentlyInCreation(beanName)) {
    
					logger.trace("Returning eagerly cached instance of singleton bean '" + beanName +
							"' that is not fully initialized yet - a consequence of a circular reference");
				}
				else {
    
					logger.trace("Returning cached instance of singleton bean '" + beanName + "'");
				}
			}
			bean = getObjectForBeanInstance(sharedInstance, name, beanName, null);
		}

		else {
    
			// Fail if we're already creating this bean instance:
			// We're assumably within a circular reference.
			if (isPrototypeCurrentlyInCreation(beanName)) {
    
				throw new BeanCurrentlyInCreationException(beanName);
			}

			// Check if bean definition exists in this factory.
			BeanFactory parentBeanFactory = getParentBeanFactory();
			if (parentBeanFactory != null && !containsBeanDefinition(beanName)) {
    
				// Not found -> check parent.
				String nameToLookup = originalBeanName(name);
				if (parentBeanFactory instanceof AbstractBeanFactory) {
    
					return ((AbstractBeanFactory) parentBeanFactory).doGetBean(
							nameToLookup, requiredType, args, typeCheckOnly);
				}
				else if (args != null) {
    
					// Delegation to parent with explicit args.
					return (T) parentBeanFactory.getBean(nameToLookup, args);
				}
				else if (requiredType != null) {
    
					// No args -> delegate to standard getBean method.
					return parentBeanFactory.getBean(nameToLookup, requiredType);
				}
				else {
    
					return (T) parentBeanFactory.getBean(nameToLookup);
				}
			}

			if (!typeCheckOnly) {
    
				markBeanAsCreated(beanName);
			}

			try {
    
				final RootBeanDefinition mbd = getMergedLocalBeanDefinition(beanName);
				checkMergedBeanDefinition(mbd, beanName, args);

				// Guarantee initialization of beans that the current bean depends on.
				String[] dependsOn = mbd.getDependsOn();
				if (dependsOn != null) {
    
					for (String dep : dependsOn) {
    
						if (isDependent(beanName, dep)) {
    
							throw new BeanCreationException(mbd.getResourceDescription(), beanName,
									"Circular depends-on relationship between '" + beanName + "' and '" + dep + "'");
						}
						registerDependentBean(dep, beanName);
						try {
    
							getBean(dep);
						}
						catch (NoSuchBeanDefinitionException ex) {
    
							throw new BeanCreationException(mbd.getResourceDescription(), beanName,
									"'" + beanName + "' depends on missing bean '" + dep + "'", ex);
						}
					}
				}

				// Create bean instance.
				if (mbd.isSingleton()) {
    
					sharedInstance = getSingleton(beanName, () -> {
    
						try {
    
							return createBean(beanName, mbd, args);
						}
						catch (BeansException ex) {
    
							// Explicitly remove instance from singleton cache: It might have been put there
							// eagerly by the creation process, to allow for circular reference resolution.
							// Also remove any beans that received a temporary reference to the bean.
							destroySingleton(beanName);
							throw ex;
						}
					});
					bean = getObjectForBeanInstance(sharedInstance, name, beanName, mbd);
				}

				else if (mbd.isPrototype()) {
    
					// It's a prototype -> create a new instance.
					Object prototypeInstance = null;
					try {
    
						beforePrototypeCreation(beanName);
						prototypeInstance = createBean(beanName, mbd, args);
					}
					finally {
    
						afterPrototypeCreation(beanName);
					}
					bean = getObjectForBeanInstance(prototypeInstance, name, beanName, mbd);
				}

				else {
    
					String scopeName = mbd.getScope();
					final Scope scope = this.scopes.get(scopeName);
					if (scope == null) {
    
						throw new IllegalStateException("No Scope registered for scope name '" + scopeName + "'");
					}
					try {
    
						Object scopedInstance = scope.get(beanName, () -> {
    
							beforePrototypeCreation(beanName);
							try {
    
								return createBean(beanName, mbd, args);
							}
							finally {
    
								afterPrototypeCreation(beanName);
							}
						});
						bean = getObjectForBeanInstance(scopedInstance, name, beanName, mbd);
					}
					catch (IllegalStateException ex) {
    
						throw new BeanCreationException(beanName,
								"Scope '" + scopeName + "' is not active for the current thread; consider " +
								"defining a scoped proxy for this bean if you intend to refer to it from a singleton",
								ex);
					}
				}
			}
			catch (BeansException ex) {
    
				cleanupAfterBeanCreationFailure(beanName);
				throw ex;
			}
		}

		// Check if required type matches the type of the actual bean instance.
		if (requiredType != null && !requiredType.isInstance(bean)) {
    
			try {
    
				T convertedBean = getTypeConverter().convertIfNecessary(bean, requiredType);
				if (convertedBean == null) {
    
					throw new BeanNotOfRequiredTypeException(name, requiredType, bean.getClass());
				}
				return convertedBean;
			}
			catch (TypeMismatchException ex) {
    
				if (logger.isTraceEnabled()) {
    
					logger.trace("Failed to convert bean '" + name + "' to required type '" +
							ClassUtils.getQualifiedName(requiredType) + "'", ex);
				}
				throw new BeanNotOfRequiredTypeException(name, requiredType, bean.getClass());
			}
		}
		return (T) bean;
	}

面试题:

BeanFactory和ApplicationContext的区别:

ApplicationContext(留给程序员使用的ioc容器接口)是BeanFactory(最底层接口)的子接口。

BeanFactory是bean工厂,负责创建bean实例;容器里保存的工厂创建的所有bean其实是一个currentHashMap。
ApplicationContext是容器接口,负责容器功能的实现,可以基于BeanFactory创建好的bean对象之上 完成强大的容器功能。容器可以从map中获取bean。

版权声明:本文为博主原创文章,遵循 CC 4.0 BY-SA 版权协议,转载请附上原文出处链接和本声明。
本文链接:https://blog.csdn.net/m0_47119598/article/details/111030842

智能推荐

CANoe14.0新增这些超实用小功能:主要窗口 | Panel Designer | Option CAN | Option LIN | Option Ethernet | Option J1939_canoe有哪些功能-程序员宅基地

文章浏览阅读2.4k次。CANoe是集单个ECU和整车ECU网络开发、测试和分析功能于一体的综合软件工具。由于其强大的功能,广泛的被OEM和供应商的网络设计工程师、开发和测试工程师所应用,如应用CANoe.Car2x进行C-V2X仿真测试、应用CANoe和vTESTstudio完成TC8车载以太网一致性测试、基于CANoe实现诊断Coding及Flash等,很好地帮助工程师们完成从系统设计到测试的整个开发过程。目前CANoe14.0版本已经发布一段时间了,其中增加了很多新功能,在Vector中国的微信公众号中已经对主要新功能._canoe有哪些功能

好程序员Java教程分享Java必学MySQL数据库应用场景_java开发加mysql字段场景-程序员宅基地

文章浏览阅读159次。  好程序员Java教程分享Java必学之MySQL数据库应用场景,在当前的后台开发中,MySQL应用非常普遍,企业在选拔Java人才时也会考察求职者诸如性能优化、高可用性、备份、集群、负载均衡、读写分离等问题。想要成为高薪Java工程师,一定要熟练掌握MySQL,接下来好程序员Java教程小编就给大家分享MySQL数据库应用场景知识。1、单Master单Master的情况是普遍存在的,对..._java开发加mysql字段场景

湘潭大学计算机科学与技术录取分数线,2016年湘潭大学计算机科学与技术专业在湖南录取分数线...-程序员宅基地

文章浏览阅读124次。类似问题答案2016年厦门大学计算机类(含计算机科学与技术、智能科学与技术、网络专业在湖南录取...学校 地 区 专业 年份 批次 类型 分数 厦门大学 湖南 计算机类(含计算机科学与技术、智能科学与技术、网络 2016 一批 理科 634 学校 地 区 专业 年份 批次 类型 分数 厦门大学 湖南 计算机类(含计算机科学与技术、智能科学与技术、网络 2016 一批 理科 6342016年湘潭大学..._2016湘潭大学计算机专业分数

如何自学android编程(一个大牛的经历, 以激励之)_java4android .zip 知乎-程序员宅基地

文章浏览阅读5.1k次,点赞3次,收藏15次。之前写了一篇博客 Android学习之路 被疯狂转发,带起了一阵学习Android的大风,我不晓得具体影响了多少人,但是这篇博客已经成为Android新手学习必备的资料。很多人问我是怎么一路过来的,姑且借这个机会说说我的故事吧。===============================内容有点长,大家姑且当做励志小说来看吧,对这些经历不感兴趣的可以直接看最后“如何自学Android_java4android .zip 知乎

java毕业设计球馆预约管理系统mybatis+源码+调试部署+系统+数据库+lw-程序员宅基地

文章浏览阅读446次。java毕业设计球馆预约管理系统mybatis+源码+调试部署+系统+数据库+lw。JSP基于JAVA的邮件过滤系统的设计与实现sqlserver。springboot基于SpringBoot的自助旅游导航系统。ssh基于java的网上手机销售管理系统的开发与实现mysql。jsp本科生实习管理系统的设计与实现sqlserver。JSP酒店餐饮管理系统的设计与实现sqlserver。JSP宠物食品店系统的设计与实现sqlserver。基于SSM框架的校园爱心公益平台的设计与实现。

iOS应用沙盒机制浅析_inhouse app sandbox-程序员宅基地

文章浏览阅读1.9k次。iOS应用程序只能在为该程序创建的文件系统中读取文件,不可以去其他地方访问,此区域被称为沙盒。所有的非代码文件都要保存在此,例如图像,图标,声音,属性列表(plist文件),文本文件等。沙盒机制作为一种安全体系,核心内容是:沙盒对应用程序执行各种操作的权限限制。(1)每个应用程序都有自己的存储空间;(2)应用程序不能翻过自己的围墙去访问别的存储空间的内容;(3)应用程序请求的数据都要通_inhouse app sandbox

随便推点

将Hyperledger Composer区块链业务网络部署到Hyperledger Fabric(多个组织)_fabric cello 多组织网络-程序员宅基地

文章浏览阅读765次。将Hyperledger Composer区块链业务网络部署到Hyperledger Fabric(多个组织)本教程深入介绍了跨区域链网络的配置过程,涵盖了多个组织。它概述了配置基于Hyperledger Fabric的多组织区块链网络所需的步骤。双组织区块链网络基于Hyperledger Fabric提供的示例网络。此外,它描述了在任一组织中生成必要的安全工件并保护网络的步骤。一旦配..._fabric cello 多组织网络

oracle 启动 停,oracle 启动和停止数据库-程序员宅基地

文章浏览阅读580次。oracle 启动和停止数据库启动和停止数据库例程->配置->一般信息中 启动和停止数据停止数据库应该选择:当所有事务结束时。也可以用命令启动和停止(用oracle用户登陆)启动 : lsnrctl start //启动 listersqlplus /nolog <connect sys/oracle as sysdba;startupEOF停止sqlplus /no..._数据库中的停用状态怎么写出来

pycharm中import caffe/caffe2-程序员宅基地

文章浏览阅读1.1w次。pycharm中import caffe/caffe2_import caffe

[AIGC] ComfyUI 节点解释_comfyui节点介绍-程序员宅基地

文章浏览阅读1.4k次,点赞2次,收藏4次。我们如何了解实际发生的情况以便我们可以创建和修改工作流程?要了解节点,我们必须了解一些稳定扩散的工作原理。让我们看一下默认的工作流程。如果您没有使用默认工作流程,或者您一直在搞乱界面,请单击右侧边栏上的“Load Default”。_comfyui节点介绍

C/C++:计算N的N次方的个位数(巧用快速幂与模运算性质)_用c++计算n的n次方-程序员宅基地

文章浏览阅读3k次,点赞6次,收藏18次。题目描述(源自杭电OJ):相关数学知识一:取模运算的性质a乘b的结果对p取模等于a对p取模的结果乘b对p取模的结果再整体取模于p,详见下图证明过程如下:相关数学知识二:快速幂运算 以求a的b次方为例,由于要乘b次a,此时的时间复杂度为O(b);如果要求a的的平方的b/2次,只需要乘b/2次(如果b是奇数,要再乘一个a),时间复杂度减半,以此类推,直到b=1时,此时的时间复杂度变成了log以2位到的b的对数,运算次数实现了最小化,时间复杂度为O(log以2为..._用c++计算n的n次方

(附源码)springboot+mysql+基于JAVA的学员代言人评选投票系统设计与实现 毕业设计161825_基于springboot的在线投票系统的源码有5000字代码吗-程序员宅基地

文章浏览阅读67次。学员代言人评选投票系统主要功能模块包括管理员、首页、站点管理(轮播图、公告栏)用户管理(管理员、普通用户、企业用户)内容管理(投票资讯、资讯分类)更多管理(主题类别、投票信息、用户投票、投票结果)采取面对对象的开发模式进行软件的开发和硬体的架设,能很好的满足实际使用的需求,完善了对应的软体架设以及程序编码的工作,采取MySQL作为后台数据的主要存储单元,采用java技术、Ajax技术进行业务系统的编码及其开发,实现了本系统的全部功能。_基于springboot的在线投票系统的源码有5000字代码吗

推荐文章

热门文章

相关标签