Golang : How to tell if a file is compressed either gzip or zip ?
Sometimes it is good to check if a file is really in compressed form or not by examining the actual data bytes and not relying on the file extension alone. This tutorial will show you how to use http.DetectContentType() function to determine if a file is really compressed or not.
Here are the codes:
package main
import (
"flag"
"fmt"
"net/http"
"os"
)
func main() {
flag.Parse() // get the arguments from command line
sourcefile := flag.Arg(0)
// open a file that you wish to check
// if it is compressed or not
if sourcefile == "" {
fmt.Println("Usage : detectcompress sourcefile")
os.Exit(1)
}
file, err := os.Open(sourcefile)
if err != nil {
fmt.Println(err)
os.Exit(1)
}
defer file.Close()
buff := make([]byte, 512)
// why 512 bytes ? see http://golang.org/pkg/net/http/#DetectContentType
_, err = file.Read(buff)
if err != nil {
fmt.Println(err)
os.Exit(1)
}
filetype := http.DetectContentType(buff)
fmt.Println(filetype) // for info
switch filetype {
case "application/x-gzip", "application/zip":
fmt.Println("File is compressed with gzip or zip")
default:
fmt.Println("File is not compressed")
}
}
Sample output :
./detectzip testfile.sql
text/plain; charset=utf-8
File is not compressed
./detectzip testfile.unknown
application/zip
File is compressed with gzip or zip
Reference :
See also : Golang : How to verify uploaded file is image or allowed file types
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
+7.3k Golang : Word limiter example
+17.4k Golang : Clone with pointer and modify value
+13k Golang : How to calculate the distance between two coordinates using Haversine formula
+9k nginx: [emerg] bind() to 0.0.0.0:80 failed (98: Address already in use)
+6.2k Golang : Test input string for unicode example
+5.9k Golang : Grab news article text and use NLP to get each paragraph's sentences
+14.1k Golang : Get uploaded file name or access uploaded files
+6.8k Golang : Decode XML data from RSS feed
+4.5k JavaScript : Rounding number to decimal formats to display currency
+18.9k Golang : When to use public and private identifier(variable) and how to make the identifier public or private?
+4.5k Mac OSX : Get disk partitions' size, type and name
+6.7k Golang : Find the longest line of text example