acecalisto3 commited on
Commit
f13ca88
·
verified ·
1 Parent(s): 1c351dd

Update app.py

Browse files
Files changed (1) hide show
  1. app.py +92 -68
app.py CHANGED
@@ -29,6 +29,7 @@ class AIAgent:
29
  self.name = name
30
  self.description = description
31
  self.skills = skills
 
32
 
33
  def create_agent_prompt(self):
34
  skills_str = '\n'.join([f"* {skill}" for skill in self.skills])
@@ -47,8 +48,19 @@ I am confident that I can leverage my expertise to assist you in developing and
47
  return summary, next_step
48
 
49
  def deploy_built_space_to_hf(self):
 
 
 
 
 
 
 
 
50
  pass
51
 
 
 
 
52
  def process_input(input_text):
53
  chatbot = pipeline("text-generation", model="microsoft/DialoGPT-medium", tokenizer="microsoft/DialoGPT-medium")
54
  response = chatbot(input_text, max_length=50, num_return_sequences=1)[0]['generated_text']
@@ -88,74 +100,86 @@ def display_workspace_projects(workspace_projects):
88
  return "\n".join([f"{p}: {details}" for p, details in workspace_projects.items()])
89
 
90
  if __name__ == "__main__":
91
- st.sidebar.title("Navigation")
92
- app_mode = st.sidebar.selectbox("Choose the app mode", ["Home", "Terminal", "Explorer", "Code Editor", "Build & Deploy"])
93
-
94
- if app_mode == "Home":
95
- st.title("Welcome to AI-Guided Development")
96
- st.write("This application helps you build and deploy applications with the assistance of an AI Guide.")
97
- st.write("Toggle the AI Guide from the sidebar to choose the level of assistance you need.")
98
-
99
- elif app_mode == "Terminal":
100
- st.header("Terminal")
101
- terminal_input = st.text_input("Enter a command:")
102
- if st.button("Run"):
103
- output = run_code(terminal_input)
104
- st.session_state.terminal_history.append((terminal_input, output))
105
- st.code(output, language="bash")
106
- if ai_guide_level != "No Assistance":
107
- st.write("Run commands here to add packages to your project. For example: `pip install <package-name>`.")
108
- if terminal_input and "install" in terminal_input:
109
- package_name = terminal_input.split("install")[-1].strip()
110
- st.write(f"Package `{package_name}` will be added to your project.")
111
-
112
- elif app_mode == "Explorer":
113
- st.header("Explorer")
114
- uploaded_file = st.file_uploader("Upload a file", type=["py"])
115
- if uploaded_file:
116
- file_details = {"FileName": uploaded_file.name, "FileType": uploaded_file.type}
117
- st.write(file_details)
118
- save_path = os.path.join(PROJECT_ROOT, uploaded_file.name)
119
- with open(save_path, "wb") as f:
120
- f.write(uploaded_file.getbuffer())
121
- st.success(f"File {uploaded_file.name} saved successfully!")
122
-
123
- st.write("Drag and drop files into the 'app' folder.")
124
- for project, details in st.session_state.workspace_projects.items():
125
- st.write(f"Project: {project}")
126
- for file in details['files']:
127
- st.write(f" - {file}")
128
- if st.button(f"Move {file} to app folder"):
129
- # Logic to move file to 'app' folder
130
- pass
131
- if ai_guide_level != "No Assistance":
132
- st.write("You can upload files and move them into the 'app' folder for building your application.")
133
-
134
- elif app_mode == "Code Editor":
135
- st.header("Code Editor")
136
- code_editor = st.text_area("Write your code:", height=300)
137
- if st.button("Save Code"):
138
- # Logic to save code
139
- pass
140
- if ai_guide_level != "No Assistance":
141
- st.write("The function `foo()` requires the `bar` package. Add it to `requirements.txt`.")
142
-
143
- elif app_mode == "Build & Deploy":
144
- st.header("Build & Deploy")
145
- project_name_input = st.text_input("Enter Project Name for Automation:")
146
- if st.button("Automate"):
147
- selected_agent = st.selectbox("Select an AI agent", st.session_state.available_agents)
148
- selected_model = st.selectbox("Select a code-generative model", AVAILABLE_CODE_GENERATIVE_MODELS)
149
- agent = AIAgent(selected_agent, "", []) # Load the agent without skills for now
150
- summary, next_step = agent.autonomous_build(st.session_state.chat_history, st.session_state.workspace_projects, project_name_input, selected_model, huggingface_token)
151
- st.write("Autonomous Build Summary:")
152
- st.write(summary)
153
- st.write("Next Step:")
154
- st.write(next_step)
155
- if agent._hf_api and agent.has_valid_hf_token():
156
- repository = agent.deploy_built_space_to_hf()
157
- st.markdown("## Congratulations! Successfully deployed Space 🚀 ##")
158
- st.markdown("[Check out your new Space here](hf.co/" + repository.name + ")")
 
 
 
 
 
 
 
 
 
 
 
 
159
 
160
  # CSS for styling
