ganapati
ganapati

Reputation: 625

C program to convert Dollar to Rupee

Is there a way to write a C program to convert say Dollar to Indian Rupee (or visa-versa). The conversion parameter should not be hard coded but dynamic. More preciously it should get the latest value of Rupee vs Dollar automatically(from Internet) ?

Upvotes: 6

Views: 3461

Answers (2)

codaddict
codaddict

Reputation: 455302

Step 1 would be to get the latest conversion rate. You can use a web-service for that. There are many available. You can try this.

Request:

GET /CurrencyConvertor.asmx/ConversionRate?FromCurrency=INR&ToCurrency=USD HTTP/1.1
Host: www.webservicex.net

Response:

HTTP/1.1 200 OK
Content-Type: text/xml; charset=utf-8
Content-Length: length

<?xml version="1.0" encoding="utf-8"?>
<double xmlns="http://www.webserviceX.NET/">SOME_RATE_IN_DOUBLE</double>

For sending the request you can make use of cURL.

Once you have the response, just parse it to get the rate. Once you've the rate you can easily write the program to convert.

EDIT:

If using cURL is something you are not comfortable with you can make use of good old system and wget. For this you need to construct the URL first like:

www.webservicex.net/CurrencyConvertor.asmx/ConversionRate?FromCurrency=INR&ToCurrency=USD

then from the C program you can do:

char cmd[200];
char URL[] = "www.webservicex.net/CurrencyConvertor.asmx/ConversionRate?FromCurrency=INR&ToCurrency=USD";
sprintf(cmd,"wget -O result.html '%s'",URL); // ensure the URL is in quotes.
system(cmd);

After this the conversion rate is in the file result.html as XML. Just open it and parse it.

If you are using windows, you need to install wget for windows if you don't have it. You can get it here.

Upvotes: 21

Karl
Karl

Reputation: 5733

First, you need to find a server that can provides the conversion rate. After that, you write your program to fetch the rates from that server and use those information further in your program.

This site, http://www.csharphelp.com/2007/01/currency-converter-server-with-c/ although provides a tutorial for C# + Web, it can give you a general technical idea of how to do it.

Upvotes: 0

Related Questions