lokesh341 commited on
Commit
469a287
Β·
verified Β·
1 Parent(s): b5cb4f9

Update app.py

Browse files
Files changed (1) hide show
  1. app.py +51 -104
app.py CHANGED
@@ -6,65 +6,23 @@ from transformers import pipeline
6
  from gtts import gTTS
7
  from pydub import AudioSegment
8
  from pydub.silence import detect_nonsilent
9
- from transformers import AutoConfig # Import AutoConfig for the config object
10
  import time
11
  from waitress import serve
12
  from simple_salesforce import Salesforce
13
- import requests # Import requests for exception handling
 
14
 
15
  app = Flask(__name__, template_folder="templates")
16
  app.secret_key = os.urandom(24)
17
 
18
- # Use whisper-small for faster processing and better speed
19
- device = "cuda" if torch.cuda.is_available() else "cpu"
20
-
21
- # Create config object to set timeout and other parameters
22
- config = AutoConfig.from_pretrained("openai/whisper-small")
23
- config.update({"timeout": 60}) # Set timeout to 60 seconds
24
-
25
- # Function to generate audio prompts
26
- def generate_audio_prompt(text, filename):
27
- try:
28
- tts = gTTS(text)
29
- tts.save(os.path.join("static", filename))
30
- except Exception as e:
31
- print(f"Error: {e}")
32
- time.sleep(5) # Wait before retrying
33
- generate_audio_prompt(text, filename)
34
-
35
- # Generate required voice prompts
36
- prompts = {
37
- "welcome": "Welcome to Biryani Hub.",
38
- "ask_name": "Tell me your name.",
39
- "ask_email": "Please provide your email address.",
40
- "thank_you": "Thank you for registration."
41
- }
42
-
43
- for key, text in prompts.items():
44
- generate_audio_prompt(text, f"{key}.mp3")
45
-
46
- # Function to convert audio to WAV format
47
- def convert_to_wav(input_path, output_path):
48
- try:
49
- audio = AudioSegment.from_file(input_path)
50
- audio = audio.set_frame_rate(16000).set_channels(1) # Convert to 16kHz, mono
51
- audio.export(output_path, format="wav")
52
- except Exception as e:
53
- raise Exception(f"Audio conversion failed: {str(e)}")
54
-
55
- # Function to check if audio contains actual speech
56
- def is_silent_audio(audio_path):
57
- audio = AudioSegment.from_wav(audio_path)
58
- nonsilent_parts = detect_nonsilent(audio, min_silence_len=500, silence_thresh=audio.dBFS-16)
59
- return len(nonsilent_parts) == 0
60
-
61
- # Salesforce connection details
62
  try:
63
  print("Attempting to connect to Salesforce...")
64
  sf = Salesforce(username='diggavalli98@gmail.com', password='Sati@1020', security_token='sSSjyhInIsUohKpG8sHzty2q')
65
- print("Connected to Salesforce successfully!")
66
  except Exception as e:
67
- print(f"Failed to connect to Salesforce: {str(e)}")
68
 
69
  # βœ… HOME ROUTE (Loads `index.html`)
70
  @app.route("/", methods=["GET"])
@@ -76,10 +34,25 @@ def index():
76
  def dashboard():
77
  return render_template("dashboard.html")
78
 
79
- # βœ… MENU PAGE ROUTE
80
  @app.route("/menu_page", methods=["GET"])
81
  def menu_page():
82
- return render_template("menu_page.html")
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
83
 
84
  # βœ… LOGIN API
85
  @app.route('/login', methods=['POST'])
@@ -123,68 +96,42 @@ def submit():
123
  except Exception as e:
124
  return jsonify({'error': str(e)}), 500
125
 
126
- # βœ… TRANSCRIBE AUDIO API
127
- @app.route("/transcribe", methods=["POST"])
128
- def transcribe():
129
- if "audio" not in request.files:
130
- return jsonify({"error": "No audio file provided"}), 400
 
 
 
131
 
132
- audio_file = request.files["audio"]
133
- input_audio_path = os.path.join("static", "temp_input.wav")
134
- output_audio_path = os.path.join("static", "temp.wav")
135
- audio_file.save(input_audio_path)
136
 
 
137
  try:
138
- convert_to_wav(input_audio_path, output_audio_path)
139
- if is_silent_audio(output_audio_path):
140
- return jsonify({"error": "No speech detected. Please try again."}), 400
141
-
142
- asr_pipeline = pipeline("automatic-speech-recognition", model="openai/whisper-small", device=0 if torch.cuda.is_available() else -1, config=config)
143
- result = asr_pipeline(output_audio_path)
144
-
145
- transcribed_text = result["text"].strip().capitalize()
146
-
147
- parts = transcribed_text.split()
148
- name = parts[0] if len(parts) > 0 else "Unknown Name"
149
- email = parts[1] if '@' in parts[1] else "unknown@domain.com"
150
- phone_number = parts[2] if len(parts) > 2 else "0000000000"
151
-
152
- confirmation = f"Is this correct? Name: {name}, Email: {email}, Phone: {phone_number}"
153
- generate_audio_prompt(confirmation, "confirmation.mp3")
154
-
155
- salesforce_response = sf.Customer_Login__c.create({
156
- 'Name': name,
157
- 'Email__c': email,
158
- 'Phone_Number__c': phone_number
159
  })
