Dev-c++ Math Functions

  1. Dev C++ Math Functions
  2. Dev C++ Math Library

Jul 23, 2009  The goal is to be allowed to use GNU library w. Its many math functions in my Dev C environmt. But what is the difference btw downloading the GSL DevPack and 1) downloading gsl-1.8-src.exe 2) Open Dev C and create a new project 3) Click Project-Project Options menu 4) Goto Directories tab 5).

We've talked a little bit about functions in the past - they're pieces of code that can be executed on command. In fact we've been using functions right since the very start of this process, we just haven't really talked about them in depth - this is what this tutorial is all about.

As outlined earlier - a function is simply a piece of code (which may or may not need a value to work properly) that you can execute by 'calling' it. There are a bunch of functions built into the core language, but functions can also be created manually (we'll be learning about this a bit later on). The classic function notation looks like this: functionName();. In the previous snippet we would be calling a function called functionName which doesn't take any values to work properly (if it took any values - we'd put them in the brackets). A classic example of a function is the sqrt function which is defined inside math.h. We used this back in the basic mathematics tutorial, it simply square roots any value you pass to it. If we ever need to pass multiple values to a function, we separate them with a comma - so something like this: functionName(valueone, valuetwo, valuethree);.With this under our belts - let's start learning how to create our very own functions that can execute any preset code for us. For this tutorial we are going to work on creating a function which can add two numbers together.

Mar 21, 2013  Programming in C & C Episode 0036 - Math Functions - abs and sqrt - Duration: 8:56. Danontech 4,321 views. Nov 15, 2005  of the sine function that can on occasion give a result that is slightly outside the range -1,1. This is also allowed. (A naive implementation of the Cody-Waite algorithm might do that.) An interesting mathematical problem is this: Implement sin (x) and cos (x) in such a way that for all values of x, double s = sin (x) double c = cos (x). Keep in mind that C mathematical operations follow a particular order much the same as high school math. For example, multiplication and division take precedence over addition and subtraction. The order in which these operations are evaluated can be changed using parentheses. Adding, Subtracting, Multiplying and Dividing edit. This program is divided in two functions: addition and main. Remember that no matter the order in which they are defined, a C program always starts by calling main. In fact, main is the only function called automatically, and the code in any other function is only executed if its function is called from main (directly or indirectly). Prev Next All C inbuilt functions which are declared in stdio.h header file are given below. The source code for stdio.h header file is also given below for your reference. List of inbuilt C functions in stdio.h file: Function Description printf This function is used to print the character, string, float, integer, octal and hexadecimal values onto the output screen scanf This function is. Header declares a set of functions to compute common mathematical operations and transformations.

Believe it or not, you've already got one function in your basic program structure. The main function! Let's dissect it a little so we can use something similar to create custom functions. The first thing it consists of is the function's type - it's an int in this case because the main function needs to be an int to be the int main that the compiler recognises as the program's entry point. The next thing (seperated from the type by a space) is the function's name - in this case it's main, and as I just alluded to, this is so the compiler recognises it as a point of entry. Next we have some empty brackets - these are here to illustrate that the function doesn't take any values, if we wanted a function to take values in (in the case of the function we want to create - we'll need to take two values so we can add them together) then we would put them inside the brackets. From here we simply have some curly brackets, inside which is the actual code we want the function to execute when called.

So firstly - why do functions need a type? Well, it's all to do with return. If a function is of type int, it must return an integer (e.g. return 0 which in the case of the main function illustrates that the program exited without any errors). Values that functions return essentially go in the place where the function was originally called - so the sqrt function returns the result of the square root operation (hence when we put it in a cout or something, the square root value get's inserted at the point we called it). Function can have the type of any version of our function, let's just create a function which can output some basic text - let's stick with the classics and make it output 'Hello World'. So firstly let's decide on a type and name - void is probably a good choice here as we can just use cout in the function rather than making it return anything. For the name, I'm going to go with 'say_hello'. So to make the function, we simply write a definition (the structure of which we've already talked about) before the main function in the code. It's important that it's before, otherwise the compiler won't know what you're talking about when you reference the function in main. The following would work fine for our simply say_hello function (I've just used the basic structure we've already discussed and put a cout inside):

Alternatively, you could put the function definition below the main function and simply leave what is called a prototype before the main function (to tell the compiler not to worry when trying to call the function in main as we define it later). A prototype is essentially just the first line of our function definition (no curly brackets) with a semi-colon afterwards. So if we wanted to use the prototype approach instead of putting the function before (some people prefer doing things this way - a lot of it is down to personal preference), we could do something like this:

Library

Now you've got the function setup (either before the main function, or after with a function prototype before) - you can go ahead and call it from the main function using the process we talked about earlier (while we're talking about this - it's worth noting that functions can call each other if you want this nested-like functionality with multiple functions).

So our code at the moment should look something like this (I'm not going to use prototypes in this example just to avoid confusing anyone who doesn't quite understand them):

On running the above program, you should see that our basic function works! Brilliant, now let's modify it a bit so that it can add two numbers. Firstly let's change its name from 'say_hello' to something more appropriate like 'add_two_integers'. For now we can leave it as void and then make it simply do the addition in the cout - but we'll change this later and make it instead use return. Now let's make it take in two integer values, as it requires these to do its job properly (how else would it add two numbers?) - we write these just like variable definitions apart from they are inside the function definition's brackets (and inside the prototype brackets too if you're using a function prototype). If you want the function to take more than one value (like we do), then you can separate the values with commas. I'm going to call the parameters that my function takes (the proper terminology for the values it takes), 'value_one', and 'value_two'. Our function definition at the moment should look something like this:

Dev C++ Math Functions

From here, we can reference 'value_one' and 'value_two' (or whatever you called the 'variables' in the function definition) in our function and it will refer to whatever values the function was called with. It's important to note that if you try to call the function with two values that do not match the type of those that you put in the function definition (or you specify a different number of values) - the compiler should spit out an error telling you that it can't find the function you're talking about. So with the knowledge that we can reference variables that the function was passed, let's make our function output the addition of the two variables it was passed:

It's that simple, as long as we update our function call so that it uses the correct function name and passes the correct values, everything should work!

Excellent! The only problem is that our function for adding two integers isn't usable if we want to put the number in a more complex cout, do more mathematics to it, or pass it to another function. Our function's name is also a little bit misleading as the function doesn't actually add two integers, it outputs the addition of two integers. To fix this, let's just change the function type and use return. Since the addition of two integers should always result in an integer, we can use the int function type. Now we've done this we must make the function return a value or the compiler will (should) complain. Let's go ahead and remove the cout line currently in there as it's getting in the way, and replace it instead with a line that returns the addition.

All we need to do now is update the function call in main so we actually use the value it returns somehow - I'm just going to multiply the addition of the two values by 2. The full source code should look something like the following:

And tada, we created our very own fully functional function! This is a very important technique when creating applications/programs using C++ and should be a process you get very used to in the creation process. If you fancy the challenge, try creating a basic function that takes three parameters - it adds the first two, and then multiplies the result by the third parameter if the third parameter is less than 100.

There are a few more things we should probably talk about before this tutorial is over, namely what we can do when some parameters are not specified. The first thing we can do is something called overloading functions. This is a key concept in C++ which allows you to write two or more functions with the same name that take different parameters!

At current, our 'add_two_integers' function will only be called when we pass it two integer values, however we could, if we wanted, write a function with the same name that takes different parameters or parameters of different types, and the compiler would call the correct function for the job depending on the parameters we passed in. Let's say, for example, that we also wanted a version of our function that added floats -- if we renamed the function to 'add_two_numbers' (so that the name makes more sense), we could write both versions of our function (one for integers and one for floats) like so:

In the example above, we could then call 'add_two_numbers' with either two integers or two floats without a problem, and the appropriate function would be called. Similarly, we could, if we wanted, make a function with the same name that just takes completely different parameters, and the compiler would choose the right one, spitting out an error if it can't find one which takes the parameters we're giving it. This concept is very important when creating bigger applications and is used all over the place in the world of C-programming.

The other way we could address the 'issue' of the wrong number of parameters being passed (although not the wrong type), is by using default parameters. This is essentially where we can just give a value to use for a parameter if none are specified, so in our 'add_two_numbers' function we might want to default the values to 0 and 0 if no parameters are passed to it -- this can be accomplished via an equals sign in the function parameter declaration brackets:

Dev c++ math library

In the above we could just call add_two_numbers (); with no problem. It's important to remember that after the first default parameter in a function declaration (e.g. int value_one = 0), all preceding parameters must also have default values assigned to them (and if you think about it, this makes sense).

It heavily depends on usage situations, but function overloads are often preferable to default parameters in situations in which overloads don't cause a whole bunch of code repeating -- this is because mixing default parameters and function overloads can mess things up a little bit. Consider the following in which the compiler doesn't know which function to use:

Dev C++ Math Library

Your compiler should spit out an error in cases like this - something along the lines of 'ambiguous call to overloaded function', but be careful as this can really mess up your code and cause a lot of confusion!

To tie off this tutorial, let's just touch on a concept called recursion. Recursion, in the context of functions, is where a function calls itself. This concept can seem a little bit confusing at first, however it shouldn't be totally alien to you. Usually it's best when people figure out recursion for themselves, so all I'm going to do to help you along is show you the following example of recursion:

Recursion can be a little mind-bending, and in the above example isn't entirely necessary, but it's a very important topic when programming and is the best solution in a number of situations. If you don't understand the above code snippet, try running through the program line-by-line, starting from the 'countdown' call in 'main', and just do exactly what your program would do upon execution in your mind. We've covered a lot in this tutorial so you should be doing a lot of experimentation to test out the different things demonstrated -- none of the concepts covered should be hard as nails, but you need to make sure you fully understand them before moving on to the next tutorial (as is the case with most of the tutorials in this course - each tutorial builds on things learnt from the last).

< C++ Programming‎ Code/Standard C Library
The latest reviewed version was checked on 9 June 2017. There are 2 pending changes awaiting review.

All Standard C Library Functions
[edit]

FunctionsDescriptions
abortstops the program
absabsolute value without minus
acosarc cosine
asctimea textual version of the time
asinarc sine
assertstops the program if an expression isn't true
atanarc tangent
atan2arc tangent, using signs to determine quadrants
atexitsets a function to be called when the program exits
atofconverts a string to a double
atoiconverts a string to an integer
atolconverts a string to a long
bsearchperform a binary search
callocallocates and clears a two-dimensional chunk of memory
ceilthe smallest integer not less than a certain value
clearerrclears errors
clockreturns the amount of time that the program has been running
coscosine
coshhyperbolic cosine
ctimereturns a specifically formatted version of the time
difftimethe difference between two times
divreturns the quotient and remainder of a division
exitstop the program
expreturns 'e' raised to a given power
fabsabsolute value for floating-point numbers
fcloseclose a file
feoftrue if at the end-of-file
ferrorchecks for a file error
fflushwrites the contents of the output buffer
fgetcget a character from a stream
fgetposget the file position indicator
fgetsget a string of characters from a stream
floorreturns the largest integer not greater than a given value
fmodreturns the remainder of a division
fopenopen a file
fprintfprint formatted output to a file
fputcwrite a character to a file
fputswrite a string to a file
freadread from a file
freereturns previously allocated memory to the operating system
freopenopen an existing stream with a different name
frexpdecomposes a number into scientific notation
fscanfread formatted input from a file
fseekmove to a specific location in a file
fsetposmove to a specific location in a file
ftellreturns the current file position indicator
fwritewrite to a file
getcread a character from a file
getcharread a character from STDIN
getenvget environment information about a variable
getsread a string from STDIN
gmtimereturns a pointer to the current Greenwich Mean Time
isalnumtrue if a character is alphanumeric
isalphatrue if a character is alphabetic
iscntrltrue if a character is a control character
isdigittrue if a character is a digit
isgraphtrue if a character is a graphical character
islowertrue if a character is lowercase
isprinttrue if a character is a printing character
ispuncttrue if a character is punctuation
isspacetrue if a character is a space character
isuppertrue if a character is an uppercase character
itoaConvert a integer to a string
isxdigittrue if a character is a hexadecimal character
labsabsolute value for long integers
ldexpcomputes a number in scientific notation
ldivreturns the quotient and remainder of a division, in long integer form
localtimereturns a pointer to the current time
lognatural logarithm
log10natural logarithm, in base 10
longjmpstart execution at a certain point in the program
mallocallocates memory
memchrsearches an array for the first occurrence of a character
memcmpcompares two buffers
memcpycopies one buffer to another
memmovemoves one buffer to another
memsetfills a buffer with a character
mktimereturns the calendar version of a given time
modfdecomposes a number into integer and fractional parts
perrordisplays a string version of the current error to STDERR
powreturns a given number raised to another number
printfwrite formatted output to STDOUT
putcwrite a character to a stream
putcharwrite a character to STDOUT
putswrite a string to STDOUT
qsortperform a quicksort.
raisesend a signal to the program
randreturns a pseudo-random number
reallocchanges the size of previously allocated memory
removeerase a file
renamerename a file
rewindmove the file position indicator to the beginning of a file
scanfread formatted input from STDIN
setbufset the buffer for a specific stream
setjmpset execution to start at a certain point
setlocalesets the current locale
setvbufset the buffer and size for a specific stream
signalregister a function as a signal handler
sinsine
sinhhyperbolic sine
sprintfwrite formatted output to a buffer
sqrtsquare root
srandinitialize the random number generator
sscanfread formatted input from a buffer
strcatconcatenates two strings
strchrfinds the first occurrence of a character in a string
strcmpcompares two strings
strcollcompares two strings in accordance to the current locale
strcpycopies one string to another
strcspnsearches one string for any characters in another
strerrorreturns a text version of a given error code
strftimereturns individual elements of the date and time
strlenreturns the length of a given string
strncatconcatenates a certain amount of characters of two strings
strncmpcompares a certain amount of characters of two strings
strncpycopies a certain amount of characters from one string to another
strpbrkfinds the first location of any character in one string, in another string
strrchrfinds the last occurrence of a character in a string
strspnreturns the length of a substring of characters of a string
strstrfinds the first occurrence of a substring of characters
strtodconverts a string to a double
strtokfinds the next token in a string
strtolconverts a string to a long
strtoulconverts a string to an unsigned long
strxfrmconverts a substring so that it can be used by string comparison functions
systemperform a system call
tantangent
tanhhyperbolic tangent
timereturns the current calendar time of the system
tmpfilereturn a pointer to a temporary file
tmpnamreturn a unique filename
tolowerconverts a character to lowercase
toupperconverts a character to uppercase
ungetcputs a character back into a stream
va_arguse variable length parameter lists
vprintf, vfprintf, and vsprintfwrite formatted output with variable argument lists
vscanf, vfscanf, and vsscanfread formatted input with variable argument lists

These routines included on the Standard C Library can be sub divided into:

Retrieved from 'https://en.wikibooks.org/w/index.php?title=C%2B%2B_Programming/Code/Standard_C_Library/Functions&oldid=3560645'