How do you validate that a string is a valid IPv4 address in C++?

C++String

C++ Problem Overview


I don't need to validate that the IP address is reachable or anything like that. I just want to validate that the string is in dotted-quad (xxx.xxx.xxx.xxx) IPv4 format, where xxx is between 0 and 255.

C++ Solutions


Solution 1 - C++

You probably want the inet_pton, which returns -1 for invalid AF argument, 0 for invalid address, and +1 for valid IP address. It supports both the IPv4 and future IPv6 addresses. If you still need to write your own IP address handling, remember that a standard 32-bit hex number is a valid IP address. Not all IPv4 addresses are in dotted-decimal notation.

This function both verifies the address, and also allows you to use the same address in related socket calls.

Solution 2 - C++

Boost.Asio provides the class ip::address. If you just want to verify the string, you can use it like this:

std::string ipAddress = "127.0.0.1";
boost::system::error_code ec;
boost::asio::ip::address::from_string( ipAddress, ec );
if ( ec )
    std::cerr << ec.message( ) << std::endl;

This also works for hexadecimal and octal quads. This is also a much more portable solution.

Solution 3 - C++

The solution that I settled on was:

#include <arpa/inet.h>
// ...
bool Config::validateIpAddress(const string &ipAddress)
{
    struct sockaddr_in sa;
    int result = inet_pton(AF_INET, ipAddress.c_str(), &(sa.sin_addr));
    return result != 0;
}

This works for most cases that were mentioned in other answers. It doesn't recognize IP addresses with octal or hex formatting, but that's acceptable for my application.

Solution 4 - C++

This looks deceptively simple but has a few pitfalls. For example, many of the solutions posted in the previous answers assume that the quads are in base 10 - but a quad starting with a zero must be treated as a base 8 (octal) number, hence for example any quad part starting with zero and containing the digits 8 or 9 is not valid. I.e, the IP number 192.168.1.010 is not 192.168.1.10 but in reality is 192.168.1.8, and the IP number 192.168.019.14 is not valid since the third quad contains the invalid base 8 digit 9.

I emphatically encourage you to use the functions provided by the socket library included in your operating system or compiler environment.

Edit: (Thought it was implicit, but) of course, you can also have hexadecimal quads, a la 192.168.1.0x0A for 192.168.1.10, and of course you can mix and match to your sadistic content happily using upper and lower case, a la 0xC0.0xa8.1.010 for 192.168.1.8. Try some examples using ping if you want to have fun. This works just fine cross-platform (tested a while back while swearing under Linux, NetBSD, and Win32.)

Further edit in response to KaluSingh Gabbar's request: For example, you can specify 192.168.1.10 as 0xc0a8010a and it still represents a valid IP number, a la:

[mihailim@home ~]$ ping 0xc0a8010a
PING 0xc0a8010a (192.168.1.10) 56(84) bytes of data.
^C
--- 0xc0a8010a ping statistics ---
3 packets transmitted, 0 received, 100% packet loss, time 2479ms

Solution 5 - C++

Here's one straightforward method.

bool IsIPAddress(std::string & ipaddr)
    {    

    StringTokenizer quads(ipaddr,".");

    if (quads.countTokens() != 4) return false;

    for (int i=0; i < 4; i++)
      {
      std::string quad = quads.nextToken();
      for (int j=0; j < quad.length(); j++
         if (!isdigit(quad[j])) return false;

      int quad = atoi(quads.GetTokenAt(i));
      if (quad < 0) || (quad > 255)) return false;
      }

    return true;
    }
      

Solution 6 - C++

If you are on windows you can make use of WSAStringToAddress and based on the return value we know, if the passed argument is valid IP or not. This supports both IPv4 & IPv6 from Windows 2000 onwards.

Solution 7 - C++

You can write your own function like this:

bool isValidIPv4(const char *IPAddress)
{
   unsigned char a,b,c,d;
   return sscanf(IPAddress,"%d.%d.%d.%d", &a, &b, &c, &d) == 4;
}

sscanf() and sprintf() are very useful in some situation. :))

Solution 8 - C++

Boost.Regex would be appropriate.

bool validate_ip_address(const std::string& s)
{
   static const boost::regex e("\\d{1,3}\\.\\d{1,3}\\.\\d{1,3}\\.\\d{1,3}");
   return regex_match(s, e);
}

Solution 9 - C++

If you wanted to write this yourself rather than use a library then

