Home > Articles > Programming > Windows Programming

Like this article? We recommend

Like this article? We recommend

Dice, and Visual Representations of Dice

In the context of our game of Dihtzee, a reasonable abstraction is that of a die. A further decomposition is to divide the die into pure representation of a “something” that can contain one of six possible random values and a visual representation of that something.

What about games that use something besides six-sided dice (although Dungeons and Dragons is the only such game I can think of at the moment)? Could we create a representation of a die with n-sides, generalize that to create a six-sided die and a graphical six-sided die? What about something die-like that is n-sided, but uses something other than integers to represent the face value of the die? Both abstractions are obviously possible. But this is where we have to figure out how much decomposition is worth doing; otherwise we could be sub-dividing classes ad infinitum.

For many dice games—in fact, most such games that I can think of—a six-sided die is sufficient. Consequently, while cognizant of n-sided, semantically valued dice, a six-sided die and its graphical representation are both reasonable and sufficient. This is what is meant by deliberate abstraction.

Defining the Die Class

For our purpose, we can define a Die class that can have one value between 1 and 6 inclusive at any point in time. We can also state that a Die can be rolled as a means of determining the value of the Die. Further, we might want to know if the Die is currently in between states or if it's rolling, and when the Die finishes rolling. Because these states and behaviors are metaphors for the physical world, we also need to define analogous representations.

The Die value can be represented by an enumeration of the possible face values of the Die. We can represent the Roll behavior with the random number generation behavior of the Random class. The IsRolling state can be represented by a Boolean, and, to indicate when the Die has rolled to a new value-position, we might implement an event called OnFaceChanged. Listing 1 contains the Die class and a small supporting cast.

Listing 1: The DieFace enumeration, Die class, and a new DieEventArgs class.

using System;

namespace RollOfTheDice
{
  public class DieEventArgs : EventArgs
  {
    private DieFace face = DieFace.None;

    public DieEventArgs() : base(){}
    public DieEventArgs(DieFace face) : base()
    {
      this.face = face;
    }

    public DieFace Face
    {
      get{ return face; }
    }
  }

  public enum DieFace
  {
    None=0, One=1, Two=2, Three=3, Four=4, Five=5, Six=6
  }

  public delegate void ChangedHandler(object sender, DieEventArgs e);

  public class Die
  {
    private DieFace currentFace = DieFace.None;
    private bool isRolling = false;
    public  ChangedHandler OnChanged;
    
    public Die(){}
    public Die(DieFace face)
    {
      currentFace = face;
    }

    public bool IsRolling
    {
      get{ return isRolling; }
    }

    public DieFace CurrentFace
    {
      get{ return currentFace; }
      set
      { 
        currentFace = value; 
        DoChanged(value);
      }
    }

    public void Roll()
    {
      if(isRolling) return;
      isRolling = true;
      try
      {
        DoRoll();
      }
      finally
      {
        isRolling = false;
      }
    }

    protected virtual void DoRoll()
    {
      Random roller = new Random(DateTime.Now.TimeOfDay.Milliseconds);
      Random picker = new Random(DateTime.Now.TimeOfDay.Milliseconds);

      for(int i=0; i<roller.Next(10, 20); i++)
      {
        currentFace = (DieFace)picker.Next((int)DieFace.One, (int DieFace.Six);
        DoChanged(currentFace);
      }
    }

    private void DoChanged(DieFace face)
    {
      if( OnChanged != null )
        OnChanged(this, new DieEventArgs(face));
    }
  }
}

Let's make sure this works. We can employ the enumeration and two classes to contrive a simple guessing game. Listing 2 contains the GuessTheRole, demonstrating that our Die abstraction is indeed functional at a fundamental level.

Listing 2: GuessTheRole demonstrates the basic functionality of our Die class.

using System;
using RollOfTheDice;

namespace GuessTheRole
{
  class Class1
  {
    private static Die die = new Die();