160
 
161
- return jsonify({"text": transcribed_text, "salesforce_record": salesforce_response})
162
-
163
- except Exception as e:
164
- return jsonify({"error": f"Speech recognition error: {str(e)}"}), 500
165
- # βœ… MENU API
166
- @app.route("/menu", methods=["GET"])
167
- def get_menu():
168
- try:
169
- # Fetch menu items from Salesforce
170
- query = "SELECT Name, Price__c, Ingredients__c, Category__c FROM Menu_Item__c"
171
- result = sf.query(query)
172
-
173
- menu_items = []
174
- for item in result["records"]:
175
- menu_items.append({
176
- "name": item["Name"],
177
- "price": item["Price__c"],
178
- "ingredients": item["Ingredients__c"],
179
- "category": item["Category__c"]
180
  })
181
 
182
- # Pass the menu items to the template
183
- return render_template("menu_page.html", menu=menu_items)
184
-
185
  except Exception as e:
186
- return jsonify({"error": f"Failed to fetch menu: {str(e)}"}), 500
187
-
188
 
189
  # βœ… START PRODUCTION SERVER
190
  if __name__ == "__main__":
 
6
  from gtts import gTTS
7
  from pydub import AudioSegment
8
  from pydub.silence import detect_nonsilent
9
+ from transformers import AutoConfig
10
  import time
11
  from waitress import serve
12
  from simple_salesforce import Salesforce
13
+ import requests
14
+ import datetime
15
 
16
  app = Flask(__name__, template_folder="templates")
17
  app.secret_key = os.urandom(24)
18
 
19
+ # βœ… Salesforce Connection Setup
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
20
  try:
21
  print("Attempting to connect to Salesforce...")
22
  sf = Salesforce(username='diggavalli98@gmail.com', password='Sati@1020', security_token='sSSjyhInIsUohKpG8sHzty2q')
23
+ print("βœ… Connected to Salesforce successfully!")
24
  except Exception as e:
25
+ print(f"❌ Failed to connect to Salesforce: {str(e)}")
26
 
27
  # βœ… HOME ROUTE (Loads `index.html`)
28
  @app.route("/", methods=["GET"])
 
34
  def dashboard():
35
  return render_template("dashboard.html")
36
 
37
+ # βœ… MENU PAGE ROUTE (NEWLY ADDED)
38
  @app.route("/menu_page", methods=["GET"])
39
  def menu_page():
40
+ try:
41
+ query = "SELECT Name, Price__c, Ingredients__c, Category__c FROM Menu_Item__c"
42
+ result = sf.query(query)
43
+
44
+ menu_items = []
45
+ for item in result["records"]:
46
+ menu_items.append({
47
+ "name": item["Name"],
48
+ "price": item["Price__c"],
49
+ "ingredients": item["Ingredients__c"],
50
+ "category": item["Category__c"]
51
+ })
52
+
53
+ return render_template("menu_page.html", menu=menu_items)
54
+ except Exception as e:
55
+ return jsonify({"error": f"Failed to fetch menu: {str(e)}"}), 500
56
 
57
  # βœ… LOGIN API
58
  @app.route('/login', methods=['POST'])
 
96
  except Exception as e:
97
  return jsonify({'error': str(e)}), 500
98
 
99
+ # βœ… PLACE ORDER API (Sends order data to Salesforce)
100
+ @app.route("/place_order", methods=["POST"])
101
+ def place_order():
102
+ data = request.json
103
+ order_items = data.get('order_items') # List of items added to the cart
104
+ total_price = data.get('total_price') # Total price of the order
105
+ customer_name = data.get('customer_name') # Customer details
106
+ customer_email = data.get('customer_email')
107
 
108
+ if not order_items or not total_price or not customer_name or not customer_email:
109
+ return jsonify({'error': 'Missing required fields'}), 400
 
 
110
 
111
+ # Creating order record in Salesforce
112
  try:
113
+ # Create Order record
114
+ order = sf.Order.create({
115
+ 'Customer_Name__c': customer_name,
116
+ 'Customer_Email__c': customer_email,
117
+ 'Total_Price__c': total_price,
118
+ 'Order_Date__c': str(datetime.datetime.now()), # Date when the order was placed
119
+ 'Status__c': 'New'
 
 
 
 
 
 
 
 
 
 
 
 
 
 
120
  })
121
 
122
+ # Create Order Line Items (for each item in the order)
123
+ for item in order_items:
124
+ sf.Order_Line_Item__c.create({
125
+ 'Order__c': order['id'], # Linking to the order
126
+ 'Item_Name__c': item['name'],
127
+ 'Price__c': item['price'],
128
+ 'Quantity__c': item['quantity'],
129
+ 'Total_Price__c': item['price'] * item['quantity']
 
 
 
 
 
 
 
 
 
 
 
130
  })
131
 
132
+ return jsonify({'success': True, 'order_id': order['id']}), 200
 
 
133
  except Exception as e:
134
+ return jsonify({'error': f'Failed to create order in Salesforce: {str(e)}'}), 500
 
135
 
136
  # βœ… START PRODUCTION SERVER
137
  if __name__ == "__main__":