atoi() to convert characters to ints will let you test the range of each number, and some strcmp's between the "."'s. You can also do some quick checks, such as the length of the string (should be less than 16 characters (not including null terminator), number of dots. etc.

But, it's probably MUCH easier to use existing code.

Solution 10 - C++

I have done the same using only C stdlib functions altough it does not support octal quads as mentioned above, but that should not be an issue, I can easily add that part and give it to you. Being a beginner (student) I din't even know until now that it is possible to get an octal number within your ip. I thought it must be a decimal.

Solution 11 - C++

Here is the C program to validate a given IPV4 address. I have assumed that IP address is in decimal format. Please give me your thoughts on this.

  // strTokenFunction.cpp : Check if the specified address is a valid numeric IP address.
  // This function is equavalent to the IPAddress.TryParse() method in C#

#include "stdafx.h"
#include <stdio.h>
#include <conio.h>
#include <string.h>

bool isValidIpAddress(char *st)
{
	int num, i, len;
	char *ch;

	//counting number of quads present in a given IP address
	int quadsCnt=0;

	printf("Split IP: \"%s\"\n", st);

	len = strlen(st);

	//  Check if the string is valid
	if(len<7 || len>15)
		return false;

	ch = strtok(st, ".");

	while (ch != NULL) 
	{
		quadsCnt++;
		printf("Quald %d is %s\n", quadsCnt, ch);

		num = 0;
		i = 0;

		//  Get the current token and convert to an integer value
		while(ch[i]!='\0')
		{
			num = num*10;
			num = num+(ch[i]-'0');
			i++;
		}

		if(num<0 || num>255)
		{
			printf("Not a valid ip\n");
			return false;
		}

		if( (quadsCnt == 1 && num == 0) || (quadsCnt == 4 && num == 0))
		{
			printf("Not a valid ip, quad: %d AND/OR quad:%d is zero\n", quadsCnt, quadsCnt);
			return false;
		}

		ch = strtok(NULL, ".");
	}

	//  Check the address string, should be n.n.n.n format
	if(quadsCnt!=4)
	{
		return false;
	}

	//  Looks like a valid IP address
	return true;
}

int main() 
{
	char st[] = "192.255.20.30";
	//char st[] = "255.255.255.255";
	//char st[] = "0.255.255.0";

	if(isValidIpAddress(st))
	{
		printf("The given IP is a valid IP address\n"); 
	}
	else
	{
		printf("The given IP is not a valid IP address\n");
	}
}

Solution 12 - C++

You could accomplish this very easily with boost tokenizer and boost char_separator.

http://www.boost.org/doc/libs/1_37_0/libs/tokenizer/char_separator.htm

Solution 13 - C++

If you don't want the overhead of Boost or TR1 you could search for the dots and check if the characters between them are numbers from 0 to 255.

Solution 14 - C++

vector<string> &split(const string &s, char delim, vector<string> &elems) {
    stringstream ss(s);
    string item;
    while(getline(ss, item, delim)) {
       elems.push_back(item);
    }
    return elems;
}

vector<string> split(const string &s, char delim) {
   vector<string> elems;
   return split(s, delim, elems);
}


bool isIPAddress(string  ipaddr){

    if (ipaddr.length()){
            vector<string> _ip=split(ipaddr,'.');
            if (_ip.size()==4){
                    for (int i=0; i < 4; i++){
                            for (int j=0; j < _ip[i].length(); j++)
                                    if (!isdigit(_ip[i][j])) return false;
                            if ((atoi(_ip[i].c_str()) < 0) || (atoi(_ip[i].c_str()) > 255)) return false;
                    }
            return true;
            }
    }
    return false;
 }

Solution 15 - C++

some minor fixes to fix some cases as 127..0.1, 127.0.0.. and remove spaces if have:



#include &lt;iostream&gt;
#include &lt;vector&gt;
#include &lt;string&gt;
#include &lt;sstream&gt;
#include &lt;algorithm&gt;
#include &lt;iterator&gt;
#include &lt;stdio.h&gt;

using namespace std;

vector<string> split(char* str, char delimiter)
{
	const string data(str);
	vector<string> elements;
	string element;
	for(int i = 0; i < data.size(); ++i)
	{
		if (data[i] == delimiter)
		{
			if (element.length() > 0) {//resolve problem: 127.0..1
				elements.push_back(element);
				element.clear();
			}
		}
		else if (data[i] != ' ')
		{
			element += data[i];
		}

	}
	if (element.length() > 0)//resolve problem: 127.0..1
		elements.push_back(element);
	return elements;
}

bool toInt(const string& str, int* result)
{
	if (str.find_first_not_of("0123456789") != string::npos)
		return false;

	stringstream stream(str);
	stream >> *result; // Should probably check the return value here
	return true;
}

/** ipResult: the good ip address, e.g. spaces are removed */
bool validate(char* ip, string *ipResult)
{
	const static char delimiter = '.';
	const vector<string> parts = split(ip, delimiter);
	*ipResult = "";
	if (parts.size() != 4)
		return NULL;

	for(int i = 0; i < parts.size(); ++i)
    {
		int part;
		if (!toInt(parts[i], &part)) {
			*ipResult = "";
			return false;
		}
		if (part < 0 || part > 255)
			return NULL;

		if (i == 3) {
			*ipResult += parts[i];
		} else {
			*ipResult += (parts[i] +".");
		}

	}
	return true;
}

int main()
{
	string ip;
	printf("right %d\n", validate("127.0.0.1", &ip));
	printf("good ip: %s\n", ip.c_str());
	printf("wrong %d\n", validate("127.0.0.-1", &ip));
	printf("good ip: %s\n", ip.c_str());
	printf("wrong %d\n", validate("127..0.1", &ip));
	printf("good ip: %s\n", ip.c_str());
	printf("wrong %d\n", validate("...0.1", &ip));
	printf("good ip: %s\n", ip.c_str());
	printf("wrong %d\n", validate("127.0.0.", &ip));
	printf("good ip: %s\n", ip.c_str());
	printf("right %d\n", validate("192.168.170.99", &ip));
	printf("good ip: %s\n", ip.c_str());
	printf("right %d\n", validate("127.0 .0  .1", &ip));
	printf("good ip: %s\n", ip.c_str());
	printf("\n");

	system("pause");

	return 0;
}


Solution 16 - C++

If you wish to receive an IP address in the usual form (8.8.8.8, 192.168.1.1, etc...) Then I've written the following code that expands on Bjorn's answer:

void validateIP(const std::string &IPv4_address)
{
	boost::system::error_code error_code;
	auto raw_ipv4_address = boost::asio::ip::address::from_string(IPv4_address, error_code);
	if (error_code)
	{
		throw std::invalid_argument(error_code.message());
	}

	std::string raw_to_string_form = raw_ipv4_address.to_string();
	if (raw_to_string_form.compare(IPv4_address))
	{
		throw std::invalid_argument("Input IPv4 address is invalid");
	}
}

The reason being is that if you pass on an IP such as 8.88.8, or 12345 (decimal form), Bjorn's answer won't throw an error. (at least with boost 1.68) My code converts any form to the internal structure in Boost, then converts it back to a dotted-decimal format, we then compare it to the first IP we received to see if they are equal, if not, we know for sure that the input is not the way we wanted it.

Solution 17 - C++

void validate_ip_address(const std::string& s) {
    const std::string number_0_255 = "((([0-9])|([1-9][0-9])|(1[0-9][0-9]|2[0-4][0-9]|25[0-5])){1})";
    const std::string dot = "(\\.){1}";
    static const boost::regex e(number_0_255 + dot + number_0_255 + dot + number_0_255 + dot + number_0_255);
    if (!regex_match(s, e)) {
        throw std::runtime_error(std::string("Uncorrect address IP: ") + s);
    }
}

Attributions

All content for this solution is sourced from the original question on Stackoverflow.

The content on this page is licensed under the Attribution-ShareAlike 4.0 International (CC BY-SA 4.0) license.

Content TypeOriginal AuthorOriginal Content on Stackoverflow
QuestionBill the LizardView Question on Stackoverflow
Solution 1 - C++Raymond MartineauView Answer on Stackoverflow
Solution 2 - C++Björn PollexView Answer on Stackoverflow
Solution 3 - C++Bill the LizardView Answer on Stackoverflow
Solution 4 - C++Mihai LimbășanView Answer on Stackoverflow
Solution 5 - C++SteveView Answer on Stackoverflow
Solution 6 - C++user1740538View Answer on Stackoverflow
Solution 7 - C++Kim NinhView Answer on Stackoverflow
Solution 8 - C++Martin CoteView Answer on Stackoverflow
Solution 9 - C++xanView Answer on Stackoverflow
Solution 10 - C++Ramadheer SinghView Answer on Stackoverflow
Solution 11 - C++SaviView Answer on Stackoverflow
Solution 12 - C++MarcinView Answer on Stackoverflow
Solution 13 - C++EricSchaeferView Answer on Stackoverflow
Solution 14 - C++AmirView Answer on Stackoverflow
Solution 15 - C++user2314327View Answer on Stackoverflow
Solution 16 - C++A. SmoliakView Answer on Stackoverflow
Solution 17 - C++Piotr KView Answer on Stackoverflow