161
  st.markdown("""
 
29
  self.name = name
30
  self.description = description
31
  self.skills = skills
32
+ self._hf_api = HfApi(token=huggingface_token)
33
 
34
  def create_agent_prompt(self):
35
  skills_str = '\n'.join([f"* {skill}" for skill in self.skills])
 
48
  return summary, next_step
49
 
50
  def deploy_built_space_to_hf(self):
51
+ # Implement logic to deploy the built space to Hugging Face Spaces
52
+ # This could involve creating a new Space, uploading files, and configuring the Space
53
+ # Use the HfApi to interact with the Hugging Face API
54
+ # Example:
55
+ # repository = self._hf_api.create_repo(repo_id="my-new-space", private=False)
56
+ # ... upload files to the repository
57
+ # ... configure the Space
58
+ # return repository
59
  pass
60
 
61
+ def has_valid_hf_token(self):
62
+ return self._hf_api.whoami() is not None
63
+
64
  def process_input(input_text):
65
  chatbot = pipeline("text-generation", model="microsoft/DialoGPT-medium", tokenizer="microsoft/DialoGPT-medium")
66
  response = chatbot(input_text, max_length=50, num_return_sequences=1)[0]['generated_text']
 
100
  return "\n".join([f"{p}: {details}" for p, details in workspace_projects.items()])
101
 
102
  if __name__ == "__main__":
103
+ st.set_page_config(layout="wide", page_title="AI-Powered Development Platform")
104
+
105
+ # Sidebar
106
+ st.sidebar.title("AI Development Platform")
107
+ st.sidebar.header("Tool Box")
108
+ st.sidebar.subheader("Workspace Management")
109
+ project_name_input = st.sidebar.text_input("Project Name:")
110
+ create_project_button = st.sidebar.button("Create Project")
111
+ if create_project_button:
112
+ st.sidebar.write(workspace_interface(project_name_input))
113
+
114
+ st.sidebar.subheader("Code Generation")
115
+ selected_model = st.sidebar.selectbox("Select Code Model", AVAILABLE_CODE_GENERATIVE_MODELS)
116
+ code_input = st.sidebar.text_area("Enter Code Prompt:")
117
+ generate_code_button = st.sidebar.button("Generate Code")
118
+ if generate_code_button:
119
+ if selected_model:
120
+ tokenizer = AutoTokenizer.from_pretrained(selected_model)
121
+ model = AutoModelForCausalLM.from_pretrained(selected_model)
122
+ code_generator = pipeline("text-generation", model=model, tokenizer=tokenizer)
123
+ generated_code = code_generator(code_input, max_length=500, num_return_sequences=1)[0]['generated_text']
124
+ st.sidebar.code(generated_code)
125
+ else:
126
+ st.sidebar.error("Please select a code model.")
127
+
128
+ st.sidebar.subheader("Terminal")
129
+ command = st.sidebar.text_input("Enter a command:")
130
+ if command:
131
+ output, error = run_command(command)
132
+ if error:
133
+ st.sidebar.error(f"Error executing command: {error}")
134
+ else:
135
+ st.sidebar.code(output)
136
+
137
+ # Main Content
138
+ st.title("AI-Powered Development Platform")
139
+ st.header("Workspace")
140
+ st.subheader("Chat with an AI Agent")
141
+ chat_input = st.text_input("Enter your message:")
142
+ if chat_input:
143
+ st.session_state.chat_history.append((chat_input, process_input(chat_input)))
144
+
145
+ st.markdown("## Chat History ##")
146
+ st.markdown(display_chat_history(st.session_state.chat_history))
147
+
148
+ st.subheader("Available Agents")
149
+ for agent_name in st.session_state.available_agents:
150
+ st.write(f"**{agent_name}**")
151
+
152
+ st.subheader("Project Management")
153
+ st.markdown(display_workspace_projects(st.session_state.workspace_projects))
154
+
155
+ # AI Guide
156
+ if ai_guide_level == "Full Assistance":
157
+ st.markdown("## AI Guide: Full Assistance ##")
158
+ st.write("**Recommended Action:**")
159
+ st.write("Create a new project and then generate some code.")
160
+ elif ai_guide_level == "Partial Assistance":
161
+ st.markdown("## AI Guide: Partial Assistance ##")
162
+ st.write("**Tips:**")
163
+ st.write("Use the chat interface to ask questions about your project.")
164
+ st.write("Use the code generation tool to generate code snippets.")
165
+ else:
166
+ st.markdown("## AI Guide: No Assistance ##")
167
+ st.write("You are on your own!")
168
+
169
+ # Autonomous Build
170
+ if st.button("Autonomous Build"):
171
+ project_name = project_name_input
172
+ selected_model = selected_model
173
+ agent = AIAgent("Code Architect", "I am an expert in code generation and deployment.", ["Code Generation", "Deployment"])
174
+ summary, next_step = agent.autonomous_build(st.session_state.chat_history, st.session_state.workspace_projects, project_name, selected_model, huggingface_token)
175
+ st.write("Autonomous Build Summary:")
176
+ st.write(summary)
177
+ st.write("Next Step:")
178
+ st.write(next_step)
179
+ if agent._hf_api and agent.has_valid_hf_token():
180
+ repository = agent.deploy_built_space_to_hf()
181
+ st.markdown("## Congratulations! Successfully deployed Space 🚀 ##")
182
+ st.markdown("[Check out your new Space here](hf.co/" + repository.name + ")")
183
 
184
  # CSS for styling
185
  st.markdown("""