Golang : Reverse IP address for reverse DNS lookup example
Problem:
You need to reverse a given IPv4 address into a DNS reverse record form to perform reverse DNS lookup or simply want to read an IP address backwards. How to do that?
Solution:
Break the given IP address into a slice and reverse the octets sequence with a for loop.
Edit: The previous solution used the sort
package. However, it will sort the IP during reverse sorting(which is working as intended) ... instead of just reversing.
10.106
to 106.10
and this will introduce hard to trace bug.
Before : 106.10.138.240
After : 240.138.106.10 <-- notice the position of 106 octet swapped with 10 octet
The solution below will just reverse the octets position and no sort.
Here you go!
package main
import (
"fmt"
"net"
"strings"
)
func ReverseIPAddress(ip net.IP) string {
if ip.To4() != nil {
// split into slice by dot .
addressSlice := strings.Split(ip.String(), ".")
reverseSlice := []string{}
for i := range addressSlice {
octet := addressSlice[len(addressSlice)-1-i]
reverseSlice = append(reverseSlice, octet)
}
// sanity check
//fmt.Println(reverseSlice)
return strings.Join(reverseSlice, ".")
} else {
panic("invalid IPv4 address")
}
}
func main() {
ipAddress := net.ParseIP("106.10.138.240")
fmt.Println("Before : ", ipAddress.To4())
reverseIpAddress := ReverseIPAddress(ipAddress)
fmt.Println("After : ", reverseIpAddress)
// convert to DNS reverse record form
reverseIpAddress = reverseIpAddress + ".in-addr.arpa"
fmt.Println("With in-addr.arpa : ", reverseIpAddress)
}
Output:
Before : 106.10.138.240
After : 240.138.10.106
With in-addr.arpa : 240.138.10.106.in-addr.arpa
References:
https://golang.org/pkg/sort/#StringSlice
http://unix.stackexchange.com/questions/132779/how-to-read-an-ip-address-backwards
See also : Golang : Check if IP address is version 4 or 6
By Adam Ng
IF you gain some knowledge or the information here solved your programming problem. Please consider donating to the less fortunate or some charities that you like. Apart from donation, planting trees, volunteering or reducing your carbon footprint will be great too.
Advertisement
Tutorials
+22.6k Golang : untar or extract tar ball archive example
+22.4k Generate checksum for a file in Go
+17.8k Golang : Get all upper case or lower case characters from string example
+8.2k Golang: Prevent over writing file with md5 hash
+23k Golang : Print out struct values in string format
+20.6k Golang : Convert PNG transparent background image to JPG or JPEG image
+12.2k Golang : 2 dimensional array example
+16.9k Golang : XML to JSON example
+6.8k Nginx : Password protect a directory/folder
+18.9k Golang : Check whether a network interface is up on your machine
+30.1k Golang : How to verify uploaded file is image or allowed file types