rabbitmq的两种配置情况

1.使用默认交换机动态注入队列名

连接配置

public class ConnectionManager{

    private Logger logger = Logger.getLogger(getClass());
    private static ConnectionManager instance = new ConnectionManager();
    
    private Map<String, Connection> connectionTable = Collections.synchronizedMap(new HashMap<>());
    private ConnectionFactory connectionFactory;
    
    public static ConnectionManager getInstance() {
        return instance;
    }
    
    private ConnectionManager(){
        initialize();
    }
    private boolean initialize(){
        InputStream inputStream = null;
        try {
            inputStream = Class.forName(ConnectionManager.class.getName()).getResourceAsStream("/rabbitmq.properties");
        } catch (ClassNotFoundException e1) {
            e1.printStackTrace();
        }
        Properties properties = new Properties();
        try {
            properties.load(inputStream);
            String host = properties.getProperty("host");
            connectionFactory = new ConnectionFactory();
            connectionFactory.setHost(host);
            connectionFactory.setAutomaticRecoveryEnabled(true);
        } catch (IOException e) {
            logger.error("load rabbirmq failed.", e);
        }
        
        return true;
    }
    
    public Connection getAndCreateConnection(String connectionName) {
        Connection connection = connectionTable.get(connectionName);
        if (connection != null && connection.isOpen()) {
            System.err.println("connection: "+connection);
            return connection;
        }
        synchronized (this) {
            connection = connectionTable.get(connectionName);
            if (connection != null) {
                return connection;
            }
            try {
                connection = connectionFactory.newConnection(connectionName);
                this.connectionTable.put(connectionName, connection);
            } catch (IOException e) {
                // TODO 可以发邮件通知消息服务器负责人,不能获取连接
                // 增加计数,当获取连接次数达到一定时,可以重启消息服务器
                e.printStackTrace();
            } catch (TimeoutException e) {
                // TODO 可以发邮件通知消息服务器负责人,不能获取连接
                e.printStackTrace();
            }
        }
        
        return connection;
    }
    
    public Connection reConnection(String connectionName) {
        Connection connection = null;
        try {
            for(;;){
                connection = getAndCreateConnection(connectionName);
                if (connection.isOpen()) {
                    break;
                }else {
                    System.err.println("connection not open");
                }
                
                Thread.sleep(100);
            }
        } catch (Exception e) {
            
        }
        return connection;
    }

}

//rabbitmq.properties 内容
//host=192.168.1.192

推送消息默认配置

public class MQDefaultPublishServiceImpl implements ShutdownListener{
    
    private final ConnectionManager connectionManager = ConnectionManager.getInstance();
    
    private String queueName = "ivg-default-queue";
    private final Object channelLock = new Object();
    
    private Map<String, Channel> channelTable = Collections.synchronizedMap(new HashMap<>());
    
    public MQDefaultPublishServiceImpl() {
        
    }

    
    public void sendMsg(byte[] body) throws IOException {
        sendMsg(body, queueName);
    }
    
    private Channel getChannel(String queueName) throws IOException {
        Channel ch = channelTable.get(queueName);
        if (ch == null) {
            synchronized (channelLock) {
                ch = channelTable.get(queueName);
                if (ch == null) {
                    Connection connection = connectionManager.reConnection(getConnectionName());
                    if (connection != null) {
                        ch = connection.createChannel();
                        ch.queueDeclare(queueName, false, false, false, null);
                        ch.addShutdownListener(this);
                        channelTable.put(queueName, ch);
                    }
                }
            }
        }
        return ch;
    }

    @Override
    public void shutdownCompleted(ShutdownSignalException cause) {
        if (cause.getReference() instanceof Channel) {
            try {
                clearChannels();
            } catch (IOException e) {
                // TODO Auto-generated catch block
                e.printStackTrace();
            } catch (TimeoutException e) {
                // TODO Auto-generated catch block
                e.printStackTrace();
            }
        }
        
    }
    
    private void clearChannels() throws IOException, TimeoutException {
        try {
            for(Channel channel:channelTable.values()){
                channel.removeShutdownListener(this);
                channel.close();
                channel = null;
            }
        } finally {
            channelTable.clear();
        }
        
    }
    
    public String getConnectionName() {
        return "default-producer";
    }

    
    