    [STAThread]
    static void Main(string[] args)
    {
      die.OnChanged += new ChangedHandler(OnChanged);

      while(true)
      {
        Console.WriteLine("Guess the roll (1-6, Q=Quit)");
        string guess = Console.ReadLine();

        if( guess == "q" || guess == "Q" ) return;

        int guessAsInt = -1;

        try
        {
          guessAsInt = Convert.ToInt32(guess);
          if( guessAsInt < 1 || guessAsInt> 6) continue;
        }
        catch
        {
          Console.WriteLine("Invalid guess");
          continue;
        }

        die.Roll();
        while(die.IsRolling);

        if( (int)die.CurrentFace == guessAsInt)
          Console.WriteLine("You guesed correctly!");
        else
          Console.WriteLine("You guessed incorrectly!");

      }
    }

    private static void OnChanged(object sender, DieEventArgs e)
    {
      Console.WriteLine("Rolling: " + e.Face.ToString());
    }
  }
}

As you might imagine, GuessTheRoll elicits a number, rolls the die and indicates whether you guessed correctly or not. Unless you are a brand new programmer, it isn't very interesting. However, what it does do is demonstrate that at this level of abstraction our Die-implementation is reasonable, sufficient, and complete.

Defining a Visual Die

Years ago, I enjoyed playing puzzle or mystery games in which the player typed in simple text commands and responded to verbal cues. However, since the very early days of graphics adaptors, these games became significantly less compelling than graphics-based games. As a result, we really need a visual representation of our Die class.

Again, we have to decide what is reasonable and sufficient. Will a two-dimensionally rolling Die be enough, or does the Die need to appear to move in three dimensions? A three-dimensional Die may be more interesting, but for our purposes (and based on the time available before this article is due—we all have deadlines) a two-dimensional Die will have to suffice (see listing 3).

Listing 3: The VisualDie and supporting cast.

1:  using System;
2:  using System.Diagnostics;
3:  using System.Drawing;
4:  using System.Threading;
5:  using System.Windows.Forms;
6:
7:  namespace RollOfTheDice
8:  {
9:    public interface IDiePainter
10:  {
11:    void Draw(object canvas, Die die, Rectangle bounds);
12:  }
13:
14:  public class GDIDiePainter : IDiePainter
15:  {
16:    #region IDiePainter Members
17:
18:    public void Draw(object canvas, Die die, Rectangle bounds)
19:    {
20:      Debug.Assert(canvas is Graphics);
21:      DrawDie(canvas as Graphics, die, bounds);
22:    }
23:
24:    #endregion
25:
26:    private void DrawDie(Graphics g, Die die, Rectangle bounds)
27:    {
28:      // draw basic shape
29:      Rectangle r = bounds;
30:      g.DrawRectangle(Pens.Black, r);
31:      r.Inflate(-1, -1);
32:      g.FillRectangle(Brushes.Ivory, r);
33:
34:      // fill in the face
35:      if( die.CurrentFace != DieFace.None)
36:        DrawDots(g, GetRects((int)die.CurrentFace, r));
37:    }
38:
39:    private void DrawDots(Graphics g, Rectangle[] rects)
40:    {
41:      for( int i=0; i < rects.Length; i++)
42:        DrawDot(g, rects[i]);
43:    }
44:
45:    private Rectangle[] GetRects(int value, Rectangle bounds)
46:    {
47:      Rectangle[] one = new Rectangle[]{GetRectangle(1,1, bounds)};
48:      Rectangle[] two = new Rectangle[]{GetRectangle(0, 2, bounds),
49:         GetRectangle(2, 0, bounds)};
50:      Rectangle[] three = new Rectangle[]{GetRectangle(0, 2, bounds), 
51:         GetRectangle(1, 1, bounds), GetRectangle(2, 0, bounds)};
52:      Rectangle[] four = new Rectangle[]{GetRectangle(0, 0, bounds), 
53:        GetRectangle(0, 2, bounds), GetRectangle(2, 0, bounds), 
54:        GetRectangle(2, 2, bounds)};
55:      Rectangle[] five = new Rectangle[]{GetRectangle(0, 0, bounds), 
56:        GetRectangle(1, 1, bounds), GetRectangle(0, 2, bounds), 
57:        GetRectangle(2, 0, bounds), GetRectangle(2, 2, bounds)};
58:      Rectangle[] six = new Rectangle[]{GetRectangle(0, 0, bounds), 
59:        GetRectangle(0, 1, bounds), GetRectangle(0, 2, bounds), 
60:        GetRectangle(2, 0, bounds), GetRectangle(2, 1, bounds), 
61:        GetRectangle(2, 2, bounds)};
62:
63:      Rectangle[][] rects = {one, two, three, four, five, six};
64:      return rects[value-1];
65:    }
66:
67:    private void DrawDot(Graphics g, Rectangle r)
68:    {
69:      g.SmoothingMode = System.Drawing.Drawing2D.SmoothingMode.AntiAlias;
70:      r.Inflate(-3, -3);
71:      g.FillEllipse(new SolidBrush(Color.Black), r);
72:    }
73:
74:    private Rectangle GetRectangle(int x, int y, Rectangle bounds)
75:    {
76:      return new Rectangle(bounds.X + (bounds.Width * x / 3), 
77:        bounds.Y + (bounds.Height * y / 3), 
78:        GetDotSize(bounds).Width, GetDotSize(bounds).Height);
79:    }
80:
81:    private Size GetDotSize(Rectangle bounds)
82:    {
83:      return new Size(bounds.Width / 3, bounds.Height / 3);
84:    }
85:  }
86:
87:
88:  public class VisualDie : Control  
89:  {
90:    private Die internalDie = new Die(DieFace.None);
91:    private IDiePainter painter = new GDIDiePainter();
92:    public VisualDie()
93:    {
94:      internalDie.OnChanged += new ChangedHandler(OnChanged);
95:    }
96:
97:    public VisualDie(DieFace face) : base()
98:    {
99:      internalDie.CurrentFace = face;
100:      internalDie.OnChanged += new ChangedHandler(OnChanged);
101:    }
102:
103:    public void Roll()
104:    {
105:      internalDie.Roll();
106:    }
107:
108:    public bool IsRolling
109:    {
110:      get{ return internalDie.IsRolling; }
111:    }
112:
113:    public DieFace CurrentFace
114:    {
115:      get{ return internalDie.CurrentFace; }
116:      set{ internalDie.CurrentFace = value; }
117:    }
118:
119:    protected override void OnPaint(PaintEventArgs pe)
120:    {
121:      painter.Draw(pe.Graphics, internalDie, ClientRectangle);
122:    }
123:
124:    private void OnChanged(object sender, DieEventArgs e)
125:    {
126:      
127:      this.Refresh();
128:      Application.DoEvents();
129:      Thread.Sleep(25);
130:    }
131:  }
132: }

The VisualDie is a bit more complex. We use aggregation, inheritance, GDI+, events, and implementing an interface. For this reason, I added line numbers for reference. (Remember to leave the line numbers out of your code.) However, the amount of code is substantially less, because a chunk of the work is being done in our original Die class.

Lines 9 through 12 define the IDiePainter interface. Lines 14 through 85 define an implementation of the IDiePainter class, GDIDiePainter, and lines 88 through 131 implement the VisualDie class. The result of this code can be seen in figure 1.

Figure 1: A Die with a face value of 5.

 

IDiePainter defines an interface that requires a GDI+ Graphics object, an instance of our Die class, and a bound rectangular region. The latter indicates how big the visual die should be. IGDIDiePainter implements IDiePainter for GDI+. (We could easily “paint” the Die in some other manner by creating an additional class that implements IDiePainter.) Finally, the VisualDie is responsible for orchestrating all of this code into the Die you see in figure 1.

IGDIDiePainter handles the visual and animated portion of the VisualDie. The VisualDie has a graphics object; it will receive paint messages because it inherits from System.Windows.Forms.Control.

Because VisualDie inherits from Control and multiple inheritance isn't supported, we use aggregation by making an instance of the Die class a member of VisuaDie. To make the VisualDie look and feel like a Die, we surface the constituent properties CurrentFace and IsRolling and methods Roll of the contained Die object. Because VisualDie does not inherit from Die we cannot use it in place of Die in a polymorphic sense. However, because it helped our implementation this is okay; inheriting from Control makes it easier to update and paint the VisualDie. (Controls receive Paint messages from Windows.)

InformIT Promotional Mailings & Special Offers

I would like to receive exclusive offers and hear about products from InformIT and its family of brands. I can unsubscribe at any time.

Overview


Pearson Education, Inc., 221 River Street, Hoboken, New Jersey 07030, (Pearson) presents this site to provide information about products and services that can be purchased through this site.

This privacy notice provides an overview of our commitment to privacy and describes how we collect, protect, use and share personal information collected through this site. Please note that other Pearson websites and online products and services have their own separate privacy policies.

Collection and Use of Information


To conduct business and deliver products and services, Pearson collects and uses personal information in several ways in connection with this site, including:

Questions and Inquiries

For inquiries and questions, we collect the inquiry or question, together with name, contact details (email address, phone number and mailing address) and any other additional information voluntarily submitted to us through a Contact Us form or an email. We use this information to address the inquiry and respond to the question.

Online Store

For orders and purchases placed through our online store on this site, we collect order details, name, institution name and address (if applicable), email address, phone number, shipping and billing addresses, credit/debit card information, shipping options and any instructions. We use this information to complete transactions, fulfill orders, communicate with individuals placing orders or visiting the online store, and for related purposes.

Surveys

Pearson may offer opportunities to provide feedback or participate in surveys, including surveys evaluating Pearson products, services or sites. Participation is voluntary. Pearson collects information requested in the survey questions and uses the information to evaluate, support, maintain and improve products, services or sites, develop new products and services, conduct educational research and for other purposes specified in the survey.

Contests and Drawings

Occasionally, we may sponsor a contest or drawing. Participation is optional. Pearson collects name, contact information and other information specified on the entry form for the contest or drawing to conduct the contest or drawing. Pearson may collect additional personal information from the winners of a contest or drawing in order to award the prize and for tax reporting purposes, as required by law.

Newsletters

If you have elected to receive email newsletters or promotional mailings and special offers but want to unsubscribe, simply email information@informit.com.

Service Announcements

On rare occasions it is necessary to send out a strictly service related announcement. For instance, if our service is temporarily suspended for maintenance we might send users an email. Generally, users may not opt-out of these communications, though they can deactivate their account information. However, these communications are not promotional in nature.

Customer Service

We communicate with users on a regular basis to provide requested services and in regard to issues relating to their account we reply via email or phone in accordance with the users' wishes when a user submits their information through our Contact Us form.

Other Collection and Use of Information


Application and System Logs

Pearson automatically collects log data to help ensure the delivery, availability and security of this site. Log data may include technical information about how a user or visitor connected to this site, such as browser type, type of computer/device, operating system, internet service provider and IP address. We use this information for support purposes and to monitor the health of the site, identify problems, improve service, detect unauthorized access and fraudulent activity, prevent and respond to security incidents and appropriately scale computing resources.

Web Analytics

Pearson may use third party web trend analytical services, including Google Analytics, to collect visitor information, such as IP addresses, browser types, referring pages, pages visited and time spent on a particular site. While these analytical services collect and report information on an anonymous basis, they may use cookies to gather web trend information. The information gathered may enable Pearson (but not the third party web trend services) to link information with application and system log data. Pearson uses this information for system administration and to identify problems, improve service, detect unauthorized access and fraudulent activity, prevent and respond to security incidents, appropriately scale computing resources and otherwise support and deliver this site and its services.

Cookies and Related Technologies

This site uses cookies and similar technologies to personalize content, measure traffic patterns, control security, track use and access of information on this site, and provide interest-based messages and advertising. Users can manage and block the use of cookies through their browser. Disabling or blocking certain cookies may limit the functionality of this site.

Do Not Track

This site currently does not respond to Do Not Track signals.

Security


Pearson uses appropriate physical, administrative and technical security measures to protect personal information from unauthorized access, use and disclosure.

Children


This site is not directed to children under the age of 13.

Marketing


Pearson may send or direct marketing communications to users, provided that

