如何写你的第一个程序

Now that you’ve learned some basics about programs, let’s look more closely at how to design a program. When you sit down to write a program, generally you have some sort of problem that you’d like to solve, or situation that you’d like to simulate. New programmers often have trouble figuring out how to convert that idea into actual code. But it turns out, you have many of the problem solving skills you need already, acquired from every day life.

The most important thing to remember (and hardest thing to do) is to design your program before you start coding. In many regards, programming is like architecture. What would happen if you tried to build a house without following an architectural plan? Odds are, unless you were very talented, you’d end up with a house that had a lot of problems: leaky roofs, walls that weren’t straight, etc… Similarly, if you try to program before you have a good gameplan moving forward, you’ll likely find that your code has a lot of problems, and you’ll have to spend a lot of time fixing problems that could have been avoided altogether with a little design.

A little up-front planning will save you both time and frustration in the long run.

Step 1: Define the problem

The first thing you need to figure out is what problem your program is attempting to solve. Ideally, you should be able to state this in a sentence or two. For example:

  • I want to write a phone book application to help me keep track of my friend’s phone numbers.
  • I want to write a random dungeon generator that will produce interesting looking caverns.
  • I want to write a program that will take information about stocks and attempt to predict which ones I should buy.

Although this step seems obvious, it’s also highly important. The worst thing you can do is write a program that doesn’t actually do what you (or your boss) wanted!

Step 2: Define your targets

When you are an experienced programmer, there are many other steps that typically would take place at this point, including:

  • Understanding who your target user is
  • Defining what target architecture and/or OS your program will run on
  • Determining what set of tools you will be using
  • Determining whether you will write your program alone or as part of a team
  • Collecting requirements (a documented list of what the program should do)

However, as a new programmer, the answers to these questions are typically simple: You are writing a program for your own use, alone, on your own system, using an IDE you purchased or downloaded. This makes things easy, so we won’t spend any time on this step.

Step 3: Make a heirarchy of tasks

In real life, we often need to perform tasks that are very complex. Trying to figure out how to do these tasks can be very challenging. In such cases, we often make use of the top down method of problem solving. That is, instead of solving a single complex task, we break that task into multiple subtasks, each of which is individually easier to solve. If those subtasks are still too difficult to solve, they can be broken down further. By continuously splitting complex tasks into simpler ones, you can eventually get to a point where each individual task is manageable, if not trivial.

Let’s take a look at an example of this. Let’s say we want to write a report on carrots. Our task hierarchy currently looks like this:

  • Write report on carrots

Writing a report on carrots is a pretty big task to do in one sitting, so let’s break it into subtasks:

  • Write report on carrots
    • Do research on carrots
    • Write outline
    • Fill in outline with details about carrots

That’s a more managable, as we now have three tasks that we can focus on individually. However, in this case, “Do research on carrots is somewhat vague”, so we can break it down further:

  • Write report on carrots
    • Do research on carrots
      • Go to library and get book on carrots
      • Look for information about carrots on internet
    • Write outline
      • Information about growing
      • Information about processing
      • Information about nutrition
    • Fill in outline with details about carrots

Now we have a hierarchy of tasks, none of them particularly hard. By completing each of these relatively manageable sub-items, we can complete the more difficult overall task of writing a report on carrots.

The other way to create a hierarchy of tasks is to do so from the bottom up. In this method, we’ll start from a list of easy tasks, and construct the hierarchy by grouping them.

As an example, many people have to go to work or school on weekdays, so let’s say we want to solve the problem of “get from bed to work”. If you were asked what tasks you did in the morning to get from bed to work, you might come up with the following list:

  • Pick out clothes
  • Get dressed
  • Eat breakfast
  • Drive to work
  • Brush your teeth
  • Get out of bed
  • Prepare breakfast
  • Get in your car
  • Take a shower

Using the bottom up method, we can organize these into a hierarchy of items by looking for ways to group items with similarities together:

  • Get from bed to work
    • Bedroom things
      • Get out of bed
      • Pick out clothes
    • Bathroom things
      • Take a shower
      • Brush your teeth
    • Breakfast things
      • Prepare breakfast
      • Eat breakfast
    • Transportation things
      • Get in your car
      • Drive to work

As it turns out, these task hierarchies are extremely useful in programming, because once you have a task hierarchy, you have essentially defined the structure of your overall program. The top level task (in this case, “Write a report on carrots” or “Get from bed to work”) becomes main() (because it is the main item you are trying to solve). The subitems become functions in the program.

If it turns out that one of the items (functions) is too difficult to implement, simply split that item into multiple subitems, and have that function call multiple subfunctions that implement those new tasks. Eventually you should reach a point where each function in your program is trivial to implement.

Step 4: Figure out the sequence of events

