Многопользовательский опросник Blazor - PullRequest
0 голосов
/ 29 мая 2020

Мне нужно создать приложение, которое в основном функционирует как многопользовательская анкета в реальном времени или мелочи.

Я дошел до того момента, когда я создал анкету и связанных с ней пользователей, но я Нахожусь на преграде на пути go вперед.

В основном то, что мне нужно сделать дальше, это Для каждого вопроса в анкете:

1) попросите сервер отправить пользователям вопрос

2) дождаться всех пользователи должны ответить или установить период ожидания

3) отображать пользователям страницу результатов вопроса

Мне было интересно, как мне попытаться сделать что-то подобное. Любая помощь или ресурсы были бы замечательными

1 Ответ

2 голосов
/ 29 мая 2020

Я создаю чат-приложение, которое имеет что-то очень похожее с использованием Server Side Blazor.

Я ввел созданный мной класс SubscriberService:

@inject Services.SubscriberService SubscriberService

Затем в мой метод ConfigureServices в Startup.cs. Я добавляю это:

services.AddSingleton<SubscriberService>(); 

Добавить синглтон означает, что для всех экземпляров вашего браузера (пользователей) будет создан только 1 экземпляр.

Это делает мои службы подписчика доступный для всех моих подписчиков, это просто имя, идентификатор Guid и делегат обратного вызова

#region using statements

using DataJuggler.UltimateHelper.Core;
using System;
using System.Collections.Generic;
using System.Linq;
using System.Threading.Tasks;
using System.Transactions;

#endregion

namespace BlazorChat.Services
{

    #region class SubscriberService
    /// <summary>
    /// This class is used to subscribe to services, so other windows get a notification a new message 
    /// came in.
    /// </summary>
    public class SubscriberService
    {

        #region Private Variables
        private int count;
        private Guid serverId;
        private List<SubscriberCallback> subscribers;
        #endregion

        #region Constructor
        /// <summary>
        /// Create a new instance of a 'SubscriberService' object.
        /// </summary>
        public SubscriberService()
        {
            // Create a new Guid
            this.ServerId = Guid.NewGuid();
            Subscribers = new List<SubscriberCallback>();
        }
        #endregion

        #region Methods

            #region BroadcastMessage(SubscriberMessage message)
            /// <summary>
            /// This method Broadcasts a Message to everyone that ins't blocked.
            /// Note To Self: Add Blocked Feature
            /// </summary>
            public void BroadcastMessage(SubscriberMessage message)
            {
                // if the value for HasSubscribers is true
                if ((HasSubscribers) && (NullHelper.Exists(message)))
                {   
                    // Iterate the collection of SubscriberCallback objects
                    foreach (SubscriberCallback subscriber in Subscribers)
                    {
                        // if the Callback exists
                        if ((subscriber.HasCallback) && (subscriber.Id != message.FromId))
                        {
                            // to do: Add if not blocked

                            // send the message
                            subscriber.Callback(message);
                        }
                    }
                }
            }
            #endregion

            #region GetSubscriberNames()
            /// <summary>
            /// This method returns a list of Subscriber Names ()
            /// </summary>
            public List<string> GetSubscriberNames()
            {
                // initial value
                List<string> subscriberNames = null;

                // if the value for HasSubscribers is true
                if (HasSubscribers)
                {
                    // create the return value
                    subscriberNames = new List<string>();

                    // Get the SubscriberNamesl in alphabetical order
                    List<SubscriberCallback> sortedNames = Subscribers.OrderBy(x => x.Name).ToList();

                    // Iterate the collection of SubscriberService objects
                    foreach (SubscriberCallback subscriber in sortedNames)
                    {
                        // Add this name
                        subscriberNames.Add(subscriber.Name);
                    }
                }

                // return value
                return subscriberNames;
            }
            #endregion

            #region Subscribe(string subscriberName)
            /// <summary>
            /// method returns a message with their id
            /// </summary>
            public SubscriberMessage Subscribe(SubscriberCallback subscriber)
            {
                // initial value
                SubscriberMessage message = null;

                // If the subscriber object exists
                if ((NullHelper.Exists(subscriber)) && (HasSubscribers))
                {
                    // Add this item
                    Subscribers.Add(subscriber);    

                    // return a test message for now
                    message = new SubscriberMessage();

                    // set the message return properties
                    message.FromName = "Subscriber Service";
                    message.FromId = ServerId;
                    message.ToName = subscriber.Name;
                    message.ToId = subscriber.Id;
                    message.Data = Subscribers.Count.ToString();
                    message.Text = "Subscribed";
                }

                // return value
                return message;
            }
            #endregion