  • Pearson will not use personal information collected or processed as a K-12 school service provider for the purpose of directed or targeted advertising.
  • Such marketing is consistent with applicable law and Pearson's legal obligations.
  • Pearson will not knowingly direct or send marketing communications to an individual who has expressed a preference not to receive marketing.
  • Where required by applicable law, express or implied consent to marketing exists and has not been withdrawn.

Pearson may provide personal information to a third party service provider on a restricted basis to provide marketing solely on behalf of Pearson or an affiliate or customer for whom Pearson is a service provider. Marketing preferences may be changed at any time.

Correcting/Updating Personal Information


If a user's personally identifiable information changes (such as your postal address or email address), we provide a way to correct or update that user's personal data provided to us. This can be done on the Account page. If a user no longer desires our service and desires to delete his or her account, please contact us at customer-service@informit.com and we will process the deletion of a user's account.

Choice/Opt-out


Users can always make an informed choice as to whether they should proceed with certain services offered by InformIT. If you choose to remove yourself from our mailing list(s) simply visit the following page and uncheck any communication you no longer want to receive: www.informit.com/u.aspx.

Sale of Personal Information


Pearson does not rent or sell personal information in exchange for any payment of money.

While Pearson does not sell personal information, as defined in Nevada law, Nevada residents may email a request for no sale of their personal information to NevadaDesignatedRequest@pearson.com.

Supplemental Privacy Statement for California Residents


California residents should read our Supplemental privacy statement for California residents in conjunction with this Privacy Notice. The Supplemental privacy statement for California residents explains Pearson's commitment to comply with California law and applies to personal information of California residents collected in connection with this site and the Services.

Sharing and Disclosure


Pearson may disclose personal information, as follows:

