room.go 1.5 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990
  1. package server
  2. import (
  3. "sync"
  4. "go-common/app/service/main/broadcast/model"
  5. )
  6. // Room is a room.
  7. type Room struct {
  8. ID string
  9. rLock sync.RWMutex
  10. next *Channel
  11. drop bool
  12. Online int32 // dirty read is ok
  13. AllOnline int32
  14. }
  15. // NewRoom new a room struct, store channel room info.
  16. func NewRoom(id string) (r *Room) {
  17. r = new(Room)
  18. r.ID = id
  19. r.drop = false
  20. r.next = nil
  21. r.AllOnline = roomOnline(id)
  22. return
  23. }
  24. // Put put channel into the room.
  25. func (r *Room) Put(ch *Channel) (err error) {
  26. r.rLock.Lock()
  27. if !r.drop {
  28. if r.next != nil {
  29. r.next.Prev = ch
  30. }
  31. ch.Next = r.next
  32. ch.Prev = nil
  33. r.next = ch // insert to header
  34. r.Online++
  35. } else {
  36. err = ErrRoomDroped
  37. }
  38. r.rLock.Unlock()
  39. return
  40. }
  41. // Del delete channel from the room.
  42. func (r *Room) Del(ch *Channel) bool {
  43. r.rLock.Lock()
  44. if ch.Next != nil {
  45. // if not footer
  46. ch.Next.Prev = ch.Prev
  47. }
  48. if ch.Prev != nil {
  49. // if not header
  50. ch.Prev.Next = ch.Next
  51. } else {
  52. r.next = ch.Next
  53. }
  54. r.Online--
  55. r.drop = (r.Online == 0)
  56. r.rLock.Unlock()
  57. return r.drop
  58. }
  59. // Push push msg to the room, if chan full discard it.
  60. func (r *Room) Push(p *model.Proto) {
  61. r.rLock.RLock()
  62. for ch := r.next; ch != nil; ch = ch.Next {
  63. ch.Push(p)
  64. }
  65. r.rLock.RUnlock()
  66. }
  67. // Close close the room.
  68. func (r *Room) Close() {
  69. r.rLock.RLock()
  70. for ch := r.next; ch != nil; ch = ch.Next {
  71. ch.Close()
  72. }
  73. r.rLock.RUnlock()
  74. }
  75. // OnlineNum the room all online.
  76. func (r *Room) OnlineNum() int32 {
  77. if r.AllOnline > 0 {
  78. return r.AllOnline
  79. }
  80. return r.Online
  81. }