mirror of
				https://github.com/discourse/discourse.git
				synced 2025-02-25 18:55:32 -06:00 
			
		
		
		
	PresenceChannel aims to be a generic system for allow the server, and end-users, to track the number and identity of users performing a specific task on the site. For example, it might be used to track who is currently 'replying' to a specific topic, editing a specific wiki post, etc.
A few key pieces of information about the system:
- PresenceChannels are identified by a name of the format `/prefix/blah`, where `prefix` has been configured by some core/plugin implementation, and `blah` can be any string the implementation wants to use.
- Presence is a boolean thing - each user is either present, or not present. If a user has multiple clients 'present' in a channel, they will be deduplicated so that the user is only counted once
- Developers can configure the existence and configuration of channels 'just in time' using a callback. The result of this is cached for 2 minutes.
- Configuration of a channel can specify permissions in a similar way to MessageBus (public boolean, a list of allowed_user_ids, and a list of allowed_group_ids). A channel can also be placed in 'count_only' mode, where the identity of present users is not revealed to end-users.
- The backend implementation uses redis lua scripts, and is designed to scale well. In the future, hard limits may be introduced on the maximum number of users that can be present in a channel.
- Clients can enter/leave at will. If a client has not marked itself 'present' in the last 60 seconds, they will automatically 'leave' the channel. The JS implementation takes care of this regular check-in.
- On the client-side, PresenceChannel instances can be fetched from the `presence` ember service. Each PresenceChannel can be used entered/left/subscribed/unsubscribed, and the service will automatically deduplicate information before interacting with the server.
- When a client joins a PresenceChannel, the JS implementation will automatically make a GET request for the current channel state. To avoid this, the channel state can be serialized into one of your existing endpoints, and then passed to the `subscribe` method on the channel.
- The PresenceChannel JS object is an ember object. The `users` and `count` property can be used directly in ember templates, and in computed properties.
- It is important to make sure that you `unsubscribe()` and `leave()` any PresenceChannel objects after use
An example implementation may look something like this. On the server:
```ruby
register_presence_channel_prefix("site") do |channel|
  next nil unless channel == "/site/online"
  PresenceChannel::Config.new(public: true)
end
```
And on the client, a component could be implemented like this:
```javascript
import Component from "@ember/component";
import { inject as service } from "@ember/service";
export default Component.extend({
  presence: service(),
  init() {
    this._super(...arguments);
    this.set("presenceChannel", this.presence.getChannel("/site/online"));
  },
  didInsertElement() {
    this.presenceChannel.enter();
    this.presenceChannel.subscribe();
  },
  willDestroyElement() {
    this.presenceChannel.leave();
    this.presenceChannel.unsubscribe();
  },
});
```
With this template:
```handlebars
Online: {{presenceChannel.count}}
<ul>
  {{#each presenceChannel.users as |user|}} 
    <li>{{avatar user imageSize="tiny"}} {{user.username}}</li>
  {{/each}}
</ul>
```
		
	
		
			
				
	
	
		
			65 lines
		
	
	
		
			2.0 KiB
		
	
	
	
		
			Ruby
		
	
	
	
	
	
			
		
		
	
	
			65 lines
		
	
	
		
			2.0 KiB
		
	
	
	
		
			Ruby
		
	
	
	
	
	
| # frozen_string_literal: true
 | |
| 
 | |
| class PresenceController < ApplicationController
 | |
|   skip_before_action :check_xhr
 | |
|   before_action :ensure_logged_in, only: [:update]
 | |
| 
 | |
|   def get
 | |
|     name = params.require(:channel)
 | |
| 
 | |
|     begin
 | |
|       channel = PresenceChannel.new(name)
 | |
|     rescue PresenceChannel::NotFound
 | |
|       raise Discourse::NotFound
 | |
|     end
 | |
| 
 | |
|     if !channel.can_view?(user_id: current_user&.id)
 | |
|       # Do not reveal existence of channel
 | |
|       raise Discourse::NotFound
 | |
|     end
 | |
| 
 | |
|     state = channel.state
 | |
|     render json: state, serializer: PresenceChannelStateSerializer, root: nil
 | |
|   end
 | |
| 
 | |
|   def update
 | |
|     client_id = params[:client_id]
 | |
|     raise Discourse::InvalidParameters.new(:client_id) if !client_id.is_a?(String) || client_id.blank?
 | |
| 
 | |
|     # JS client is designed to throttle to one request every 5 seconds
 | |
|     RateLimiter.new(nil, "update-presence-#{current_user.id}-#{client_id}}", 3, 10.seconds).performed!
 | |
| 
 | |
|     present_channels = params[:present_channels]
 | |
|     if present_channels && !(present_channels.is_a?(Array) && present_channels.all? { |c| c.is_a? String })
 | |
|       raise Discourse::InvalidParameters.new(:present_channels)
 | |
|     end
 | |
| 
 | |
|     leave_channels = params[:leave_channels]
 | |
|     if leave_channels && !(leave_channels.is_a?(Array) && leave_channels.all? { |c| c.is_a? String })
 | |
|       raise Discourse::InvalidParameters.new(:leave_channels)
 | |
|     end
 | |
| 
 | |
|     if present_channels && present_channels.length > 50
 | |
|       raise Discourse::InvalidParameters.new("Too many present_channels")
 | |
|     end
 | |
| 
 | |
|     response = {}
 | |
| 
 | |
|     present_channels&.each do |name|
 | |
|       PresenceChannel.new(name).present(user_id: current_user&.id, client_id: params[:client_id])
 | |
|       response[name] = true
 | |
|     rescue PresenceChannel::NotFound, PresenceChannel::InvalidAccess
 | |
|       response[name] = false
 | |
|     end
 | |
| 
 | |
|     leave_channels&.each do |name|
 | |
|       PresenceChannel.new(name).leave(user_id: current_user&.id, client_id: params[:client_id])
 | |
|     rescue PresenceChannel::NotFound
 | |
|       # Do nothing. Don't reveal that this channel doesn't exist
 | |
|     end
 | |
| 
 | |
|     render json: response
 | |
|   end
 | |
| 
 | |
| end
 |