1

首先,我想做长轮询通知系统。更具体地说,我会发出 http 请求,只有在 map channel 为 时才会返回响应true

这是我使用的代码块:

var MessageNotification = make(map[string]chan bool, 10)

func GetNotification(id int, timestamp int) notification {
    <-MessageNotification["1"]

    var chat_services []*models.Chat_service
    o := orm.NewOrm()

    _, err := o.QueryTable("chat_service").Filter("Sender__id", id).RelatedSel().All(&chat_services)

    if err != nil {
        return notification{Status: false}
    }
    return notification{Status: true, MessageList: chat_services}
}

func SetNotification(id int) {
    MessageNotification[strconv.Itoa(id)] <- true
}

这是控制器块:

func (c *ChatController) Notification() {

data := chat.GetNotification(1,0)

c.Data["json"] = data
c.ServeJSON()

  }


func (c *ChatController) Websocket(){


    chat.SetNotification(1)

    c.Data["json"] = "test"
    c.ServeJSON();

}

为测试创建的函数名称和变量。

没有发生错误。谢谢你的帮助。

4

1 回答 1

0

你不是在创建你的频道。

var MessageNotification = make(map[string]chan bool, 10)

这条线制作了一张容量为 10 的地图,但您并没有在地图中创建实际的通道。结果,`SetNotification["1"] 是一个 nil 通道,并且在 nil 通道上发送和接收无限期阻塞。

你需要输入

MessageNotification["1"] = make(chan bool)

如果需要,您可以包含一个大小(我预感地图中的“10”应该是该通道的缓冲)。这甚至可以有条件地完成:

func GetNotification(id int, timestamp int) notification {
    if _, ok := MessageNotification["1"]; !ok { // if map does not contain that key
        MessageNotification["1"] = make(chan bool, 10)
    }

    <-MessageNotification["1"]
    // ...
}

func SetNotification(id int) {
    if _, ok := MessageNotification[strconv.Itoa(id)]; !ok { // if map does not contain that key
        MessageNotification[strconv.Itoa(id)] = make(chan bool, 10)
    }

    MessageNotification[strconv.Itoa(id)] <- true
}

这样,尝试访问通道的第一个位置将其添加到地图并正确创建通道,因此在其上发送和接收实际上会起作用。

于 2016-07-26T15:46:00.103 回答