Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Multiplication with functions in C++

I am new to functions and i am really trying to understand how they work, my teacher gave us a problem where by we were to pass a number to a function between the range of 1-12 and the function was then meant to do the times tales of that number so I asked the user to enter a number and if the number is less then 1 and greater then 12 exit, else pass the number to the function and then I used a for loop to do the multiplication for me (as far as I am aware) but nothing seems to happen? Νo doubt I am doing something really stupid, any help is much appreciated.

#include <iostream>
using namespace std;

int TimesTables (int num);

int main(int argc, const char * argv[]) {
    int number;
    cout << "enter a number to multiply by, with a range of 1-12: ";
    cin >> number;
    if (number < 1 && number > 12)
        return EXIT_FAILURE;
    else {
        int tables = TimesTables(number);
        cout << tables;
    }
    return 0;
}
int TimesTables (int num) {

    for ( int i = 0; num <=12; i ++)
        num = num * i;
    return num;
}
like image 403
Dean Avatar asked Mar 11 '23 02:03

Dean


1 Answers

Running i from 0 is going to set num to 0, and therefore any multiplication after that.

Your loop is also rather dubious. Why are you checking num <= 12 rather than i <= 12?

Shouldn't your loop take the form

for ( int i = 1; i <=12; i ++){
    // Print num * i
    cout << num * i;
}
// There's no need to return anything back to the caller
like image 90
Bathsheba Avatar answered Mar 19 '23 11:03

Bathsheba