    public void sendMsg(byte[] body, String queueName) throws IOException {
        // TODO Auto-generated method stub
        Channel channel = getChannel(queueName);
        try {
            channel.basicPublish("", queueName, null, body);
        } catch (IOException | AlreadyClosedException e) {
            System.err.println(UtilAll.timeMillisToHumanString()+": sendMsg failed");
        }
    }

}

接收消息配置

public abstract class MQAbstractConsumerService implements MQConsumerService,Consumer,ShutdownListener{

    private final ConnectionManager connectionManager = ConnectionManager.getInstance();
    
    protected Channel channel = null;
    
    public MQAbstractConsumerService() {
        initialize();
    }
    
    public boolean initialize() {
        Connection connection = connectionManager.getAndCreateConnection(getConnectionName());
        if (connection.isOpen()) {
            try {
                channel = connection.createChannel();
                channel.queueDeclare(getQueueName(), false, false, false, null);
                channel.addShutdownListener(this);
                channel.basicConsume(getQueueName(), false, this);
            } catch (IOException e) {
                e.printStackTrace();
                return false;
            }
        }
        return false;
    }
    
    @Override
    public void handleConsumeOk(String consumerTag) {
        // TODO Auto-generated method stub
        
    }

    @Override
    public void handleCancelOk(String consumerTag) {
        // TODO Auto-generated method stub
        
    }

    @Override
    public void handleCancel(String consumerTag) throws IOException {
        // TODO Auto-generated method stub
        
    }

    @Override
    public void handleDelivery(String arg0, Envelope arg1, BasicProperties arg2, byte[] arg3) throws IOException {
        // TODO Auto-generated method stub
        if (!channel.isOpen()) {
            return;
        }
        
    }

    @Override
    public void handleShutdownSignal(String consumerTag, ShutdownSignalException sig) {
        // TODO Auto-generated method stub
        
    }

    @Override
    public void handleRecoverOk(String consumerTag) {
        // TODO Auto-generated method stub
        
    }
    
    @Override
    public void shutdownCompleted(ShutdownSignalException cause) {
        if (cause.getReference() instanceof Channel) {
            System.err.println(Thread.currentThread().getName()+": shutdownCompleted");
            try {
                channel.removeShutdownListener(this);
                channel.close();
                channel = null;
                Connection connection = connectionManager.reConnection(getConnectionName());
                channel = connection.createChannel();
                channel.queueDeclare(getQueueName(), false, false, false, null);
                channel.addShutdownListener(this);
                channel.basicConsume(getQueueName(), false, this);
            } catch (IOException | TimeoutException e) {
                e.printStackTrace();
            }
        }
    }
}



public class MQConsumerServiceImpl extends MQAbstractConsumerService implements MQConsumerService{

    ExecutorService executorService = Executors.newFixedThreadPool(5);
    
    private Logger logger = LoggerFactory.getLogger("MQConsumerServiceImpl");
    
    @Override
    public void handleDelivery(String arg0, Envelope envelope, BasicProperties arg2, byte[] arg3) throws IOException {
        super.handleDelivery(arg0, envelope, arg2, arg3);
        Runnable task = new Runnable() {
            
            @Override
            public void run() {
                String message = null;
                try {
                    message = new String(arg3, "UTF-8");
                } catch (UnsupportedEncodingException e1) {
                    // TODO Auto-generated catch block
                    e1.printStackTrace();
                }
                System.out.println(" [x] Received '" + message + "'");
                boolean result = false;
                try {
                    result = handleReceiveMsg(message);
                } catch (Exception e) {
                    logger.error("rabbitmq consumer error.",e);
                }
                try {
                    Thread.sleep(2000);
                } catch (InterruptedException e) {
                    // TODO Auto-generated catch block
                    e.printStackTrace();
                }
                
                try {
                    if (result) {
                        channel.basicAck(envelope.getDeliveryTag(), false);
                    }else {
                        channel.basicNack(envelope.getDeliveryTag(), false, true);
                    }
                } catch (IOException e) {
                    // TODO Auto-generated catch block
                    e.printStackTrace();
                }
            }
        };
        executorService.submit(task);
    }
    
    protected boolean handleReceiveMsg(String msg) {
        
        return true;
    }

    @Override
    public String getConnectionName() {
        return "ivg-consumer";
    }

    @Override
    public String getQueueName() {
        return "ivg-default-queue";
    }

}


