Thread: Newguy has question pertaining to Class

  1. #1
    Registered User
    Join Date
    Jul 2014
    Location
    Central Arizona
    Posts
    61

    Newguy has question pertaining to Class

    I've read that by default all items of a class are private. What exactly does this mean?

    If this is so, why does a Class use public:, private:, and protected? I assume that these names are just for the purpose they say they are:

    public: is usable by anyone?
    private: is restricted to a certain group?
    protected: is secure info., one might say its FYI
    (or something similar)

    How does a new programmer determine what to put under each category? Can someone point me to a good write up on Classes?

  2. #2
    C++ Witch laserlight's Avatar
    Join Date
    Oct 2003
    Location
    Singapore
    Posts
    28,413
    Quote Originally Posted by papagym177
    I've read that by default all items of a class are private. What exactly does this mean?
    It means that this:
    Code:
    class X
    {
        int n;
    };
    is equivalent to:
    Code:
    class X
    {
    private:
        int n;
    };
    Quote Originally Posted by papagym177
    If this is so, why does a Class use public:, private:, and protected? I assume that these names are just for the purpose they say they are:
    To be explicit about the member access.

    Quote Originally Posted by papagym177
    public: is usable by anyone?
    private: is restricted to a certain group?
    protected: is secure info., one might say its FYI
    (or something similar)

    How does a new programmer determine what to put under each category? Can someone point me to a good write up on Classes?
    What material are you using to learn C++? At some point when introducing classes, I would expect most introductory material to explain this, at least partially.
    Quote Originally Posted by Bjarne Stroustrup (2000-10-14)
    I get maybe two dozen requests for help with some sort of programming or design problem every day. Most have more sense than to send me hundreds of lines of code. If they do, I ask them to find the smallest example that exhibits the problem and send me that. Mostly, they then find the error themselves. "Finding the smallest program that demonstrates the error" is a powerful debugging tool.
    Look up a C++ Reference and learn How To Ask Questions The Smart Way

  3. #3
    Registered User MutantJohn's Avatar
    Join Date
    Feb 2013
    Posts
    2,665
    And by default all members of a structure are public.

    I love that little C++ duality.

  4. #4
    Registered User antred's Avatar
    Join Date
    Apr 2012
    Location
    Germany
    Posts
    257
    Quote Originally Posted by MutantJohn View Post
    And by default all members of a structure are public.

    I love that little C++ duality.
    Which is also the only difference between a class and a struct, just to mention it.

  5. #5
    Master Apprentice phantomotap's Avatar
    Join Date
    Jan 2008
    Posts
    5,108
    Which is also the only difference between a class and a struct, just to mention it.
    O_o

    Nope.

    The other difference: the default inheritance access is `public' for `struct' and `private' for `class'.

    Soma
    “Salem Was Wrong!” -- Pedant Necromancer
    “Four isn't random!” -- Gibbering Mouther

  6. #6
    Registered User antred's Avatar
    Join Date
    Apr 2012
    Location
    Germany
    Posts
    257
    I wasn't aware of that. Then again, isn't this really just an extension of the other rule, since the base class part of a derived class is sort of a member of it, too?


    EDIT: Ok, I was really just trying to wiggle myself out of that one. I admit I fouled up!
    Last edited by antred; 09-18-2014 at 02:16 PM.

  7. #7
    Registered User
    Join Date
    Jul 2014
    Location
    Central Arizona
    Posts
    61
    I'm just beginning to look at classes. The reason for my questions is I have no idea of how to use a class. If you have can point me to a good introductory tutorial on classes on the web I'd be grateful. Thanks

  8. #8
    Kiss the monkey. CodeMonkey's Avatar
    Join Date
    Sep 2001
    Posts
    937
    A class allows you to group related data together with the functions that operate on it. The data and functions together can then make guarantees (invariants) to users about the resulting "object" behavior.

    For example, the standard rand() function -- for generating random numbers -- can cause problems with modern multithreaded programs since rand() was designed without regard for concurrency. There is some state (one or more numbers) that allows rand() to remember where it is in its pseudo-random sequence, and how to generate its next number, but the only access we have to that state is through rand(), and anybody can call rand().

    Our first attempt at an improvement might be to expand rand() to accept its state from elsewhere:

    Code:
    int randInt(int & state)
    {
        return ((state = state * 214013 + 2531011) >> 16) & 0x7fff;
    }
    Now it's up to the caller to maintain state:
    Code:
    void printThree()
    {
        int seed = std::time(NULL);
        
        int first = randInt(seed); // seed changed
        std::cout << first << '\n';
        
        int second = randInt(seed); // changed again
        std::cout << second << '\n';
    
        std::cout << randInt(first) << '\n'; // oops?
    }
    It's easy enough to keep track of just one integer of state, but what if there were a lot more? What if this were the state of some computer game like chess? Or Call of Duty? Never mind large software, what if you're just trying to make sure that other programmers use your function in the right way without making a mistake like above? Things can get out of hand quickly.

    It would be better if there were a class for creating random numbers. An instance of the class would contain all of the information necessary to generate random numbers, and the users of the class (us) would not need to know about it, except that when we call instance.next(), it gives us another pseudo-random number.

    Code:
    int nextRand(int previous)
    {
        return ((previous * 214013 + 2531011) >> 16) & 0x7fff;
    }
    
    class RandInt
    {
        int previous;
    
      public:
        explicit RandInt(int seed);
        int next();
    };
    
    RandInt::RandInt(int seed)
        : previous(seed)
    {
    }
    
    int RandInt::next()
    {
        previous = nextRand(previous);
        return previous;
    }
    The class has done nothing except encapsulate what we would have done ourselves -- carry an int around everywhere and pass it into our nextRand function. Now we can just do this:

    Code:
    void printThree()
    {
        RandInt randGen(std::time(NULL));
        std::cout << randGen.next() << '\n'
                  << randGen.next() << '\n'
                  << randGen.next() << '\n'; // no bug
    }
    The bigger your code gets, the more beneficial this kind of thing is. What we gain from the class RandInt is the guarantee that .next() will always be the proper next int in the pseudo-random sequence started with seed.

    Better yet, we can pass instances of RandInt around, and the language allows us to specify exactly what happens when a RandInt is moved or copied. By default, it just copies that internal int, and here that's exactly what we want.

    A different viewpoint on this problem is that state is the issue, and that you should aim to eliminate rather than hide it. You can read a lot online about object oriented programming versus functional programming, the problem of state... flame wars abound.

    My opinion, though, is that programming is about managing complexity, and state is a major source of complexity. And classes are one abstraction in a programmer's toolbox that allows us to keep things simple.
    Last edited by CodeMonkey; 09-21-2014 at 11:23 PM. Reason: typo
    "If you tell the truth, you don't have to remember anything"
    -Mark Twain

Popular pages Recent additions subscribe to a feed

Similar Threads

  1. Newguy wants clarification on jumping into to C++ (pointers)
    By papagym177 in forum C++ Programming
    Replies: 5
    Last Post: 07-28-2014, 11:36 AM
  2. Replies: 8
    Last Post: 12-05-2008, 02:18 AM
  3. Replies: 8
    Last Post: 01-13-2008, 05:57 PM
  4. Question pertaining to limits...
    By Theoclymenus in forum C++ Programming
    Replies: 3
    Last Post: 03-13-2005, 11:39 AM