Now that your program has a structure, it’s time to determine how to link all the tasks together. The first step is to determine the sequence of events that will be performed. For example, when you get up in the morning, what order do you do the above tasks? It might look like this:

  • Get out of bed
  • Pick out clothes
  • Take a shower
  • Get dressed
  • Prepare breakfast
  • Eat breakfast
  • Brush your teeth
  • Get in your car
  • Drive to work

If we were writing a calculator, we might do things in this order:

  • Get first number from user
  • Get mathematical operation from user
  • Get second number from user
  • Calculate result
  • Print result

This list essentially defines what will go into your main() function:

1
2
3
4
5
6
7
8
9
10
11
12
int main()
{
     GetOutOfBed();
     PickOutClothes();
     TakeAShower();
     GetDressed();
     PrepareBreakfast();
     EatBreakfast();
     BrushTeeth();
     GetInCar();
     DriveToWork();
}

Or in the case of the calculator:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
int main()
{
     // Get first number from user
     GetUserInput();
 
     // Get mathematical operation from user
     GetMathematicalOperation();
 
     // Get second number from user
     GetUserInput();
 
     // Calculate result
     CalculateResult();
 
     // Print result
     PrintResult();
}

Step 5: Figure out the data inputs and outputs for each task

Once you have a hierarchy and a sequence of events, the next thing to do is figure out what input data each task needs to operate, and what data it produces (if any). If you already have the input data from a previous step, that input data will become a parameter. If you are calculating output for use by some other function, that output will generally become a return value.

When we are done, we should have prototypes for each function. In case you’ve forgotten, a function prototype is a declaration of a function that includes the function’s name, parameters, and return type, but does not implement the function.

Let’s do a couple examples. GetUserInput() is pretty straightforward. We’re going to get a number from the user and return it back to the caller. Thus, the function prototype would look like this:

1
int GetUserInput()

In the calculator example, the CalculateResult() function will need to take 3 pieces of input: Two numbers and a mathematical operator. We should already have all three of these by the time we get to the point where this function is called, so these three pieces of data will be function parameters. The CalculateResult() function will calculate the result value, but it does not display the result itself. Consequently, we need to return that result as a return value so that other functions can use it.

Given that, we could write the function prototype like this:

1
int CalculateResult( int nInput1, char chOperator, int nInput2);

Step 6: Write the task details

In this step, for each task, you will write it’s actual implementation. If you have broken the tasks down into small enough pieces, each task should be fairly simple and straightforward. If a given task still seems overly-complex, perhaps it needs to be broken down into subtasks that can be more easily implemented.

For example:

1
2
3
4
5
6
7
8
9
10
11
char GetMathematicalOperation()
{
     cout << "Please enter an operator (+,-,*,or /): " ;
 
     char chOperation;
     cin >> chOperation;
 
     // What if the user enters an invalid character?
     // We'll ignore this possibility for now
     return chOperation;
}

Step 7: Connect the data inputs and outputs

Finally, the last step is to connect up the inputs and outputs of each task in whatever way is appropriate. For example, you might send the output of CalculateResult() into an input of PrintResult(), so it can print the calculated answer. This will often involve the use of intermediary variables to temporary store the result so it can be passed between functions. For example:

1
2
3
4
// nResult is a temporary value used to transfer the output of CalculateResult()
// into an input of PrintResult()
int nResult = CalculateResult(nInput1, chOperator, nInput2);
PrintResult(nResult);

This tends to be much more readable than the alternative condensed version that doesn’t use a temporary variable:

1
PrintResult( CalculateResult(nInput1, chOperator, nInput2) );

This is often the hardest step for new programmers to get the hang of.

Note: To fully complete this example, you’ll need to utilize if statements, which we won’t cover for a while, but you’re welcome to take a sneak-peak at now.

A fully completed version of the above calculator sample follows (hidden in case you want to take a stab at it yourself first):

Show Solution

Words of advice when writing programs

Keep your program simple to start. Often new programmers have a grand vision for all the things they want their program to do. “I want to write a role-playing game with graphics and sound and random monsters and dungeons, with a town you can visit to sell the items that you find in the dungeon” If you try to write something too complex to start, you will become overwhelmed and discouraged at your lack of progress. Instead, make your first goal as simple as possible, something that is definitely within your reach. For example, “I want to be able to display a 2d representation of the world on the screen”.

Add features over time. Once you have your simple program working and working well, then you can add features to it. For example, once you can display your 2d world, add a character who can walk around. Once you can walk around, add walls that can impede your progress. Once you have walls, build a simple town out of them. Once you have a town, add merchants. By adding each feature incrementally your program will get progressively more complex without overwhelming you in the process.

