Spaces:
Runtime error
Runtime error
import logging | |
import os | |
from flask import Flask, render_template, request, jsonify | |
from flask_cors import CORS | |
import worker # Import the worker module | |
# Initialize Flask app and CORS | |
app = Flask(__name__) | |
cors = CORS(app, resources={r"/*": {"origins": "*"}}) | |
app.logger.setLevel(logging.ERROR) | |
# Ensure worker is initialized | |
worker.init_llm() | |
# β Create an uploads directory if it doesn't exist (with proper permissions) | |
UPLOAD_FOLDER = "./uploads" | |
try: | |
os.makedirs(UPLOAD_FOLDER, exist_ok=True) | |
os.chmod(UPLOAD_FOLDER, 0o777) # Ensure full read/write permissions | |
print(f"Uploads directory created or exists: {UPLOAD_FOLDER}") | |
except Exception as e: | |
print(f"Error creating uploads directory: {str(e)}") | |
# Define the route for the index page | |
def index(): | |
return render_template('index.html') # Render the index.html template | |
# Define the route for processing messages | |
def process_message_route(): | |
user_message = request.json.get('userMessage', '') # Extract the user's message from the request | |
if not user_message: | |
return jsonify({"botResponse": "Please enter a valid message."}), 400 | |
bot_response = worker.process_prompt(user_message) # Process the user's message using the worker module | |
# Return the bot's response as JSON | |
return jsonify({"botResponse": bot_response}), 200 | |
# Define the route for processing documents | |
def process_document_route(): | |
# Check if a file was uploaded | |
if 'file' not in request.files: | |
return jsonify({ | |
"botResponse": "It seems like the file was not uploaded correctly. Please try again." | |
}), 400 | |
file = request.files['file'] # Extract the uploaded file from the request | |
file_path = os.path.join(UPLOAD_FOLDER, file.filename) # Save file in the uploads directory | |
try: | |
file.save(file_path) # Save the file | |
worker.process_document(file_path) # Process the document using the worker module | |
return jsonify({ | |
"botResponse": "Thank you for providing your PDF document. I have analyzed it, so now you can ask me any " | |
"questions regarding it!" | |
}), 200 | |
except Exception as e: | |
return jsonify({"botResponse": f"Error saving the file: {str(e)}"}), 500 | |
# Run the Flask app | |
if __name__ == "__main__": | |
app.run(debug=True, port=8000, host='0.0.0.0') | |