File size: 1,940 Bytes
f98d0eb
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
from flask import Flask, render_template, request, jsonify
import tensorflow as tf
from PIL import Image
import numpy as np
import base64
import io

app = Flask(__name__)

# Load your Keras model (.h5)
model = tf.keras.models.load_model('unique_face_expression_model_.h5')
class_labels = ['Angry', 'Disgust', 'Fear', 'Happy', 'Neutral', 'Sad', 'Surprise']

# Function to preprocess the image before prediction
def preprocess_image(image):
    image = image.resize((48, 48))  # Resize image to match the model input size
    image = image.convert('L')  # Convert image to grayscale (if required by the model)
    image = np.array(image) / 255.0  # Normalize image to [0, 1]
    image = np.expand_dims(image, axis=-1)  # Add channel dimension for grayscale
    image = np.expand_dims(image, axis=0)  # Add batch dimension
    return image

@app.route('/')
def index():
    return render_template('index.html')

@app.route('/predict', methods=['POST'])
def predict():
    if request.is_json and 'image' in request.json:
        # Handle real-time video frame (Base64 string)
        image_data = request.json['image'].split(",")[1]  # Extract base64-encoded image
        image = Image.open(io.BytesIO(base64.b64decode(image_data)))
    elif 'image' in request.files:
        # Handle uploaded image (from file input)
        image_file = request.files['image']
        image = Image.open(image_file)
    else:
        return jsonify({'error': 'No image provided'}), 400

    # Preprocess the image
    processed_image = preprocess_image(image)

    # Make prediction using the Keras model
    prediction = model.predict(processed_image)
    predicted_class = np.argmax(prediction)
    predicted_label = class_labels[predicted_class]

    # Return prediction result
    result = {'prediction': predicted_label}
    return jsonify(result)

if __name__ == '__main__':
    app.run(debug=True)