Focus on one area at a time. Don’t try to code everything at once, and don’t divide your attention across multiple tasks. Focus on one task at a time, and see it through to completion as much as is possible. It is much better to have one fully working task and five that haven’t been started yet than six partially-working tasks. If you split your attention, you are more likely to make mistakes and forget important details.

Test each piece of code as you go. New programmers will often write the entire program in one pass. Then when they compile it for the first time, the compiler reports hundreds of errors. This can not only be intimidating, if your code doesn’t work, it may be hard to figure out why. Instead, write a piece of code, and then compile and test it immediately. If it doesn’t work, you’ll know exactly where the problem is, and it will be easy to fix. Once you are sure that the code works, move to the next piece and repeat. It may take longer to finish writing your code, but when you are done the whole thing should work, and you won’t have to spend twice as long trying to figure out why it doesn’t.

Most new programmers will shortcut many of these steps and suggestions (because it seems like a lot of work and/or it’s not as much fun as writing the code). However, for any non-trivial project, following these steps will definitely save you a lot of time in the long run. A little planning up front saves a lot of debugging at the end.

The good news is that once you become comfortable with all of these concepts, they will start coming naturally to you without even thinking about it. Eventually you will get to the point where you can write entire functions without any pre-planning at all.

1.11 — Comprehensive quiz
Index
1.10 — A first look at the preprocessor

