I'm trying to write a little HTTP server using netcat. For plain text files this works fine but when I try to send a picture, the browser displays only the icon for broken images. What I do is extracting the mime-type and size of a requested file and cat it to the client. The header of a request of my example picture looks like this:
HTTP/1.0 200 OK
Content-Length: 197677
Content-Type: image/jpeg
This is my bash script which I launch with -e option of the netcat tool:
#!/bin/bash
# -- OPTIONS
index_page=index.htm
error_page=notfound.htm
# -- CODE
# read request
read -s input
resource=$(echo $input | grep -P -o '(?<=GET \/).*(?=\ )') # extract requested file
[ ! -n "$resource" ] && resource=$index_page # if no file requested, set to default
[ ! -f "$resource" ] && resource=$error_page # if requested file not exists, show error pag
# generate output
http_content_type=$(file -b --mime-type $resource) # extract mime type
case "$(echo $http_content_type | cut -d '/' -f2)" in
html|plain)
output=$(cat $resource)
# fix mime type for plain text documents
echo $resource | grep -q '.css$' && http_content_type=${http_content_type//plain/css}
echo $resource | grep -q '.js$' && http_content_type=${http_content_type//plain/javascript}
;;
x-php)
output=$(php $resource)
http_content_type=${http_content_type//x-php/html} # fix mime type
;;
jpeg)
output=$(cat $resource)
;;
png)
output=$(cat $resource)
;;
*)
echo 'Unknown type'
esac
http_content_length="$(echo $output | wc -c | cut -d ' ' -f1)"
# sending reply
echo "HTTP/1.0 200 OK"
echo "Content-Length: $http_content_length"
echo -e "Content-Type: $http_content_type\n"
echo $output
Would be very happy if someone is able to help me :-)