SpringBoot中自定义的普通类,工具类和main无法直接调用Controller或Service向数据库插入数据。需要先新建一个工具类,然后调用工具类来间接调用Service向数据库存数据。

原因:
Spring中的Service不是想new就能new的,因为通过new实例化的对象脱离了Spring容器的管理,获取不到注解的属性值,所以会是null,就算调用service的类中有@Component注解加入了Spring容器管理,也还是null.

下面给出一个我实际碰到的问题及解决方法:
问题背景,我自定义一个线程类接收客户端传过来的数据,通讯方式是基于TCP的Socket通讯,然后在线程类中通过方法调用Controller或Service将数据存储到数据库中。
1、首先我自定义一个线程类(注意类中含有一个带参构造函数,且controller为灰色),save()用于接收和存储数据。
在这里插入图片描述
运行后系统报错:
在这里插入图片描述

通过调试发现,在调用Controller的地方显示controller:null,不过参数record是有数据的,说明这里的没有关联到Controller(或者说是没有声明,导致为null)。
在这里插入图片描述
2、第一次尝试:用new的方式声明一个控制器。
在这里插入图片描述
结果这次controller不是空了,而且可以进入到service
在这里插入图片描述
不过Service里的recordService为null,所以还是无法向数据库存数据,没有解决问题。
在这里插入图片描述
然后看过几个csdn,有说加@Component注解的,没有解决我的问题,原因就是我自定义的类中含有带参构造函数,如果是工具类或许可以。
3、正确解决方法:
首先建立一个Spring工具类,SpringUtil。

import org.springframework.beans.BeansException;
import org.springframework.context.ApplicationContext;
import org.springframework.context.ApplicationContextAware;
import org.springframework.stereotype.Component;
 
@Component  
public class SpringUtil implements ApplicationContextAware {  
 
    private static ApplicationContext applicationContext = null;  
 
    @Override  
    public void setApplicationContext(ApplicationContext applicationContext) throws BeansException {  
        if(SpringUtil.applicationContext == null){  
            SpringUtil.applicationContext  = applicationContext;  
        }  
    }  
 
 
    //获取applicationContext  
    public static ApplicationContext getApplicationContext() {  
        return applicationContext;  
    }  
 
    //通过name获取 Bean.  
    public static Object getBean(String name){  
        return getApplicationContext().getBean(name);  
    }  
 
    //通过class获取Bean.  
    public static <T> T getBean(Class<T> clazz){  
        return getApplicationContext().getBean(clazz);  
    }  
 
    //通过name,以及Clazz返回指定的Bean  
    public static <T> T getBean(String name,Class<T> clazz){  
        return getApplicationContext().getBean(name, clazz);  
    }  
 
}  

在自定义类中通过这个工具类,访问service,进而向数据库存数据。

ApplicationContext context = SpringUtil.getApplicationContext();
CopyRecordService dataCollectionService = context.getBean(CopyRecordService.class);// 注意是Service,不是ServiceImpl
boolean result = dataCollectionService.saveOrUpdate(record);//CopyRecordService就是要调用的Service

然后问题就解决啦,而且这三行代码在main里也可以使用。

https://blog.csdn.net/ElevenMu233/article/details/96346624
https://blog.csdn.net/wqc19920906/article/details/80009929

更多推荐