/*之后只要继承MQConsumerServiceImpl 重写  
@Override
  protected boolean handleReceiveMsg(String msg) {
//这边写接收消息业务
}
*/

2.使用 RabbitTemplate

初始化绑定参数

application.properties

spring.rabbitmq.host=127.0.0.1
spring.rabbitmq.port=5672
spring.rabbitmq.username=guest
spring.rabbitmq.password=guest
spring.rabbitmq.publisher-confirms=true
spring.rabbitmq.virtual-host=/
rabbitmq.exchange=test_exchange
rabbitmq.routingkey=test_routingkey
@Configuration
public class AmqpProviderConfig {

    @Value("${rabbitmq.exchange}")
    private String exchange;

    @Value("${rabbitmq.routingkey}")
    private String routingkey;
    /** 固定内部通讯队列 ,直接写死绑定交换机与路由队列 **/
   /* @Bean
    public Queue serverInlineQueue() {
        return new Queue(routingkey);
    }*/

  /*  @Bean
    public Binding bindingServerExchange(Queue serverInlineQueue) {
        DirectExchange exchangeobj = new DirectExchange(exchange, false, true);
        
        return BindingBuilder.bind(serverInlineQueue).to(exchangeobj).with(routingkey);
    }*/
    
//这边初始化是绑定交换机,延迟绑定(调用发送方法管理界面才显示)
    @Bean
    TopicExchange exchange() {
        return new TopicExchange(exchange);
    }
}


发送消息

@Component
public class RabbitMqSend implements RabbitTemplate.ConfirmCallback {

    private static final Logger log = LoggerFactory.getLogger(RabbitMqSend.class);

    @Autowired
    private RabbitTemplate rabbitTemplate;

    @Value("${rabbitmq.exchange}")
    private String exchange;

     @Value("${rabbitmq.routingkey}")
    private String routingkey;
    /**
     * 发送方法
     * 
     * @param msg
     */
    //这边code不动态注入就直接用写死的routingkey
    public void sendMsg(String msg,String code) {
        CorrelationData correlationData = new CorrelationData(UUID.randomUUID().toString());
        //动态注入路由key
       
        rabbitTemplate.convertAndSend(exchange, code, msg, correlationData);
    }

    /**
     * 将消息发送到mq server回调
     */
    @Override
    public void confirm(CorrelationData correlationData, boolean ack, String cause) {
        // TODO Auto-generated method stub
        log.debug("send id:" + correlationData.getId());
        if (ack) {// 调用成功
            log.warn(correlationData.getId() + ":" + "发送成功.");
        } else {
            log.warn(correlationData.getId() + ":" + "发送失败.");
        }
    }

}

  • 动态绑定需要自己 在后台管理界面 手动将路由队列绑定到交换机
    先创建队列,然后将其绑定到交换机


    1519874501(1).jpg

以上
best wishes

最后编辑于
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 216,001评论 6 498
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 92,210评论 3 392
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 161,874评论 0 351
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 58,001评论 1 291
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 67,022评论 6 388
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 51,005评论 1 295
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 39,929评论 3 416
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 38,742评论 0 271
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 45,193评论 1 309
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 37,427评论 2 331
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 39,583评论 1 346
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 35,305评论 5 342
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 40,911评论 3 325
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 31,564评论 0 21
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 32,731评论 1 268
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 47,581评论 2 368
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 44,478评论 2 352

推荐阅读更多精彩内容

  • Spring Cloud为开发人员提供了快速构建分布式系统中一些常见模式的工具(例如配置管理,服务发现,断路器,智...
    卡卡罗2017阅读 134,650评论 18 139
  • Spring Boot 参考指南 介绍 转载自:https://www.gitbook.com/book/qbgb...
    毛宇鹏阅读 46,802评论 6 342
  • http://liuxing.info/2017/06/30/Spring%20AMQP%E4%B8%AD%E6%...
    sherlock_6981阅读 15,906评论 2 11
  • 如果有一天,你找不到我了,千万不要难过,不是我不爱你了,也不是你错过我了,而是我终于有了勇气离开,但请你记得,在这...
    MSX9255阅读 122评论 0 0
  • 企业列表: 一、重庆安运科技股份有限公司 - 安运科技(430562.OC) 二、第二家企业
    重庆新三板服务中心阅读 219评论 0 0