vibesurf 0.1.0__py3-none-any.whl

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.

Potentially problematic release.


This version of vibesurf might be problematic. Click here for more details.

Files changed (70) hide show
  1. vibe_surf/__init__.py +12 -0
  2. vibe_surf/_version.py +34 -0
  3. vibe_surf/agents/__init__.py +0 -0
  4. vibe_surf/agents/browser_use_agent.py +1106 -0
  5. vibe_surf/agents/prompts/__init__.py +1 -0
  6. vibe_surf/agents/prompts/vibe_surf_prompt.py +176 -0
  7. vibe_surf/agents/report_writer_agent.py +360 -0
  8. vibe_surf/agents/vibe_surf_agent.py +1632 -0
  9. vibe_surf/backend/__init__.py +0 -0
  10. vibe_surf/backend/api/__init__.py +3 -0
  11. vibe_surf/backend/api/activity.py +243 -0
  12. vibe_surf/backend/api/config.py +740 -0
  13. vibe_surf/backend/api/files.py +322 -0
  14. vibe_surf/backend/api/models.py +257 -0
  15. vibe_surf/backend/api/task.py +300 -0
  16. vibe_surf/backend/database/__init__.py +13 -0
  17. vibe_surf/backend/database/manager.py +129 -0
  18. vibe_surf/backend/database/models.py +164 -0
  19. vibe_surf/backend/database/queries.py +922 -0
  20. vibe_surf/backend/database/schemas.py +100 -0
  21. vibe_surf/backend/llm_config.py +182 -0
  22. vibe_surf/backend/main.py +137 -0
  23. vibe_surf/backend/migrations/__init__.py +16 -0
  24. vibe_surf/backend/migrations/init_db.py +303 -0
  25. vibe_surf/backend/migrations/seed_data.py +236 -0
  26. vibe_surf/backend/shared_state.py +601 -0
  27. vibe_surf/backend/utils/__init__.py +7 -0
  28. vibe_surf/backend/utils/encryption.py +164 -0
  29. vibe_surf/backend/utils/llm_factory.py +225 -0
  30. vibe_surf/browser/__init__.py +8 -0
  31. vibe_surf/browser/agen_browser_profile.py +130 -0
  32. vibe_surf/browser/agent_browser_session.py +416 -0
  33. vibe_surf/browser/browser_manager.py +296 -0
  34. vibe_surf/browser/utils.py +790 -0
  35. vibe_surf/browser/watchdogs/__init__.py +0 -0
  36. vibe_surf/browser/watchdogs/action_watchdog.py +291 -0
  37. vibe_surf/browser/watchdogs/dom_watchdog.py +954 -0
  38. vibe_surf/chrome_extension/background.js +558 -0
  39. vibe_surf/chrome_extension/config.js +48 -0
  40. vibe_surf/chrome_extension/content.js +284 -0
  41. vibe_surf/chrome_extension/dev-reload.js +47 -0
  42. vibe_surf/chrome_extension/icons/convert-svg.js +33 -0
  43. vibe_surf/chrome_extension/icons/logo-preview.html +187 -0
  44. vibe_surf/chrome_extension/icons/logo.png +0 -0
  45. vibe_surf/chrome_extension/manifest.json +53 -0
  46. vibe_surf/chrome_extension/popup.html +134 -0
  47. vibe_surf/chrome_extension/scripts/api-client.js +473 -0
  48. vibe_surf/chrome_extension/scripts/main.js +491 -0
  49. vibe_surf/chrome_extension/scripts/markdown-it.min.js +3 -0
  50. vibe_surf/chrome_extension/scripts/session-manager.js +599 -0
  51. vibe_surf/chrome_extension/scripts/ui-manager.js +3687 -0
  52. vibe_surf/chrome_extension/sidepanel.html +347 -0
  53. vibe_surf/chrome_extension/styles/animations.css +471 -0
  54. vibe_surf/chrome_extension/styles/components.css +670 -0
  55. vibe_surf/chrome_extension/styles/main.css +2307 -0
  56. vibe_surf/chrome_extension/styles/settings.css +1100 -0
  57. vibe_surf/cli.py +357 -0
  58. vibe_surf/controller/__init__.py +0 -0
  59. vibe_surf/controller/file_system.py +53 -0
  60. vibe_surf/controller/mcp_client.py +68 -0
  61. vibe_surf/controller/vibesurf_controller.py +616 -0
  62. vibe_surf/controller/views.py +37 -0
  63. vibe_surf/llm/__init__.py +21 -0
  64. vibe_surf/llm/openai_compatible.py +237 -0
  65. vibesurf-0.1.0.dist-info/METADATA +97 -0
  66. vibesurf-0.1.0.dist-info/RECORD +70 -0
  67. vibesurf-0.1.0.dist-info/WHEEL +5 -0
  68. vibesurf-0.1.0.dist-info/entry_points.txt +2 -0
  69. vibesurf-0.1.0.dist-info/licenses/LICENSE +201 -0
  70. vibesurf-0.1.0.dist-info/top_level.txt +1 -0