  • As required by law.
  • With the consent of the individual (or their parent, if the individual is a minor)
  • In response to a subpoena, court order or legal process, to the extent permitted or required by law
  • To protect the security and safety of individuals, data, assets and systems, consistent with applicable law
  • In connection the sale, joint venture or other transfer of some or all of its company or assets, subject to the provisions of this Privacy Notice
  • To investigate or address actual or suspected fraud or other illegal activities
  • To exercise its legal rights, including enforcement of the Terms of Use for this site or another contract
  • To affiliated Pearson companies and other companies and organizations who perform work for Pearson and are obligated to protect the privacy of personal information consistent with this Privacy Notice
  • To a school, organization, company or government agency, where Pearson collects or processes the personal information in a school setting or on behalf of such organization, company or government agency.

Links


This web site contains links to other sites. Please be aware that we are not responsible for the privacy practices of such other sites. We encourage our users to be aware when they leave our site and to read the privacy statements of each and every web site that collects Personal Information. This privacy statement applies solely to information collected by this web site.

Requests and Contact


Please contact us about this Privacy Notice or if you have any requests or questions relating to the privacy of your personal information.

Changes to this Privacy Notice


We may revise this Privacy Notice through an updated posting. We will identify the effective date of the revision in the posting. Often, updates are made to provide greater clarity or to comply with changes in regulatory requirements. If the updates involve material changes to the collection, protection, use or disclosure of Personal Information, Pearson will provide notice of the change through a conspicuous notice on this site or other appropriate way. Continued use of the site after the effective date of a posted revision evidences acceptance. Please contact us if you have questions or concerns about the Privacy Notice or any objection to any revisions.

Last Update: November 17, 2020