Sqlserver
 sql >> Database >  >> RDS >> Sqlserver

Come implementare i badge?

Un'implementazione simile a Stackoverflow è in realtà molto più semplice di quanto hai descritto, in base a bit di informazioni rilasciati dal team ogni tanto.

Nel database, memorizzi semplicemente una raccolta di BadgeID -UserID coppie per tenere traccia di chi ha cosa (e un conteggio o un ID riga per consentire più premi per alcuni badge).

Nell'applicazione è presente un oggetto lavoratore per ogni tipo di badge. L'oggetto è nella cache e, quando la cache scade, il lavoratore esegue la propria logica per determinare chi deve ricevere il badge ed effettuare gli aggiornamenti, quindi si reinserisce nella cache:

public abstract class BadgeJob
{
    protected BadgeJob()
    {
        //start cycling on initialization
        Insert();
    }

    //override to provide specific badge logic
    protected abstract void AwardBadges();

    //how long to wait between iterations
    protected abstract TimeSpan Interval { get; }

    private void Callback(string key, object value, CacheItemRemovedReason reason)
    {
        if (reason == CacheItemRemovedReason.Expired)
        {
            this.AwardBadges();
            this.Insert();
        }
    }

    private void Insert()
    {
        HttpRuntime.Cache.Add(this.GetType().ToString(),
            this,
            null,
            Cache.NoAbsoluteExpiration,
            this.Interval,
            CacheItemPriority.Normal,
            this.Callback);
    }
}

E un'implementazione concreta:

public class CommenterBadge : BadgeJob
{
    public CommenterBadge() : base() { }

    protected override void AwardBadges()
    {
        //select all users who have more than x comments 
        //and dont have the commenter badge
        //add badges
    }

    //run every 10 minutes
    protected override TimeSpan Interval
    {
        get { return new TimeSpan(0,10,0); }
    }
}