@@ -0,0 +1,237 @@
1
+ """
2
+ OpenAI-compatible LLM implementation with Gemini schema fix support.
3
+
4
+ This module provides an OpenAI-compatible chat model that automatically applies
5
+ Gemini-specific schema fixes when using Gemini models through OpenAI-compatible APIs
6
+ like ChatAzureOpenAI, ChatOpenRouter, etc.
7
+
8
+ Example usage:
9
+ from vibe_surf.llm.openai_compatible import ChatOpenAICompatible
10
+
11
+ # Using with Azure OpenAI
12
+ llm = ChatOpenAICompatible(
13
+ model="gemini-2.5-pro",
14
+ base_url="https://your-endpoint.openai.azure.com/",
15
+ api_key="your-api-key",
16
+ temperature=0,
17
+ )
18
+
19
+ # Using with OpenRouter
20
+ llm = ChatOpenAICompatible(
21
+ model="gemini-2.5-pro",
22
+ base_url="https://openrouter.ai/api/v1",
23
+ api_key="your-openrouter-key",
24
+ temperature=0,
25
+ )
26
+ """
27
+
28
+ from dataclasses import dataclass
29
+ from typing import Any, TypeVar, overload
30
+ from pydantic import BaseModel
31
+
32
+ from browser_use.llm.openai.chat import ChatOpenAI
33
+ from browser_use.llm.messages import BaseMessage
34
+ from browser_use.llm.schema import SchemaOptimizer
35
+ from browser_use.llm.views import ChatInvokeCompletion
36
+
37
+ T = TypeVar('T', bound=BaseModel)
38
+
39
+
40
+ @dataclass
41
+ class ChatOpenAICompatible(ChatOpenAI):
42
+ """
43
+ OpenAI-compatible chat model with automatic Gemini schema fix support.
44
+
45
+ This class extends browser_use's ChatOpenAI to automatically detect Gemini models
46
+ and apply the necessary schema fixes to work with OpenAI-compatible APIs.
47
+
48
+ When a model name starts with 'gemini', this class will automatically apply
49
+ the schema transformations required by Gemini models to prevent validation errors
50
+ like "Unable to submit request because one or more response schemas specified
51
+ other fields alongside any_of".
52
+ """
53
+
54
+ def _is_gemini_model(self) -> bool:
55
+ """Check if the current model is a Gemini model."""
56
+ return str(self.model).lower().startswith('gemini')
57
+
58
+ def _fix_gemini_schema(self, schema: dict[str, Any]) -> dict[str, Any]:
59
+ """
60
+ Convert a Pydantic model to a Gemini-compatible schema.
61
+
62
+ This function removes unsupported properties like 'additionalProperties' and resolves
63
+ $ref references that Gemini doesn't support.
64
+
65
+ Adapted from browser_use.llm.google.chat.ChatGoogle._fix_gemini_schema
66
+ """
67
+
68
+ # Handle $defs and $ref resolution
69
+ if '$defs' in schema:
70
+ defs = schema.pop('$defs')
71
+
72
+ def resolve_refs(obj: Any) -> Any:
73
+ if isinstance(obj, dict):
74
+ if '$ref' in obj:
75
+ ref = obj.pop('$ref')
76
+ ref_name = ref.split('/')[-1]
77
+ if ref_name in defs:
78
+ # Replace the reference with the actual definition
79
+ resolved = defs[ref_name].copy()
80
+ # Merge any additional properties from the reference
81
+ for key, value in obj.items():
82
+ if key != '$ref':
83
+ resolved[key] = value
84
+ return resolve_refs(resolved)
85
+ return obj
86
+ else:
87
+ # Recursively process all dictionary values
88
+ return {k: resolve_refs(v) for k, v in obj.items()}
89
+ elif isinstance(obj, list):
90
+ return [resolve_refs(item) for item in obj]
91
+ return obj
92
+
93
+ schema = resolve_refs(schema)
94
+
95
+ # Remove unsupported properties
96
+ def clean_schema(obj: Any) -> Any:
97
+ if isinstance(obj, dict):
98
+ # Remove unsupported properties
99
+ cleaned = {}
100
+ for key, value in obj.items():
101
+ if key not in ['additionalProperties', 'title', 'default']:
102
+ cleaned_value = clean_schema(value)
103
+ # Handle empty object properties - Gemini doesn't allow empty OBJECT types
104
+ if (
105
+ key == 'properties'
106
+ and isinstance(cleaned_value, dict)
107
+ and len(cleaned_value) == 0
108
+ and isinstance(obj.get('type', ''), str)
109
+ and obj.get('type', '').upper() == 'OBJECT'
110
+ ):
111
+ # Convert empty object to have at least one property
112
+ cleaned['properties'] = {'_placeholder': {'type': 'string'}}
113
+ else:
114
+ cleaned[key] = cleaned_value
115
+
116
+ # If this is an object type with empty properties, add a placeholder
117
+ if (
118
+ isinstance(cleaned.get('type', ''), str)
119
+ and cleaned.get('type', '').upper() == 'OBJECT'
120
+ and 'properties' in cleaned
121
+ and isinstance(cleaned['properties'], dict)
122
+ and len(cleaned['properties']) == 0
123
+ ):
124
+ cleaned['properties'] = {'_placeholder': {'type': 'string'}}
125
+
126
+ return cleaned
127
+ elif isinstance(obj, list):
128
+ return [clean_schema(item) for item in obj]
129
+ return obj
130
+
131
+ return clean_schema(schema)
132
+
133
+ @overload
134
+ async def ainvoke(self, messages: list[BaseMessage], output_format: None = None) -> ChatInvokeCompletion[str]: ...
135
+
136
+ @overload
137
+ async def ainvoke(self, messages: list[BaseMessage], output_format: type[T]) -> ChatInvokeCompletion[T]: ...
138
+
139
+ async def ainvoke(
140
+ self, messages: list[BaseMessage], output_format: type[T] | None = None
141
+ ) -> ChatInvokeCompletion[T] | ChatInvokeCompletion[str]:
142
+ """
143
+ Invoke the model with the given messages.
144
+
145
+ Automatically applies Gemini schema fixes when using Gemini models.
146
+
147
+ Args:
148
+ messages: List of chat messages
149
+ output_format: Optional Pydantic model class for structured output
150
+
151
+ Returns:
152
+ Either a string response or an instance of output_format
153
+ """
154
+
155
+ # If this is not a Gemini model or no structured output is requested,
156
+ # use the parent implementation directly
157
+ if not self._is_gemini_model() or output_format is None:
158
+ return await super().ainvoke(messages, output_format)
159
+
160
+ # For Gemini models with structured output, we need to intercept and fix the schema
161
+ from browser_use.llm.openai.serializer import OpenAIMessageSerializer
162
+ from browser_use.llm.exceptions import ModelProviderError
163
+ from openai.types.shared_params.response_format_json_schema import JSONSchema, ResponseFormatJSONSchema
164
+ from typing import Any
165
+ from collections.abc import Iterable
166
+ from openai.types.chat import ChatCompletionContentPartTextParam
167
+
168
+ openai_messages = OpenAIMessageSerializer.serialize_messages(messages)
169
+
170
+ try:
171
+ model_params: dict[str, Any] = {}
172
+
173
+ if self.temperature is not None:
174
+ model_params['temperature'] = self.temperature
175
+
176
+ if self.frequency_penalty is not None:
177
+ model_params['frequency_penalty'] = self.frequency_penalty
178
+
179
+ if self.max_completion_tokens is not None:
180
+ model_params['max_completion_tokens'] = self.max_completion_tokens
181
+
182
+ if self.top_p is not None:
183
+ model_params['top_p'] = self.top_p
184
+
185
+ if self.seed is not None:
186
+ model_params['seed'] = self.seed
187
+
188
+ if self.service_tier is not None:
189
+ model_params['service_tier'] = self.service_tier
190
+
191
+ # Create the JSON schema and apply Gemini fixes
192
+ original_schema = SchemaOptimizer.create_optimized_json_schema(output_format)
193
+ fixed_schema = self._fix_gemini_schema(original_schema)
194
+
195
+ response_format: JSONSchema = {
196
+ 'name': 'agent_output',
197
+ 'strict': True,
198
+ 'schema': fixed_schema,
199
+ }
200
+
201
+ # Add JSON schema to system prompt if requested
202
+ if self.add_schema_to_system_prompt and openai_messages and openai_messages[0]['role'] == 'system':
203
+ schema_text = f'\n<json_schema>\n{response_format}\n</json_schema>'
204
+ if isinstance(openai_messages[0]['content'], str):
205
+ openai_messages[0]['content'] += schema_text
206
+ elif isinstance(openai_messages[0]['content'], Iterable):
207
+ openai_messages[0]['content'] = list(openai_messages[0]['content']) + [
208
+ ChatCompletionContentPartTextParam(text=schema_text, type='text')
209
+ ]
210
+
211
+ # Make the API call with the fixed schema
212
+ response = await self.get_client().chat.completions.create(
213
+ model=self.model,
214
+ messages=openai_messages,
215
+ response_format=ResponseFormatJSONSchema(json_schema=response_format, type='json_schema'),
216
+ **model_params,
217
+ )
218
+
219
+ if response.choices[0].message.content is None:
220
+ raise ModelProviderError(
221
+ message='Failed to parse structured output from model response',
222
+ status_code=500,
223
+ model=self.name,
224
+ )
225
+
226
+ usage = self._get_usage(response)
227
+
228
+ parsed = output_format.model_validate_json(response.choices[0].message.content)
229
+
230
+ return ChatInvokeCompletion(
231
+ completion=parsed,
232
+ usage=usage,
233
+ )
234
+
235
+ except Exception as e:
236
+ # Let parent class handle all exception types
237
+ raise ModelProviderError(message=str(e), model=self.name) from e
@@ -0,0 +1,97 @@
1
+ Metadata-Version: 2.4
2
+ Name: vibesurf
3
+ Version: 0.1.0
4
+ Summary: VibeSurf: A powerful browser assistant for vibe surfing
5
+ Author: Shao Warm
6
+ License: Apache-2.0
7
+ Project-URL: Repository, https://github.com/vvincent1234/VibeSurf
8
+ Keywords: browser use,browser automation,browser assistant,agentic browser,vibe surf,AI browser
9
+ Classifier: Development Status :: 3 - Alpha
10
+ Classifier: Intended Audience :: Developers
11
+ Classifier: License :: OSI Approved :: Apache Software License
12
+ Classifier: Operating System :: OS Independent
13
+ Classifier: Programming Language :: Python :: 3
14
+ Classifier: Topic :: Software Development :: Libraries :: Python Modules
15
+ Classifier: Topic :: Internet :: WWW/HTTP :: Browsers
16
+ Requires-Python: >=3.11
17
+ Description-Content-Type: text/markdown
18
+ License-File: LICENSE
19
+ Requires-Dist: uuid7>=0.1.0
20
+ Requires-Dist: aiofiles>=24.1.0
21
+ Requires-Dist: anyio>=4.9.0
22
+ Requires-Dist: psutil>=7.0.0
23
+ Requires-Dist: pydantic>=2.11.5
24
+ Requires-Dist: cdp-use>=1.4.0
25
+ Requires-Dist: json-repair>=0.48.0
26
+ Requires-Dist: aiohttp>=3.12.15
27
+ Requires-Dist: scikit-image>=0.25.2
28
+ Requires-Dist: python-socks>=2.7.2
29
+ Requires-Dist: browser-use==0.6.1
30
+ Requires-Dist: langgraph>=0.6.4
31
+ Requires-Dist: fastapi>=0.104.0
32
+ Requires-Dist: uvicorn[standard]>=0.24.0
33
+ Requires-Dist: python-multipart>=0.0.6
34
+ Requires-Dist: websockets>=12.0
35
+ Requires-Dist: python-dotenv>=1.0.0
36
+ Requires-Dist: sqlalchemy>=2.0.43
37
+ Requires-Dist: aiosqlite>=0.21.0
38
+ Requires-Dist: rich>=13.0.0
39
+ Dynamic: license-file
40
+
41
+ # VibeSurf: A powerful browser assistant for vibe surfing
42
+
43
+ VibeSurf is an open-source AI agentic browser that revolutionizes browser automation and research.
44
+
45
+ ## ✨ Key Features
46
+
47
+ - 🧠 **Advanced AI Automation**: Beyond browser automation, VibeSurf performs deep research, intelligent crawling, content summarization, and more to exploration.
48
+
49
+ - 🚀 **Multi-Agent Parallel Processing**: Run multiple AI agents simultaneously in different browser tabs, enabling both deep research and wide research with massive efficiency gains.
50
+
51
+ - 🥷 **Stealth-First Architecture**: Uses Chrome DevTools Protocol (CDP) instead of Playwright for superior stealth capabilities, preventing bot detection.
52
+
53
+ - 🎨 **Seamless Chrome Extension UI**: Native browser integration without switching applications, providing an intuitive interface that feels like part of your browser.
54
+
55
+ - 🔒 **Privacy-First LLM Support**: Supports local LLMs (Ollama, etc.) and custom LLM APIs to ensure your browsing data stays private and secure during vibe surfing.
56
+
57
+ ## 🛠️ Installation
58
+
59
+ ### Step 1: Install uv
60
+ Install uv from [https://docs.astral.sh/uv/getting-started/installation/](https://docs.astral.sh/uv/getting-started/installation/):
61
+
62
+ ```bash
63
+ # On macOS and Linux
64
+ curl -LsSf https://astral.sh/uv/install.sh | sh
65
+
66
+ # On Windows
67
+ powershell -ExecutionPolicy ByPass -c "irm https://astral.sh/uv/install.ps1 | iex"
68
+ ```
69
+
70
+ ### Step 2: Setup and Install
71
+ ```bash
72
+ uv venv --python 3.12
73
+ uv pip install vibesurf
74
+ ```
75
+
76
+ ### Step 3: Launch
77
+ ```bash
78
+ vibesurf
79
+ ```
80
+
81
+ ## 🎬 Demo
82
+
83
+ <!-- VIDEO_PLACEHOLDER: Add demo video here -->
84
+
85
+ ## 📝 License
86
+
87
+ Licensed under the [Apache License 2.0](LICENSE).
88
+
89
+ ## 👏 Acknowledgments
90
+
91
+ VibeSurf builds on top of other awesome open-source projects:
92
+
93
+ - [Browser Use](https://github.com/browser-use/browser-use)
94
+ - [LangGraph](https://github.com/langchain-ai/langgraph)
95
+
96
+ Huge thanks to their creators and contributors!
97
+
@@ -0,0 +1,70 @@
1
+ vibe_surf/__init__.py,sha256=WtduuMFGauMD_9dpk4fnRnLTAP6ka9Lfu0feAFNzLfo,339
2
+ vibe_surf/_version.py,sha256=5jwwVncvCiTnhOedfkzzxmxsggwmTBORdFL_4wq0ZeY,704
3
+ vibe_surf/cli.py,sha256=plf5XnPBXxpj1QV8lEcjyhES9_7Whfin-88QI5SOTqs,13978
4
+ vibe_surf/agents/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
5
+ vibe_surf/agents/browser_use_agent.py,sha256=NSSdZ9lnjtv_RyfR5Ay2rMnzJRJ-67S8Q3ytGAguiB0,50266
6
+ vibe_surf/agents/report_writer_agent.py,sha256=oJ0SfkCAIm5PJ0BiUxDqqjC3n1AHnEnp47jrh4JHGTg,12912
7
+ vibe_surf/agents/vibe_surf_agent.py,sha256=L_8dU26CVs34ukxdtrXV3AceFBYo47OJ88Dp8kYLKjU,69894
8
+ vibe_surf/agents/prompts/__init__.py,sha256=l4ieA0D8kLJthyNN85FKLNe4ExBa3stY3l-aImLDRD0,36
9
+ vibe_surf/agents/prompts/vibe_surf_prompt.py,sha256=u-6KgLSnBbQohS5kiLZDcZ3aoT90ScVONXi9gNvdMoo,11006
10
+ vibe_surf/backend/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
11
+ vibe_surf/backend/llm_config.py,sha256=9V8Gg065TQALbOKQnOqFWd8RzOJjegOD8w6YOf90Q7Y,5036
12
+ vibe_surf/backend/main.py,sha256=Y1xZJNBjOhgOjNegmetZj9AGUIn2ft10FSCCvMl4XRo,4047
13
+ vibe_surf/backend/shared_state.py,sha256=YS6G9cbgJUpfFqPIlV86jwFlrTiwdFZ06NNqmpzeGCA,23006
14
+ vibe_surf/backend/api/__init__.py,sha256=XxF1jUOORpLYCfFuPrrnUGRnOrr6ClH0_MNPU-4RnSs,68
15
+ vibe_surf/backend/api/activity.py,sha256=NRSTsN3JnE63kDFhfgH3rmC9qxAeIaMKUqbXrOuZlSQ,9364
16
+ vibe_surf/backend/api/config.py,sha256=Mfk9C-VRmt9nJ1nUZ2fNe5dyA4SEyEwD5uzJTqEyHGE,26409
17
+ vibe_surf/backend/api/files.py,sha256=cJ2XYm9ERI-yHL1smldPEe8WJ3vfKxMvcfyXSmqEdcc,12056
18
+ vibe_surf/backend/api/models.py,sha256=HVWiwGo3375LuQRPmRU93Mm6POq2ZpvQ8kKXq31zOj8,10357
19
+ vibe_surf/backend/api/task.py,sha256=iC6KTgdrQUXcJcjJdpkRtAH06ojTQj_kv_Lly92tHGY,10829
20
+ vibe_surf/backend/database/__init__.py,sha256=XhmcscnhgMhUyXML7m4SnuQIqkFpyY_zJ0D3yYa2RqQ,239
21
+ vibe_surf/backend/database/manager.py,sha256=Hbelc7CfcZlGm7i99_IKg8FO7ZLMc6_dBDVxru-GMPc,4466
22
+ vibe_surf/backend/database/models.py,sha256=mePuHsaSqJKA4TthvXbup_Ioann2_chxywiLKqAWyh4,7009
23
+ vibe_surf/backend/database/queries.py,sha256=Z_JNkInf2QlG52h6miffdX0BYDxrn0fvHrYxB8ZP390,34209
24
+ vibe_surf/backend/database/schemas.py,sha256=TkRyCpkDD17GRu4vj-5a8CvXRJY5UDx6dVGUZUNbbRg,3407
25
+ vibe_surf/backend/migrations/__init__.py,sha256=dLhZwW6AGyfBSid-QJPCpIlS4DnYDvO8NyI4s8JAZB8,383
26
+ vibe_surf/backend/migrations/init_db.py,sha256=pY2Yq7K1vPxqT8r3jlAQcYEQWK-GGbb0F7W5asGpuew,10399
27
+ vibe_surf/backend/migrations/seed_data.py,sha256=L6Ll-u8P4cICAUlD5y9urQPSUld6M67erSBCEIdw8Uc,8239
28
+ vibe_surf/backend/utils/__init__.py,sha256=V8leMFp7apAglUAoCHPZrNNcRHthSLYIudIJE5qwjb0,184
29
+ vibe_surf/backend/utils/encryption.py,sha256=ppDRRsNX8pu9Or9yADcLS8KJUTm-edrSb-nZqVThNI0,4802
30
+ vibe_surf/backend/utils/llm_factory.py,sha256=arLk5sKbWxJuE5wWL0aUgRrb3cPtAcUxEbQ7ZInwFbo,8278
31
+ vibe_surf/browser/__init__.py,sha256=_UToO2fZfSCrfjOcxhn4Qq7ZLbYeyPuUUEmqIva-Yv8,325
32
+ vibe_surf/browser/agen_browser_profile.py,sha256=TPH2H7Og4OxDUnjNn1nNeIJ621H4Gws5c8jkFbvZoz0,5644
33
+ vibe_surf/browser/agent_browser_session.py,sha256=-o24Y0BfjPBURuQDfKlCTpOHntjx8QxqxeKxgBxs0WY,19551
34
+ vibe_surf/browser/browser_manager.py,sha256=0DUouEGNCuKHV0ytWPFiQgJ5whQIVAZEk-PMbd4hTx8,12297
35
+ vibe_surf/browser/utils.py,sha256=0HsQkBJKVaEP7LORtZAhdYMZD5BK4poWav-BpfbHZrE,36048
36
+ vibe_surf/browser/watchdogs/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
37
+ vibe_surf/browser/watchdogs/action_watchdog.py,sha256=vmNt5iGCkWV9S6fryT14J6OvlzGwE9kbADJIc0HkB4E,14771
38
+ vibe_surf/browser/watchdogs/dom_watchdog.py,sha256=XxhjQK7zQKBa1YVxvPZbgvGFeny1zUprvjCh5vRCdzk,45018
39
+ vibe_surf/chrome_extension/background.js,sha256=P99qkisiN_Zsn8bu_9dWeXyK8CQthLD9FaGG2z1SMDU,16282
40
+ vibe_surf/chrome_extension/config.js,sha256=g53UkfsaOFNC6fZG-THlBxdSjvswPsaQ9w8rxiHNq2E,1093
41
+ vibe_surf/chrome_extension/content.js,sha256=q6JRpmHAEdPWNnFSIqoPv8eBm0T574c3H5hp-M4LYlc,8027
42
+ vibe_surf/chrome_extension/dev-reload.js,sha256=xQpi-1Ekb5P8Ogsm6rUK09QzxafwH0H409zBKmaUFNw,1790
43
+ vibe_surf/chrome_extension/manifest.json,sha256=swN9LpeGE0etjuRyxaBKKgPrYLav0ctxmJOEsSn08u8,1103
44
+ vibe_surf/chrome_extension/popup.html,sha256=n3dI_-WbILm0q8O_za6xX0WvOofz5lwT_7YXs0u9RAE,4248
45
+ vibe_surf/chrome_extension/sidepanel.html,sha256=Ky8J-JdUHbPKnBMPJHF_oqzKboBcG-FhaIlR1-c09h8,23800
46
+ vibe_surf/chrome_extension/icons/convert-svg.js,sha256=j137nZA7MJK35NtrwWff8yb3UEKa5XTAvnV6EjY-CVI,953
47
+ vibe_surf/chrome_extension/icons/logo-preview.html,sha256=hrgU45uziKHKIb8be9P4ZrZJyGggWnm2M5oEu89V5sM,6962
48
+ vibe_surf/chrome_extension/icons/logo.png,sha256=wN3iMMGtLsURA70HABtj_3jiTk9aENA01kCen5s_xgI,630801
49
+ vibe_surf/chrome_extension/scripts/api-client.js,sha256=XwKmH4lP5eAkBqAM8EcQezI0gcMZK8l0RQ3ESEamcn8,13318
50
+ vibe_surf/chrome_extension/scripts/main.js,sha256=WhmCGktQoSl7aaMl8a9ysJJiysAjf12bWGypMucCSVg,16913
51
+ vibe_surf/chrome_extension/scripts/markdown-it.min.js,sha256=gZ3xe0BdCJplNiHWTKrm6AGZydPy34jJKZqFIf-7hIw,102948
52
+ vibe_surf/chrome_extension/scripts/session-manager.js,sha256=MZHOgj4aucNP8c51xXKjXATxlyh1ODEky9BXIYuphvA,18070
53
+ vibe_surf/chrome_extension/scripts/ui-manager.js,sha256=4GA3Q7wDvJGnk0EaV8U0F6EJ1qcPPS1LyWq5g_lHuxc,137213
54
+ vibe_surf/chrome_extension/styles/animations.css,sha256=TLAet_xXBxCA-H36BWP4xBGBIVjbDdAj7Q6OPxPsbE8,7891
55
+ vibe_surf/chrome_extension/styles/components.css,sha256=UZXjblZ_XFlPHqXg8_woiNysUiWzNq8qX_vidiQZMEg,13790
56
+ vibe_surf/chrome_extension/styles/main.css,sha256=4KLqHoX8CV3sUuK_GGouiB8CN3p07iukcSbZkCMFKR8,47267
57
+ vibe_surf/chrome_extension/styles/settings.css,sha256=oKyLUiRsxW92f9VNkYwGkn7TNaXvjG0NPY2sxtYz5vo,20464
58
+ vibe_surf/controller/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
59
+ vibe_surf/controller/file_system.py,sha256=a2fXCzAhaC41qvV_bMLi9c50FmcFYjQ0nszSdKOdDrI,2637
60
+ vibe_surf/controller/mcp_client.py,sha256=CHjRjk3tDLltTKIzdmPB5SYN5pfgnkEoIzofOc8mw_A,2643
61
+ vibe_surf/controller/vibesurf_controller.py,sha256=UWz8SvOAHr9KG8tn4nTciZvt3JkxYlYIhocA36BKobI,28418
62
+ vibe_surf/controller/views.py,sha256=BaPlvcHTy5h-Lfr0OSgR_t6ynitgzNQF4-VUJJt8Hi0,1072
63
+ vibe_surf/llm/__init__.py,sha256=_vDVPo6STf343p1SgMQrF5023hicAx0g83pK2Gbk4Ek,601
64
+ vibe_surf/llm/openai_compatible.py,sha256=oY32VZF4oDS6ZG0h1WGtqAlWzdlximlJVTw8e8p5Zrg,10175
65
+ vibesurf-0.1.0.dist-info/licenses/LICENSE,sha256=czn6QYya0-jhLnStD9JqnMS-hwP5wRByipkrGTvoXLI,11355
66
+ vibesurf-0.1.0.dist-info/METADATA,sha256=imdYKKnFGlLPpFpO2NLovCKpHEM1BL544GbWSjqa8tA,3366
67
+ vibesurf-0.1.0.dist-info/WHEEL,sha256=_zCd3N1l69ArxyTb8rzEoP9TpbYXkqRFSNOD5OuxnTs,91
68
+ vibesurf-0.1.0.dist-info/entry_points.txt,sha256=UxqpvMocL-PR33S6vLF2OmXn-kVzM-DneMeZeHcPMM8,48
69
+ vibesurf-0.1.0.dist-info/top_level.txt,sha256=VPZGHqSb6EEqcJ4ZX6bHIuWfon5f6HXl3c7BYpbRqnY,10
70
+ vibesurf-0.1.0.dist-info/RECORD,,
@@ -0,0 +1,5 @@
1
+ Wheel-Version: 1.0
2
+ Generator: setuptools (80.9.0)
3
+ Root-Is-Purelib: true
4
+ Tag: py3-none-any
5
+
@@ -0,0 +1,2 @@
1
+ [console_scripts]
2
+ vibesurf = vibe_surf.cli:main
@@ -0,0 +1,201 @@
1
+ Apache License
2
+ Version 2.0, January 2004
3
+ http://www.apache.org/licenses/
4
+
5
+ TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION
6
+
7
+ 1. Definitions.
8
+
9
+ "License" shall mean the terms and conditions for use, reproduction,
10
+ and distribution as defined by Sections 1 through 9 of this document.
11
+
12
+ "Licensor" shall mean the copyright owner or entity authorized by
13
+ the copyright owner that is granting the License.
14
+
15
+ "Legal Entity" shall mean the union of the acting entity and all
16
+ other entities that control, are controlled by, or are under common
17
+ control with that entity. For the purposes of this definition,
18
+ "control" means (i) the power, direct or indirect, to cause the
19
+ direction or management of such entity, whether by contract or
20
+ otherwise, or (ii) ownership of fifty percent (50%) or more of the
21
+ outstanding shares, or (iii) beneficial ownership of such entity.
22
+
23
+ "You" (or "Your") shall mean an individual or Legal Entity
24
+ exercising permissions granted by this License.
25
+
26
+ "Source" form shall mean the preferred form for making modifications,
27
+ including but not limited to software source code, documentation
28
+ source, and configuration files.
29
+
30
+ "Object" form shall mean any form resulting from mechanical
31
+ transformation or translation of a Source form, including but
32
+ not limited to compiled object code, generated documentation,
33
+ and conversions to other media types.
34
+
35
+ "Work" shall mean the work of authorship, whether in Source or
36
+ Object form, made available under the License, as indicated by a
37
+ copyright notice that is included in or attached to the work
38
+ (an example is provided in the Appendix below).
39
+
40
+ "Derivative Works" shall mean any work, whether in Source or Object
41
+ form, that is based on (or derived from) the Work and for which the
42
+ editorial revisions, annotations, elaborations, or other modifications
43
+ represent, as a whole, an original work of authorship. For the purposes
44
+ of this License, Derivative Works shall not include works that remain
45
+ separable from, or merely link (or bind by name) to the interfaces of,
46
+ the Work and Derivative Works thereof.
47
+
48
+ "Contribution" shall mean any work of authorship, including
49
+ the original version of the Work and any modifications or additions
50
+ to that Work or Derivative Works thereof, that is intentionally
51
+ submitted to Licensor for inclusion in the Work by the copyright owner
52
+ or by an individual or Legal Entity authorized to submit on behalf of
53
+ the copyright owner. For the purposes of this definition, "submitted"
54
+ means any form of electronic, verbal, or written communication sent
55
+ to the Licensor or its representatives, including but not limited to
56
+ communication on electronic mailing lists, source code control systems,
57
+ and issue tracking systems that are managed by, or on behalf of, the
58
+ Licensor for the purpose of discussing and improving the Work, but
59
+ excluding communication that is conspicuously marked or otherwise
60
+ designated in writing by the copyright owner as "Not a Contribution."
61
+
62
+ "Contributor" shall mean Licensor and any individual or Legal Entity
63
+ on behalf of whom a Contribution has been received by Licensor and
64
+ subsequently incorporated within the Work.
65
+
66
+ 2. Grant of Copyright License. Subject to the terms and conditions of
67
+ this License, each Contributor hereby grants to You a perpetual,
68
+ worldwide, non-exclusive, no-charge, royalty-free, irrevocable
69
+ copyright license to reproduce, prepare Derivative Works of,
70
+ publicly display, publicly perform, sublicense, and distribute the
71
+ Work and such Derivative Works in Source or Object form.
72
+
73
+ 3. Grant of Patent License. Subject to the terms and conditions of
74
+ this License, each Contributor hereby grants to You a perpetual,
75
+ worldwide, non-exclusive, no-charge, royalty-free, irrevocable
76
+ (except as stated in this section) patent license to make, have made,
77
+ use, offer to sell, sell, import, and otherwise transfer the Work,
78
+ where such license applies only to those patent claims licensable
79
+ by such Contributor that are necessarily infringed by their
80
+ Contribution(s) alone or by combination of their Contribution(s)
81
+ with the Work to which such Contribution(s) was submitted. If You
82
+ institute patent litigation against any entity (including a
83
+ cross-claim or counterclaim in a lawsuit) alleging that the Work
84
+ or a Contribution incorporated within the Work constitutes direct
85
+ or contributory patent infringement, then any patent licenses
86
+ granted to You under this License for that Work shall terminate
87
+ as of the date such litigation is filed.
88
+
89
+ 4. Redistribution. You may reproduce and distribute copies of the
90
+ Work or Derivative Works thereof in any medium, with or without
91
+ modifications, and in Source or Object form, provided that You
92
+ meet the following conditions:
93
+
94
+ (a) You must give any other recipients of the Work or
95
+ Derivative Works a copy of this License; and
96
+
97
+ (b) You must cause any modified files to carry prominent notices
98
+ stating that You changed the files; and
99
+
100
+ (c) You must retain, in the Source form of any Derivative Works
101
+ that You distribute, all copyright, patent, trademark, and
102
+ attribution notices from the Source form of the Work,
103
+ excluding those notices that do not pertain to any part of
104
+ the Derivative Works; and
105
+
106
+ (d) If the Work includes a "NOTICE" text file as part of its
107
+ distribution, then any Derivative Works that You distribute must
108
+ include a readable copy of the attribution notices contained
109
+ within such NOTICE file, excluding those notices that do not
110
+ pertain to any part of the Derivative Works, in at least one
111
+ of the following places: within a NOTICE text file distributed
112
+ as part of the Derivative Works; within the Source form or
113
+ documentation, if provided along with the Derivative Works; or,
114
+ within a display generated by the Derivative Works, if and
115
+ wherever such third-party notices normally appear. The contents
116
+ of the NOTICE file are for informational purposes only and
117
+ do not modify the License. You may add Your own attribution
118
+ notices within Derivative Works that You distribute, alongside
119
+ or as an addendum to the NOTICE text from the Work, provided
120
+ that such additional attribution notices cannot be construed
121
+ as modifying the License.
122
+
123
+ You may add Your own copyright statement to Your modifications and
124
+ may provide additional or different license terms and conditions
125
+ for use, reproduction, or distribution of Your modifications, or
126
+ for any such Derivative Works as a whole, provided Your use,
127
+ reproduction, and distribution of the Work otherwise complies with
128
+ the conditions stated in this License.
129
+
130
+ 5. Submission of Contributions. Unless You explicitly state otherwise,
131
+ any Contribution intentionally submitted for inclusion in the Work
132
+ by You to the Licensor shall be under the terms and conditions of
133
+ this License, without any additional terms or conditions.
134
+ Notwithstanding the above, nothing herein shall supersede or modify
135
+ the terms of any separate license agreement you may have executed
136
+ with Licensor regarding such Contributions.
137
+
138
+ 6. Trademarks. This License does not grant permission to use the trade
139
+ names, trademarks, service marks, or product names of the Licensor,
140
+ except as required for reasonable and customary use in describing the
141
+ origin of the Work and reproducing the content of the NOTICE file.
142
+
143
+ 7. Disclaimer of Warranty. Unless required by applicable law or
144
+ agreed to in writing, Licensor provides the Work (and each
145
+ Contributor provides its Contributions) on an "AS IS" BASIS,
146
+ WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or
147
+ implied, including, without limitation, any warranties or conditions
148
+ of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A
149
+ PARTICULAR PURPOSE. You are solely responsible for determining the
150
+ appropriateness of using or redistributing the Work and assume any
151
+ risks associated with Your exercise of permissions under this License.
152
+
153
+ 8. Limitation of Liability. In no event and under no legal theory,
154
+ whether in tort (including negligence), contract, or otherwise,
155
+ unless required by applicable law (such as deliberate and grossly
156
+ negligent acts) or agreed to in writing, shall any Contributor be
157
+ liable to You for damages, including any direct, indirect, special,
158
+ incidental, or consequential damages of any character arising as a
159
+ result of this License or out of the use or inability to use the
160
+ Work (including but not limited to damages for loss of goodwill,
161
+ work stoppage, computer failure or malfunction, or any and all
162
+ other commercial damages or losses), even if such Contributor
163
+ has been advised of the possibility of such damages.
164
+
165
+ 9. Accepting Warranty or Additional Liability. While redistributing
166
+ the Work or Derivative Works thereof, You may choose to offer,
167
+ and charge a fee for, acceptance of support, warranty, indemnity,
168
+ or other liability obligations and/or rights consistent with this
169
+ License. However, in accepting such obligations, You may act only
170
+ on Your own behalf and on Your sole responsibility, not on behalf
171
+ of any other Contributor, and only if You agree to indemnify,
172
+ defend, and hold each Contributor harmless for any liability
173
+ incurred by, or claims asserted against, such Contributor by reason
174
+ of your accepting any such warranty or additional liability.
175
+
176
+ END OF TERMS AND CONDITIONS
177
+
178
+ APPENDIX: How to apply the Apache License to your work.
179
+
180
+ To apply the Apache License to your work, attach the following
181
+ boilerplate notice, with the fields enclosed by brackets "[]"
182
+ replaced with your own identifying information. (Don't include
183
+ the brackets!) The text should be enclosed in the appropriate
184
+ comment syntax for the file format. We also recommend that a
185
+ file or class name and description of purpose be included on the
186
+ same "printed page" as the copyright notice for easier
187
+ identification within third-party archives.
188
+
189
+ Copyright [yyyy] [name of copyright owner]
190
+
191
+ Licensed under the Apache License, Version 2.0 (the "License");
192
+ you may not use this file except in compliance with the License.
193
+ You may obtain a copy of the License at
194
+
195
+ http://www.apache.org/licenses/LICENSE-2.0
196
+
197
+ Unless required by applicable law or agreed to in writing, software
198
+ distributed under the License is distributed on an "AS IS" BASIS,
199
+ WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
200
+ See the License for the specific language governing permissions and
201
+ limitations under the License.
@@ -0,0 +1 @@
1
+ vibe_surf