File size: 6,974 Bytes
409647f
 
2c20e27
9497eb7
409647f
9497eb7
 
 
2c20e27
 
 
 
 
 
 
 
 
9497eb7
 
 
 
2c20e27
6b1b98f
 
 
 
 
 
 
 
 
 
 
 
 
 
 
9497eb7
 
409647f
 
 
9497eb7
409647f
2c20e27
9497eb7
 
 
 
 
 
 
 
 
 
 
409647f
9497eb7
 
 
409647f
9497eb7
409647f
9497eb7
 
409647f
9497eb7
409647f
 
9d90fdc
 
 
 
 
 
9497eb7
 
9d90fdc
409647f
9497eb7
409647f
 
 
 
9497eb7
409647f
9497eb7
 
 
 
 
 
9d90fdc
9497eb7
9d90fdc
6b1b98f
9497eb7
 
 
6b1b98f
 
9497eb7
 
 
 
9d90fdc
 
9497eb7
 
6b1b98f
9497eb7
 
 
6b1b98f
9497eb7
6b1b98f
9497eb7
 
 
 
9d90fdc
2c20e27
6b1b98f
9497eb7
 
6b1b98f
2c20e27
9497eb7
6b1b98f
9497eb7
6b1b98f
9497eb7
6b1b98f
 
3def293
 
 
6b1b98f
9d90fdc
9497eb7
 
9d90fdc
 
9497eb7
 
9d90fdc
9497eb7
 
 
 
 
 
 
9d90fdc
9497eb7
9d90fdc
 
9497eb7
 
9d90fdc
9497eb7
 
6b1b98f
9497eb7
 
9d90fdc
 
9497eb7
6b1b98f
 
 
 
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
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
import streamlit as st
import pandas as pd
import os
from huggingface_hub import InferenceClient

# Initialize HF Inference client
@st.cache_resource
def get_client():
    # Try to get token from environment variables (works in Hugging Face Spaces)
    hf_token = os.environ.get("HF_TOKEN")
    if not hf_token:
        try:
            hf_token = st.secrets["HF_TOKEN"]  # Fallback to Streamlit secrets
        except:
            st.error("HF_TOKEN not found. Please set it in your Space's settings or secrets.toml")
            st.stop()
    return InferenceClient(token=hf_token)

client = get_client()

# Define the LLM call function
def call_llama(prompt, model="mistralai/Mistral-7B-Instruct-v0.2", max_tokens=500):
    try:
        response = client.text_generation(
            prompt=prompt,
            model=model,
            max_new_tokens=max_tokens,
            temperature=0.7
        )
        return response
    except Exception as e:
        st.error(f"Error calling LLM: {e}")
        return "Sorry, I encountered an error."

# Set page config
st.set_page_config(layout="wide")
st.title("Duel Agent Simulation πŸ¦™πŸ¦™")

# Sidebar setup
with st.sidebar:
    with st.expander("Instruction Manual"):
        st.markdown("""
            # πŸ¦™πŸ¦™ Duel Agent Simulation
            ## Overview
            This app simulates an interview with two AI agents:
            1. **Interviewer**: Asks questions about your topic
            2. **Interviewee**: Attempts to answer (poorly at first)
            3. **Judge**: Provides feedback after each answer
            
            ## How to Use
            1. Enter a topic below
            2. Click "Run Simulation"
            3. Watch the conversation unfold
            4. See the evaluation results
            
            The simulation stops when the interviewee gives a good answer (8/10 or higher).
        """)
    
    # User inputs
    user_topic = st.text_input("Enter a topic", "Artificial Intelligence")
    submit_button = st.button("Run Simulation!")
    
    if st.button("Clear Session"):
        st.session_state.clear()
        st.rerun()

# Initialize session state
if "messages" not in st.session_state:
    st.session_state.messages = []
    
if "simulation_data" not in st.session_state:
    st.session_state.simulation_data = {
        "iterations": [],
        "questions": [],
        "answers": [],
        "feedback": [],
        "scores": []
    }

# Display chat history
for message in st.session_state.messages:
    with st.chat_message(message["role"]):
        st.markdown(message["content"])

# Run simulation when button is pressed
if submit_button:
    iter_count = 0
    current_prompt = f"Ask a technical interview question about: {user_topic}"
    
    # Display initial topic
    with st.chat_message("user"):
        st.markdown(f"**Topic:** {user_topic}")
    st.session_state.messages.append({"role": "user", "content": f"Topic: {user_topic}"})
    
    with st.spinner("Running simulation..."):
        while iter_count < 6:  # Max 6 iterations
            # Interviewer asks question
            question = call_llama(
                f"""You are a technical interviewer. Ask one specific question about {user_topic}.
                Make it challenging but answerable. Return only the question."""
            ).strip()
            
            with st.chat_message("assistant"):
                st.markdown(f"**Interviewer:** {question}")
            st.session_state.messages.append({"role": "assistant", "content": f"Interviewer: {question}"})
            
            # Interviewee answers
            if iter_count < 2:  # First attempts are poor
                answer_prompt = f"""You are a nervous interviewee. Give a mediocre answer to:
                                "{question}". Return only the answer."""
            else:  # Later attempts improve
                feedback = st.session_state.simulation_data["feedback"][-1] if iter_count > 0 else ""
                answer_prompt = f"""You're learning to answer better. Previous feedback was:
                                "{feedback}". Now answer: "{question}". Return only the improved answer."""
            
            answer = call_llama(answer_prompt).strip()
            
            with st.chat_message("user"):
                st.markdown(f"**Interviewee:** {answer}")
            st.session_state.messages.append({"role": "user", "content": f"Interviewee: {answer}"})
            
            # Judge evaluates
            feedback_prompt = f"""Evaluate this interview exchange:
                                Question: {question}
                                Answer: {answer}
                                Provide specific feedback and a score from 1-10 (10=best). 
                                Format: Feedback: [your feedback] Score: [1-10]"""
            
            judge_response = call_llama(feedback_prompt).strip()
            
            # Extract score
            score = 5  # default
            if "Score:" in judge_response:
                try:
                    score_part = judge_response.split("Score:")[1].strip()
                    score = int(score_part.split()[0])
                except (ValueError, IndexError):
                    pass
            
            # Store data
            st.session_state.simulation_data["iterations"].append(iter_count)
            st.session_state.simulation_data["questions"].append(question)
            st.session_state.simulation_data["answers"].append(answer)
            st.session_state.simulation_data["feedback"].append(judge_response)
            st.session_state.simulation_data["scores"].append(score)
            
            # Show feedback
            with st.chat_message("assistant"):
                st.markdown(f"**Judge:** {judge_response}")
            st.session_state.messages.append({"role": "assistant", "content": f"Judge: {judge_response}"})
            
            # Display results table
            with st.expander("Detailed Results"):
                results_df = pd.DataFrame({
                    "Round": st.session_state.simulation_data["iterations"],
                    "Question": st.session_state.simulation_data["questions"],
                    "Answer": st.session_state.simulation_data["answers"],
                    "Score": st.session_state.simulation_data["scores"],
                    "Feedback": st.session_state.simulation_data["feedback"]
                })
                st.dataframe(results_df, use_container_width=True)
            
            # Check stopping condition
            if score >= 8:
                st.success("πŸŽ‰ Simulation complete! The interviewee passed with a good answer.")
                break
                
            iter_count += 1
            current_prompt = f"Ask a follow-up question about: {user_topic}"
        
        if iter_count == 6:
            st.warning("Simulation ended - maximum rounds reached")