66 comments to 1.10a — How to design your first programs

    • RobP

      I could use a little help, if anyone is willing/able:

      #include “stdafx.h” // Precompiled header
      #include // Needed for cout, cin, endl
      #include // Needed for sqrt
      #include // Needed for setpecision

      using namespace std; // Standard namespace

      int main()
      {
      // Declare variables. User will set values
      double x, y, hyp, sinRad, sinDeg, cosRad, cosDeg, tanRad, tanDeg, secRad,
      secDeg, cscRad, cscDeg, cotRad, cotDeg;
      const double PI(3.141592653);
      int precision, ch1, ch2, ch3, ch4;

      // User sets the level of precision here
      cout << "Please enter how many digits your answer will display." <> precision;

      // Now the user enters the x and y values of their triangle
      cout << "Please enter the horizontal and vertical length" << endl;
      cout << "as x and y, respectively, separated by a space." <> x >> y;

      // Calculate and print hypotenuse to screen. Definition of hypotenuse is included.
      hyp = sqrt((x*x)+(y*y));
      cout << setprecision(precision) << hyp << " is the hypotenuse. "
      "It is the root of the sum of " << x*x << " + " << y*y << endl << endl;

      // Calculate and print sin, first in Radians, then in degrees
      sinRad = y/hyp;
      cout << sinRad << " is the sine of the triangle (in radians). It is "
      << y << '/' << hyp << endl;
      cout << "Which is the y value divided by the hypotenuse." << endl;
      sinDeg = sinRad*(180.0/PI);
      cout << sinRad << " Radians is " << sinDeg << " degrees." << endl << endl;

      // Calculate and print cos first in Radians, then in degrees
      cosRad = x/hyp;
      cout << cosRad << " is the cosine of the triangle (in radians). It is "
      << x << '/' << hyp << endl;
      cout << "Which is the x value divided by the hypotenuse." << endl;
      cosDeg = (cosRad*180)/PI;
      cout << cosRad << " Radians is " << cosDeg << " degrees." << endl << endl;

      return 0
      }

      …and so on. The basic idea is that the user inputs a horizontal (x) and vertical (y) length, and gets delicious trig function goodness out. The program outputs the correct hypotenuse, and sin/cos/tan in radians, but it doesn't output the correct sin/cos in degrees. When x = y = some double, the angles should be 45 degrees, but I get something along the lines of 40.5 to whatever level of precision specified. Anyone have any idea why this is happening and what I can do to fix it?

      Thanks!

  • [...] 1.10a — How to design your first programs [...]

  • Milten

    Very well done!
    Btw: Thank you very much for your great tutorial!

  • Freacky

    I think you exchanged the arrows with next/previous steps.
    I think this is a very good and “noob friendly” tutorial too, good job ;).

    [ Thanks for the note about the arrows. Fixed! -Alex ]

  • William Manson

    I tried to make a program that does simple operations, but it doesn’t seem to work.

    The piece in particular:

    int CalculateResult(int nInput1, char chOperation, int nInput2)
    {
        return nInput1 chOperation nInput2;
    }

    The compiler (code::blocks) gives the error, “error: expected ‘;’ before “chOperation”" and “error: expected ‘;’ before “nInput2″”

    I’m trying to make the function return an operation, e.g. 3 + 5 or 4 / 14 or 14 % 8, is this not how I would accomplish this?

    • Deyan

      The “return” function can only return one value at a time. Thus the compiler is expecting to see a ; after nInput1.

      If you really must return more than one value, you may want to try using global variables.

      Good Luck.

  • The Mirror universe episode is on now. ,

  • tartan

    Thank you very much for this tutorial. Seems to be the best online cpp tutorial so far, and I find this part and your comments on coding style of as great importance as explanation of commands, functions etc.

  • Josh

    Should we be able to make a calculator-like program by this listen? Just curious.

  • Lawrence G

    Fantastic guide, I have been trying to write this carrot report for months; your simple breakdown made it possible.

  • rami

    hi i have a problem with my code

    #include <cstdlib>
    #include <iostream>
    
    using namespace std;
    
    int main()
    {
           int GetNumber();
    
           char GetOperation();
    
           int GetNumber2();
    
           int CalResult();
    
           int PrintResult();
           return 0;
    }
    
    int GetNumber()
    {
        int x;
        cin >> x;
        return x;
    }
    
    char GetOperation()
    {
         char chOperation;
         cin >> chOperation;
         return chOperation;
    }
    
    int GetNumber2()
    {
        int y;
        cin >> y;
        return y;
    }
    
    int CalResult(int x, char chOperation, int y);
    
    int PrintResult( CalResult(int x char chOperation int y) );
    
    PrintResult(Presult);
    

    here is the following erros
    44 C:\Users\nabeel\main.cpp expected primary-expression before “int”
    46 C:\Users\nabeel\main.cpp expected constructor, destructor, or type conversion before ‘(‘ token
    46 C:\Users\nabeel\main.cpp expected `,’ or `;’ before ‘(‘ token
    C:\Users\nabeel\Makefile.win [Build Error] [main.o] Error 1

  • replax

    you missed the function prototypes at the beginngin and you need to put the last functions inside of int main(). it’s best for you to read on, your problems will be addressed very soon in alex’s superb tutorials!

  • User1

    I recently decided to teach myself C++ because I would like to get into game programming and well I am glad I found this wonderful tutorial. I understand it will take time and am willing to do give time, but I’m curious if I will be able to make a 2D World (as stated in this article) soon seeing as I am on Chapter 2 at the moment and am a bit confused how to put graphics to program.

    • kurt

      Putting graphics into a program usually uses separate libraries that incorporate c++ to teach the graphics to react/act to one another.
      It is a lot to understand if you want to make games with c++, I am taking a Game Design + Development course and c++ is more used for larger scale games that require a team to implement it.

      If you want to create indie games (games created by you, yourself) you may want to start coding with another program like Flash AS3 (ActionScript) or java.

      This is a really good tutorial on c++ though from all the online / book instructions I have come across (which is a lot) and c++ is really important to know on any coding scale. I would recommend googling graphics programming and see what comes up. Check out DirectX or SDL which are c++ graphic related libraries and there are probably more, those are the only two I know about and somewhat know how to use. DirectX is a very LARGE library though and can be kind of overwhelming. OpenGL is another graphics related one, but I am not sure if it uses windows programming (which is still c++ the libraries are just different)

      Correct me if I am wrong anybody, open to any critiscm.

      Thanks for the great tutorial!

  • Nick

    Hello, I am fairly new to programming and have been finding these tutorials very helpful. Could someone please help me find out what is wrong with my code. Everything compiles fine, but when I run the program the result is for example if I wanted to calculate 1+2 the answer would print 2. The second number always gets printed and not the calculated value.

    #include "stdafx.h"
    #include <iostream>
    
    int GetUserInput();
    char GetMathematicalOperation();
    int CalculateResult(int nInput1, char chOperator, int nInput2);
    void PrintResult(int x);
    using namespace std;
    
    int main()
    {
        // Get first number from user
        int nInput1 = GetUserInput();
    
        // Get mathematical operation from user
        char chOperator = GetMathematicalOperation();
    
        // Get second number from user
        int nInput2 = GetUserInput();
    
        // Calculate result and store into variable nResult
        int nResult = CalculateResult(nInput1, chOperator, nInput2);
    
        // Print result
        PrintResult(nResult);
    
        return 0;
    }
    
    int GetUserInput()
    {
    	int input;
    	cin >> input;
    	return input;
    }
    
    char GetMathematicalOperation()
    {
    	char chOperation;
    	cin >> chOperation;
    	return chOperation;
    }
    
    void PrintResult(int x)
    {
    	cout << x << endl;
    }
    
    int CalculateResult(int nInput1, char chOperator, int nInput2)
    {
    	int x = (nInput1, chOperator, nInput2);
    	return x;
    }

转载于:https://www.cnblogs.com/yuehui/archive/2012/05/03/2480864.html

  • 0
    点赞
  • 0
    收藏
    觉得还不错? 一键收藏
  • 0
    评论

“相关推荐”对你有帮助么?

  • 非常没帮助
  • 没帮助
  • 一般
  • 有帮助
  • 非常有帮助
提交
评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值