            #region Unsubscribe(Guid id)
            /// <summary>
            /// This method Unsubscribe
            /// </summary>
            public void Unsubscribe(Guid id)
            {
                // if the value for HasSubscribers is true
                if ((HasSubscribers) && (Subscribers.Count > 0))
                {
                    // attempt to find this callback
                    SubscriberCallback callback = Subscribers.FirstOrDefault(x => x.Id == id);

                    // If the callback object exists
                    if (NullHelper.Exists(callback))
                    {
                        // Remove this item
                        Subscribers.Remove(callback);

                         // create a new message
                        SubscriberMessage message = new SubscriberMessage();

                        // set the message return properties
                        message.FromId = ServerId;
                        message.FromName = "Subscriber Service";
                        message.Text = callback.Name + " has left the conversation.";
                        message.ToId = Guid.Empty;
                        message.ToName = "Room";

                        // Broadcast the message to everyone
                        BroadcastMessage(message);
                    }
                }
            }
            #endregion

        #endregion

        #region Properties

            #region Count
            /// <summary>
            /// This property gets or sets the value for 'Count'.
            /// </summary>
            public int Count
            {
                get { return count; }
                set { count = value; }
            }
            #endregion

            #region HasSubscribers
            /// <summary>
            /// This property returns true if this object has a 'Subscribers'.
            /// </summary>
            public bool HasSubscribers
            {
                get
                {
                    // initial value
                    bool hasSubscribers = (this.Subscribers != null);

                    // return value
                    return hasSubscribers;
                }
            }
            #endregion

            #region ServerId
            /// <summary>
            /// This property gets or sets the value for 'ServerId'.
            /// </summary>
            public Guid ServerId
            {
                get { return serverId; }
                set { serverId = value; }
            }
            #endregion

            #region Subscribers
            /// <summary>
            /// This property gets or sets the value for 'Subscribers'.
            /// </summary>
            public List<SubscriberCallback> Subscribers
            {
                get { return subscribers; }
                set { subscribers = value; }
            }
            #endregion

        #endregion

    }
    #endregion

}

Вот мой SubscriberCallback.cs:

#region using statements

using System;
using System.Collections.Generic;
using System.Linq;
using System.Runtime.InteropServices;
using System.Threading.Tasks;

#endregion

namespace BlazorChat
{

    #region class SubscriberCallback
    /// <summary>
    /// This class is used to register a subscriber with the ChatService
    /// </summary>
    public class SubscriberCallback
    {

        #region Private Variables
        private string name;
        private Guid id;
        private Callback callback;
        private List<Guid> blockedList;
        #endregion

        #region Constructor
        /// <summary>
        /// Create a new instance of a SubscriberCallback instance
        /// </summary>
        public SubscriberCallback(string name)
        {
            // store the Name
            Name = name;

            // Create the Id
            Id = Guid.NewGuid();

            // create a BlockedList
            BlockedList = new List<Guid>();
        }
        #endregion

        #region Methods

            #region ToString()
            /// <summary>
            /// This method is used to return the Name of the Subscriber when ToString is called.
            /// </summary>
            /// <returns></returns>
            public override string ToString()
            {
                // return the Name when ToString is called
                return this.Name;
            }
            #endregion

        #endregion

        #region Properties

        #region BlockedList
        /// <summary>
        /// This property gets or sets the value for 'BlockedList'.
        /// </summary>
        public List<Guid> BlockedList
            {
                get { return blockedList; }
                set { blockedList = value; }
            }
            #endregion

            #region Callback
            /// <summary>
            /// This property gets or sets the value for 'Callback'.
            /// </summary>
            public Callback Callback
            {
                get { return callback; }
                set { callback = value; }
            }
            #endregion

            #region HasBlockedList
            /// <summary>
            /// This property returns true if this object has a 'BlockedList'.
            /// </summary>
            public bool HasBlockedList
            {
                get
                {
                    // initial value
                    bool hasBlockedList = (this.BlockedList != null);

                    // return value
                    return hasBlockedList;
                }
            }
            #endregion

            #region HasCallback
            /// <summary>
            /// This property returns true if this object has a 'Callback'.
            /// </summary>
            public bool HasCallback
            {
                get
                {
                    // initial value
                    bool hasCallback = (this.Callback != null);

                    // return value
                    return hasCallback;
                }
            }
            #endregion

            #region HasName
            /// <summary>
            /// This property returns true if the 'Name' exists.
            /// </summary>
            public bool HasName
            {
                get
                {
                    // initial value
                    bool hasName = (!String.IsNullOrEmpty(this.Name));

                    // return value
                    return hasName;
                }
            }
            #endregion

            #region Id
            /// <summary>
            /// This property gets or sets the value for 'Id'.
            /// </summary>
            public Guid Id
            {
                get { return id; }
                set { id = value; }
            }
            #endregion

            #region Name
            /// <summary>
            /// This property gets or sets the value for 'Name'.
            /// </summary>
            public string Name
            {
                get { return name; }
                set { name = value; }
            }
            #endregion

        #endregion

    }
    #endregion

}

А вот мой класс делегата:

/// <summary>
/// This delegate is used by the SubscriberService to send messages to any subscribers
/// </summary>    
/// <returns></returns>
public delegate void Callback(SubscriberMessage message);

Затем в моем компоненте я вызываю такие методы:

//  Send this message to all clients
SubscriberService.BroadcastMessage(message);

И у каждого клиента есть метод прослушивания:

SubscriberCallback callback = new SubscriberCallback(SubscriberName);
callback.Callback = Listen;
callback.Name = SubscriberName;

// Get a message back
SubscriberMessage message = SubscriberService.Subscribe(callback);

Вот мой метод Listen , он просто ждет сообщений;

using DataJuggler.UltimateHelper.Core; // Nuget package

public void Listen(SubscriberMessage message)
{
    // if the message exists (part of DataJuggler.UltimateHelper.Core Nuget Package)
    // Same as (message != null)
    if (NullHelper.Exists(message))
    {
        // if the message contains Joined the conversation
        if ((message.Text.Contains("joined the conversation")) || 
        (message.Text.Contains("left the conversation")))
        {
            // this updates my list of 'Whose On' whenever a user joins or leaves

            // Get the Names again
            this.Names = SubscriberService.GetSubscriberNames();

            // Update the UI
            Refresh();
        }
        else
        {
            // my display message code is here
        }
    }

И, наконец, вот мое сообщение для подписчика:

#region using statements

using System;
using System.Collections.Generic;
using System.Linq;
using System.Threading.Tasks;

#endregion

namespace BlazorChat
{

    #region class SubscriberMessage
    /// <summary>
    /// This class is used to send information between components / pages.
    /// </summary>
    public class SubscriberMessage
    {

        #region Private Variables
        private string text;
        private Guid fromId;
        private Guid toId;
        private string fromName;
        private string toName;
        private object data;
        private string valid;
        private DateTime sent;
        private string invalidReason;
        #endregion

        #region Properties

            #region Data
            /// <summary>
            /// This property gets or sets the value for 'Data'.
            /// </summary>
            public object Data
            {
                get { return data; }
                set { data = value; }
            }
            #endregion

            #region FromId
            /// <summary>
            /// This property gets or sets the value for 'FromId'.
            /// </summary>
            public Guid FromId
            {
                get { return fromId; }
                set { fromId = value; }
            }
            #endregion

            #region FromName
            /// <summary>
            /// This property gets or sets the value for 'FromName'.
            /// </summary>
            public string FromName
            {
                get { return fromName; }
                set { fromName = value; }
            }
            #endregion

            #region HasText
            /// <summary>
            /// This property returns true if the 'Text' exists.
            /// </summary>
            public bool HasText
            {
                get
                {
                    // initial value
                    bool hasText = (!String.IsNullOrEmpty(this.Text));

                    // return value
                    return hasText;
                }
            }
            #endregion

            #region InvalidReason
            /// <summary>
            /// This property gets or sets the value for 'InvalidReason'.
            /// </summary>
            public string InvalidReason
            {
                get { return invalidReason; }
                set { invalidReason = value; }
            }
            #endregion

            #region Sent
            /// <summary>
            /// This property gets or sets the value for 'Sent'.
            /// </summary>
            public DateTime Sent
            {
                get { return sent; }
                set { sent = value; }
            }
            #endregion

            #region Text
            /// <summary>
            /// This property gets or sets the value for 'Text'.
            /// </summary>
            public string Text
            {
                get { return text; }
                set { text = value; }
            }
            #endregion

            #region ToId
            /// <summary>
            /// This property gets or sets the value for 'ToId'.
            /// </summary>
            public Guid ToId
            {
                get { return toId; }
                set { toId = value; }
            }
            #endregion

            #region ToName
            /// <summary>
            /// This property gets or sets the value for 'ToName'.
            /// </summary>
            public string ToName
            {
                get { return toName; }
                set { toName = value; }
            }
            #endregion

            #region Valid
            /// <summary>
            /// This property gets or sets the value for 'Valid'.
            /// </summary>
            public string Valid
            {
                get { return valid; }
                set { valid = value; }
            }
            #endregion

        #endregion

    }
    #endregion

}

BlazorChat - это образец проекта, над которым я все еще работаю как часть моего пакета Nuget: DataJuggler.Blazor.Components, который содержит компонент Sprite, ProgressBar и компонент Validation.

Полный код находится здесь, в папке Samples этого проекта, если я что-то пропустил. https://github.com/DataJuggler/DataJuggler.Blazor.Components

Документация и SQL скрипты отсутствуют, извините, работа еще не завершена.

Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...