mirror of
https://github.com/Zippland/Snap-Solver.git
synced 2026-03-03 08:34:59 +08:00
ocr
This commit is contained in:
82
app.py
82
app.py
@@ -9,10 +9,12 @@ import pystray
|
|||||||
from PIL import Image, ImageDraw
|
from PIL import Image, ImageDraw
|
||||||
import pyperclip
|
import pyperclip
|
||||||
from models import ModelFactory
|
from models import ModelFactory
|
||||||
|
|
||||||
app = Flask(__name__)
|
app = Flask(__name__)
|
||||||
socketio = SocketIO(app, cors_allowed_origins="*")
|
socketio = SocketIO(app, cors_allowed_origins="*")
|
||||||
|
|
||||||
|
# Commented out due to model file issues
|
||||||
|
# from pix2text import Pix2Text
|
||||||
|
|
||||||
def get_local_ip():
|
def get_local_ip():
|
||||||
try:
|
try:
|
||||||
# Get local IP address
|
# Get local IP address
|
||||||
@@ -64,6 +66,9 @@ def handle_connect():
|
|||||||
def handle_disconnect():
|
def handle_disconnect():
|
||||||
print('Client disconnected')
|
print('Client disconnected')
|
||||||
|
|
||||||
|
# Commented out due to model file issues
|
||||||
|
# p2t = Pix2Text()
|
||||||
|
|
||||||
def stream_model_response(response_generator, sid):
|
def stream_model_response(response_generator, sid):
|
||||||
"""Stream model responses to the client"""
|
"""Stream model responses to the client"""
|
||||||
try:
|
try:
|
||||||
@@ -110,6 +115,81 @@ def handle_screenshot_request():
|
|||||||
'error': str(e)
|
'error': str(e)
|
||||||
})
|
})
|
||||||
|
|
||||||
|
@socketio.on('extract_text')
|
||||||
|
def handle_text_extraction(data):
|
||||||
|
try:
|
||||||
|
print("Starting text extraction...")
|
||||||
|
image_data = data['image'] # Base64 encoded image
|
||||||
|
|
||||||
|
# Convert base64 to PIL Image
|
||||||
|
image_bytes = base64.b64decode(image_data)
|
||||||
|
image = Image.open(BytesIO(image_bytes))
|
||||||
|
|
||||||
|
# Temporarily disabled text extraction
|
||||||
|
extracted_text = "Text extraction is currently disabled"
|
||||||
|
|
||||||
|
# Send the extracted text back to the client
|
||||||
|
socketio.emit('text_extraction_response', {
|
||||||
|
'success': True,
|
||||||
|
'text': extracted_text
|
||||||
|
}, room=request.sid)
|
||||||
|
|
||||||
|
except Exception as e:
|
||||||
|
print(f"Text extraction error: {str(e)}")
|
||||||
|
socketio.emit('text_extraction_response', {
|
||||||
|
'success': False,
|
||||||
|
'error': f'Text extraction error: {str(e)}'
|
||||||
|
}, room=request.sid)
|
||||||
|
|
||||||
|
@socketio.on('analyze_text')
|
||||||
|
def handle_text_analysis(data):
|
||||||
|
try:
|
||||||
|
print("Starting text analysis...")
|
||||||
|
text = data['text']
|
||||||
|
settings = data['settings']
|
||||||
|
|
||||||
|
# Validate required settings
|
||||||
|
if not settings.get('apiKey'):
|
||||||
|
raise ValueError("API key is required for the selected model")
|
||||||
|
|
||||||
|
# Configure proxy settings if enabled
|
||||||
|
proxies = None
|
||||||
|
if settings.get('proxyEnabled', False):
|
||||||
|
proxy_host = settings.get('proxyHost', '127.0.0.1')
|
||||||
|
proxy_port = settings.get('proxyPort', '4780')
|
||||||
|
proxies = {
|
||||||
|
'http': f'http://{proxy_host}:{proxy_port}',
|
||||||
|
'https': f'http://{proxy_host}:{proxy_port}'
|
||||||
|
}
|
||||||
|
|
||||||
|
try:
|
||||||
|
# Create model instance using factory
|
||||||
|
model = ModelFactory.create_model(
|
||||||
|
model_name=settings.get('model', 'claude-3-5-sonnet-20241022'),
|
||||||
|
api_key=settings['apiKey'],
|
||||||
|
temperature=float(settings.get('temperature', 0.7)),
|
||||||
|
system_prompt=settings.get('systemPrompt')
|
||||||
|
)
|
||||||
|
|
||||||
|
# Start streaming in a separate thread
|
||||||
|
Thread(
|
||||||
|
target=stream_model_response,
|
||||||
|
args=(model.analyze_text(text, proxies), request.sid)
|
||||||
|
).start()
|
||||||
|
|
||||||
|
except Exception as e:
|
||||||
|
socketio.emit('claude_response', {
|
||||||
|
'status': 'error',
|
||||||
|
'error': f'API error: {str(e)}'
|
||||||
|
}, room=request.sid)
|
||||||
|
|
||||||
|
except Exception as e:
|
||||||
|
print(f"Analysis error: {str(e)}")
|
||||||
|
socketio.emit('claude_response', {
|
||||||
|
'status': 'error',
|
||||||
|
'error': f'Analysis error: {str(e)}'
|
||||||
|
}, room=request.sid)
|
||||||
|
|
||||||
@socketio.on('analyze_image')
|
@socketio.on('analyze_image')
|
||||||
def handle_image_analysis(data):
|
def handle_image_analysis(data):
|
||||||
try:
|
try:
|
||||||
|
|||||||
14
icon.py
14
icon.py
@@ -1,14 +0,0 @@
|
|||||||
from PIL import Image, ImageDraw
|
|
||||||
|
|
||||||
def create_icon():
|
|
||||||
# Create a simple icon (a colored circle)
|
|
||||||
icon_size = 64
|
|
||||||
icon_image = Image.new('RGB', (icon_size, icon_size), color='white')
|
|
||||||
draw = ImageDraw.Draw(icon_image)
|
|
||||||
draw.ellipse([4, 4, icon_size-4, icon_size-4], fill='#2196F3')
|
|
||||||
|
|
||||||
# Save as ICO file
|
|
||||||
icon_image.save('app.ico', format='ICO')
|
|
||||||
|
|
||||||
if __name__ == '__main__':
|
|
||||||
create_icon()
|
|
||||||
@@ -21,6 +21,20 @@ class BaseModel(ABC):
|
|||||||
"""
|
"""
|
||||||
pass
|
pass
|
||||||
|
|
||||||
|
@abstractmethod
|
||||||
|
def analyze_text(self, text: str, proxies: dict = None) -> Generator[dict, None, None]:
|
||||||
|
"""
|
||||||
|
Analyze the given text and yield response chunks.
|
||||||
|
|
||||||
|
Args:
|
||||||
|
text: Text to analyze
|
||||||
|
proxies: Optional proxy configuration
|
||||||
|
|
||||||
|
Yields:
|
||||||
|
dict: Response chunks with status and content
|
||||||
|
"""
|
||||||
|
pass
|
||||||
|
|
||||||
@abstractmethod
|
@abstractmethod
|
||||||
def get_default_system_prompt(self) -> str:
|
def get_default_system_prompt(self) -> str:
|
||||||
"""Return the default system prompt for this model"""
|
"""Return the default system prompt for this model"""
|
||||||
|
|||||||
@@ -15,6 +15,103 @@ class ClaudeModel(BaseModel):
|
|||||||
def get_model_identifier(self) -> str:
|
def get_model_identifier(self) -> str:
|
||||||
return "claude-3-5-sonnet-20241022"
|
return "claude-3-5-sonnet-20241022"
|
||||||
|
|
||||||
|
def analyze_text(self, text: str, proxies: dict = None) -> Generator[dict, None, None]:
|
||||||
|
"""Stream Claude's response for text analysis"""
|
||||||
|
try:
|
||||||
|
# Initial status
|
||||||
|
yield {"status": "started", "content": ""}
|
||||||
|
|
||||||
|
api_key = self.api_key.strip()
|
||||||
|
if api_key.startswith('Bearer '):
|
||||||
|
api_key = api_key[7:]
|
||||||
|
|
||||||
|
headers = {
|
||||||
|
'x-api-key': api_key,
|
||||||
|
'anthropic-version': '2023-06-01',
|
||||||
|
'content-type': 'application/json',
|
||||||
|
'accept': 'application/json',
|
||||||
|
}
|
||||||
|
|
||||||
|
payload = {
|
||||||
|
'model': self.get_model_identifier(),
|
||||||
|
'stream': True,
|
||||||
|
'max_tokens': 4096,
|
||||||
|
'temperature': self.temperature,
|
||||||
|
'system': self.system_prompt,
|
||||||
|
'messages': [{
|
||||||
|
'role': 'user',
|
||||||
|
'content': [
|
||||||
|
{
|
||||||
|
'type': 'text',
|
||||||
|
'text': text
|
||||||
|
}
|
||||||
|
]
|
||||||
|
}]
|
||||||
|
}
|
||||||
|
|
||||||
|
response = requests.post(
|
||||||
|
'https://api.anthropic.com/v1/messages',
|
||||||
|
headers=headers,
|
||||||
|
json=payload,
|
||||||
|
stream=True,
|
||||||
|
proxies=proxies,
|
||||||
|
timeout=60
|
||||||
|
)
|
||||||
|
|
||||||
|
if response.status_code != 200:
|
||||||
|
error_msg = f'API error: {response.status_code}'
|
||||||
|
try:
|
||||||
|
error_data = response.json()
|
||||||
|
if 'error' in error_data:
|
||||||
|
error_msg += f" - {error_data['error']['message']}"
|
||||||
|
except:
|
||||||
|
error_msg += f" - {response.text}"
|
||||||
|
yield {"status": "error", "error": error_msg}
|
||||||
|
return
|
||||||
|
|
||||||
|
for chunk in response.iter_lines():
|
||||||
|
if not chunk:
|
||||||
|
continue
|
||||||
|
|
||||||
|
try:
|
||||||
|
chunk_str = chunk.decode('utf-8')
|
||||||
|
if not chunk_str.startswith('data: '):
|
||||||
|
continue
|
||||||
|
|
||||||
|
chunk_str = chunk_str[6:]
|
||||||
|
data = json.loads(chunk_str)
|
||||||
|
|
||||||
|
if data.get('type') == 'content_block_delta':
|
||||||
|
if 'delta' in data and 'text' in data['delta']:
|
||||||
|
yield {
|
||||||
|
"status": "streaming",
|
||||||
|
"content": data['delta']['text']
|
||||||
|
}
|
||||||
|
|
||||||
|
elif data.get('type') == 'message_stop':
|
||||||
|
yield {
|
||||||
|
"status": "completed",
|
||||||
|
"content": ""
|
||||||
|
}
|
||||||
|
|
||||||
|
elif data.get('type') == 'error':
|
||||||
|
error_msg = data.get('error', {}).get('message', 'Unknown error')
|
||||||
|
yield {
|
||||||
|
"status": "error",
|
||||||
|
"error": error_msg
|
||||||
|
}
|
||||||
|
break
|
||||||
|
|
||||||
|
except json.JSONDecodeError as e:
|
||||||
|
print(f"JSON decode error: {str(e)}")
|
||||||
|
continue
|
||||||
|
|
||||||
|
except Exception as e:
|
||||||
|
yield {
|
||||||
|
"status": "error",
|
||||||
|
"error": f"Streaming error: {str(e)}"
|
||||||
|
}
|
||||||
|
|
||||||
def analyze_image(self, image_data: str, proxies: dict = None) -> Generator[dict, None, None]:
|
def analyze_image(self, image_data: str, proxies: dict = None) -> Generator[dict, None, None]:
|
||||||
"""Stream Claude's response for image analysis"""
|
"""Stream Claude's response for image analysis"""
|
||||||
try:
|
try:
|
||||||
|
|||||||
@@ -16,6 +16,76 @@ class DeepSeekModel(BaseModel):
|
|||||||
def get_model_identifier(self) -> str:
|
def get_model_identifier(self) -> str:
|
||||||
return "deepseek-reasoner"
|
return "deepseek-reasoner"
|
||||||
|
|
||||||
|
def analyze_text(self, text: str, proxies: dict = None) -> Generator[dict, None, None]:
|
||||||
|
"""Stream DeepSeek's response for text analysis"""
|
||||||
|
try:
|
||||||
|
# Initial status
|
||||||
|
yield {"status": "started", "content": ""}
|
||||||
|
|
||||||
|
# Configure client with proxy if needed
|
||||||
|
client_args = {
|
||||||
|
"api_key": self.api_key,
|
||||||
|
"base_url": "https://api.deepseek.com"
|
||||||
|
}
|
||||||
|
|
||||||
|
if proxies:
|
||||||
|
session = requests.Session()
|
||||||
|
session.proxies = proxies
|
||||||
|
client_args["http_client"] = session
|
||||||
|
|
||||||
|
client = OpenAI(**client_args)
|
||||||
|
|
||||||
|
response = client.chat.completions.create(
|
||||||
|
model=self.get_model_identifier(),
|
||||||
|
messages=[{
|
||||||
|
'role': 'system',
|
||||||
|
'content': self.system_prompt
|
||||||
|
}, {
|
||||||
|
'role': 'user',
|
||||||
|
'content': text
|
||||||
|
}],
|
||||||
|
stream=True
|
||||||
|
)
|
||||||
|
|
||||||
|
for chunk in response:
|
||||||
|
try:
|
||||||
|
if hasattr(chunk.choices[0].delta, 'reasoning_content'):
|
||||||
|
content = chunk.choices[0].delta.reasoning_content
|
||||||
|
if content:
|
||||||
|
yield {
|
||||||
|
"status": "streaming",
|
||||||
|
"content": content
|
||||||
|
}
|
||||||
|
elif hasattr(chunk.choices[0].delta, 'content'):
|
||||||
|
content = chunk.choices[0].delta.content
|
||||||
|
if content:
|
||||||
|
yield {
|
||||||
|
"status": "streaming",
|
||||||
|
"content": content
|
||||||
|
}
|
||||||
|
|
||||||
|
except Exception as e:
|
||||||
|
print(f"Chunk processing error: {str(e)}")
|
||||||
|
continue
|
||||||
|
|
||||||
|
# Send completion status
|
||||||
|
yield {
|
||||||
|
"status": "completed",
|
||||||
|
"content": ""
|
||||||
|
}
|
||||||
|
|
||||||
|
except Exception as e:
|
||||||
|
error_msg = str(e)
|
||||||
|
if "invalid_api_key" in error_msg.lower():
|
||||||
|
error_msg = "Invalid API key provided"
|
||||||
|
elif "rate_limit" in error_msg.lower():
|
||||||
|
error_msg = "Rate limit exceeded. Please try again later."
|
||||||
|
|
||||||
|
yield {
|
||||||
|
"status": "error",
|
||||||
|
"error": f"DeepSeek API error: {error_msg}"
|
||||||
|
}
|
||||||
|
|
||||||
def analyze_image(self, image_data: str, proxies: dict = None) -> Generator[dict, None, None]:
|
def analyze_image(self, image_data: str, proxies: dict = None) -> Generator[dict, None, None]:
|
||||||
"""Stream DeepSeek's response for image analysis"""
|
"""Stream DeepSeek's response for image analysis"""
|
||||||
try:
|
try:
|
||||||
|
|||||||
@@ -16,6 +16,71 @@ class GPT4oModel(BaseModel):
|
|||||||
def get_model_identifier(self) -> str:
|
def get_model_identifier(self) -> str:
|
||||||
return "gpt-4o-2024-11-20"
|
return "gpt-4o-2024-11-20"
|
||||||
|
|
||||||
|
def analyze_text(self, text: str, proxies: dict = None) -> Generator[dict, None, None]:
|
||||||
|
"""Stream GPT-4o's response for text analysis"""
|
||||||
|
try:
|
||||||
|
# Initial status
|
||||||
|
yield {"status": "started", "content": ""}
|
||||||
|
|
||||||
|
# Configure client with proxy if needed
|
||||||
|
client_args = {
|
||||||
|
"api_key": self.api_key,
|
||||||
|
"base_url": "https://api.openai.com/v1" # Replace with actual GPT-4o API endpoint
|
||||||
|
}
|
||||||
|
|
||||||
|
if proxies:
|
||||||
|
session = requests.Session()
|
||||||
|
session.proxies = proxies
|
||||||
|
client_args["http_client"] = session
|
||||||
|
|
||||||
|
client = OpenAI(**client_args)
|
||||||
|
|
||||||
|
messages = [
|
||||||
|
{
|
||||||
|
"role": "system",
|
||||||
|
"content": self.system_prompt
|
||||||
|
},
|
||||||
|
{
|
||||||
|
"role": "user",
|
||||||
|
"content": text
|
||||||
|
}
|
||||||
|
]
|
||||||
|
|
||||||
|
response = client.chat.completions.create(
|
||||||
|
model=self.get_model_identifier(),
|
||||||
|
messages=messages,
|
||||||
|
temperature=self.temperature,
|
||||||
|
stream=True,
|
||||||
|
max_tokens=4000
|
||||||
|
)
|
||||||
|
|
||||||
|
for chunk in response:
|
||||||
|
if hasattr(chunk.choices[0].delta, 'content'):
|
||||||
|
content = chunk.choices[0].delta.content
|
||||||
|
if content:
|
||||||
|
yield {
|
||||||
|
"status": "streaming",
|
||||||
|
"content": content
|
||||||
|
}
|
||||||
|
|
||||||
|
# Send completion status
|
||||||
|
yield {
|
||||||
|
"status": "completed",
|
||||||
|
"content": ""
|
||||||
|
}
|
||||||
|
|
||||||
|
except Exception as e:
|
||||||
|
error_msg = str(e)
|
||||||
|
if "invalid_api_key" in error_msg.lower():
|
||||||
|
error_msg = "Invalid API key provided"
|
||||||
|
elif "rate_limit" in error_msg.lower():
|
||||||
|
error_msg = "Rate limit exceeded. Please try again later."
|
||||||
|
|
||||||
|
yield {
|
||||||
|
"status": "error",
|
||||||
|
"error": f"GPT-4o API error: {error_msg}"
|
||||||
|
}
|
||||||
|
|
||||||
def analyze_image(self, image_data: str, proxies: dict = None) -> Generator[dict, None, None]:
|
def analyze_image(self, image_data: str, proxies: dict = None) -> Generator[dict, None, None]:
|
||||||
"""Stream GPT-4o's response for image analysis"""
|
"""Stream GPT-4o's response for image analysis"""
|
||||||
try:
|
try:
|
||||||
|
|||||||
@@ -1,3 +1,4 @@
|
|||||||
|
pix2text
|
||||||
flask==3.1.0
|
flask==3.1.0
|
||||||
pyautogui==0.9.54
|
pyautogui==0.9.54
|
||||||
Pillow==11.1.0
|
Pillow==11.1.0
|
||||||
@@ -6,3 +7,4 @@ python-engineio==4.11.2
|
|||||||
python-socketio==5.12.1
|
python-socketio==5.12.1
|
||||||
requests==2.32.3
|
requests==2.32.3
|
||||||
openai==1.61.0
|
openai==1.61.0
|
||||||
|
pystray
|
||||||
@@ -4,6 +4,7 @@ class SnapSolver {
|
|||||||
this.initializeState();
|
this.initializeState();
|
||||||
this.setupEventListeners();
|
this.setupEventListeners();
|
||||||
this.initializeConnection();
|
this.initializeConnection();
|
||||||
|
this.setupAutoScroll();
|
||||||
|
|
||||||
// Initialize managers
|
// Initialize managers
|
||||||
window.uiManager = new UIManager();
|
window.uiManager = new UIManager();
|
||||||
@@ -19,8 +20,13 @@ class SnapSolver {
|
|||||||
this.cropContainer = document.getElementById('cropContainer');
|
this.cropContainer = document.getElementById('cropContainer');
|
||||||
this.imagePreview = document.getElementById('imagePreview');
|
this.imagePreview = document.getElementById('imagePreview');
|
||||||
this.sendToClaudeBtn = document.getElementById('sendToClaude');
|
this.sendToClaudeBtn = document.getElementById('sendToClaude');
|
||||||
|
this.extractTextBtn = document.getElementById('extractText');
|
||||||
|
this.textEditor = document.getElementById('textEditor');
|
||||||
|
this.extractedText = document.getElementById('extractedText');
|
||||||
|
this.sendExtractedTextBtn = document.getElementById('sendExtractedText');
|
||||||
this.responseContent = document.getElementById('responseContent');
|
this.responseContent = document.getElementById('responseContent');
|
||||||
this.claudePanel = document.getElementById('claudePanel');
|
this.claudePanel = document.getElementById('claudePanel');
|
||||||
|
this.statusLight = document.querySelector('.status-light');
|
||||||
}
|
}
|
||||||
|
|
||||||
initializeState() {
|
initializeState() {
|
||||||
@@ -30,6 +36,27 @@ class SnapSolver {
|
|||||||
this.history = JSON.parse(localStorage.getItem('snapHistory') || '[]');
|
this.history = JSON.parse(localStorage.getItem('snapHistory') || '[]');
|
||||||
}
|
}
|
||||||
|
|
||||||
|
setupAutoScroll() {
|
||||||
|
// Create MutationObserver to watch for content changes
|
||||||
|
const observer = new MutationObserver((mutations) => {
|
||||||
|
mutations.forEach((mutation) => {
|
||||||
|
if (mutation.type === 'characterData' || mutation.type === 'childList') {
|
||||||
|
this.responseContent.scrollTo({
|
||||||
|
top: this.responseContent.scrollHeight,
|
||||||
|
behavior: 'smooth'
|
||||||
|
});
|
||||||
|
}
|
||||||
|
});
|
||||||
|
});
|
||||||
|
|
||||||
|
// Start observing the response content
|
||||||
|
observer.observe(this.responseContent, {
|
||||||
|
childList: true,
|
||||||
|
characterData: true,
|
||||||
|
subtree: true
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
updateConnectionStatus(connected) {
|
updateConnectionStatus(connected) {
|
||||||
this.connectionStatus.textContent = connected ? 'Connected' : 'Disconnected';
|
this.connectionStatus.textContent = connected ? 'Connected' : 'Disconnected';
|
||||||
this.connectionStatus.className = `status ${connected ? 'connected' : 'disconnected'}`;
|
this.connectionStatus.className = `status ${connected ? 'connected' : 'disconnected'}`;
|
||||||
@@ -39,6 +66,27 @@ class SnapSolver {
|
|||||||
this.imagePreview.classList.add('hidden');
|
this.imagePreview.classList.add('hidden');
|
||||||
this.cropBtn.classList.add('hidden');
|
this.cropBtn.classList.add('hidden');
|
||||||
this.sendToClaudeBtn.classList.add('hidden');
|
this.sendToClaudeBtn.classList.add('hidden');
|
||||||
|
this.extractTextBtn.classList.add('hidden');
|
||||||
|
this.textEditor.classList.add('hidden');
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
updateStatusLight(status) {
|
||||||
|
this.statusLight.className = 'status-light';
|
||||||
|
switch (status) {
|
||||||
|
case 'started':
|
||||||
|
case 'streaming':
|
||||||
|
this.statusLight.classList.add('processing');
|
||||||
|
break;
|
||||||
|
case 'completed':
|
||||||
|
this.statusLight.classList.add('completed');
|
||||||
|
break;
|
||||||
|
case 'error':
|
||||||
|
this.statusLight.classList.add('error');
|
||||||
|
break;
|
||||||
|
default:
|
||||||
|
// Reset to default state
|
||||||
|
break;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
@@ -68,6 +116,7 @@ class SnapSolver {
|
|||||||
}
|
}
|
||||||
|
|
||||||
setupSocketEventHandlers() {
|
setupSocketEventHandlers() {
|
||||||
|
// Screenshot response handler
|
||||||
this.socket.on('screenshot_response', (data) => {
|
this.socket.on('screenshot_response', (data) => {
|
||||||
if (data.success) {
|
if (data.success) {
|
||||||
this.screenshotImg.src = `data:image/png;base64,${data.image}`;
|
this.screenshotImg.src = `data:image/png;base64,${data.image}`;
|
||||||
@@ -76,6 +125,8 @@ class SnapSolver {
|
|||||||
this.captureBtn.disabled = false;
|
this.captureBtn.disabled = false;
|
||||||
this.captureBtn.innerHTML = '<i class="fas fa-camera"></i><span>Capture</span>';
|
this.captureBtn.innerHTML = '<i class="fas fa-camera"></i><span>Capture</span>';
|
||||||
this.sendToClaudeBtn.classList.add('hidden');
|
this.sendToClaudeBtn.classList.add('hidden');
|
||||||
|
this.extractTextBtn.classList.add('hidden');
|
||||||
|
this.textEditor.classList.add('hidden');
|
||||||
window.showToast('Screenshot captured successfully');
|
window.showToast('Screenshot captured successfully');
|
||||||
} else {
|
} else {
|
||||||
window.showToast('Failed to capture screenshot: ' + data.error, 'error');
|
window.showToast('Failed to capture screenshot: ' + data.error, 'error');
|
||||||
@@ -84,58 +135,61 @@ class SnapSolver {
|
|||||||
}
|
}
|
||||||
});
|
});
|
||||||
|
|
||||||
|
// Text extraction response handler
|
||||||
|
this.socket.on('text_extraction_response', (data) => {
|
||||||
|
if (data.success) {
|
||||||
|
this.extractedText.value = data.text;
|
||||||
|
this.textEditor.classList.remove('hidden');
|
||||||
|
window.showToast('Text extracted successfully');
|
||||||
|
} else {
|
||||||
|
window.showToast('Failed to extract text: ' + data.error, 'error');
|
||||||
|
}
|
||||||
|
this.extractTextBtn.disabled = false;
|
||||||
|
this.extractTextBtn.innerHTML = '<i class="fas fa-font"></i><span>Extract Text</span>';
|
||||||
|
});
|
||||||
|
|
||||||
this.socket.on('claude_response', (data) => {
|
this.socket.on('claude_response', (data) => {
|
||||||
console.log('Received claude_response:', data);
|
console.log('Received claude_response:', data);
|
||||||
|
this.updateStatusLight(data.status);
|
||||||
|
|
||||||
switch (data.status) {
|
switch (data.status) {
|
||||||
case 'started':
|
case 'started':
|
||||||
console.log('Analysis started');
|
console.log('Analysis started');
|
||||||
this.responseContent.textContent = 'Starting analysis...\n';
|
this.responseContent.textContent = '';
|
||||||
this.sendToClaudeBtn.disabled = true;
|
this.sendToClaudeBtn.disabled = true;
|
||||||
|
this.sendExtractedTextBtn.disabled = true;
|
||||||
break;
|
break;
|
||||||
|
|
||||||
case 'streaming':
|
case 'streaming':
|
||||||
if (data.content) {
|
if (data.content) {
|
||||||
console.log('Received content:', data.content);
|
console.log('Received content:', data.content);
|
||||||
if (this.responseContent.textContent === 'Starting analysis...\n') {
|
this.responseContent.textContent += data.content;
|
||||||
this.responseContent.textContent = data.content;
|
|
||||||
} else {
|
|
||||||
this.responseContent.textContent += data.content;
|
|
||||||
}
|
|
||||||
this.responseContent.scrollTo({
|
|
||||||
top: this.responseContent.scrollHeight,
|
|
||||||
behavior: 'smooth'
|
|
||||||
});
|
|
||||||
}
|
}
|
||||||
break;
|
break;
|
||||||
|
|
||||||
case 'completed':
|
case 'completed':
|
||||||
console.log('Analysis completed');
|
console.log('Analysis completed');
|
||||||
this.responseContent.textContent += '\n\nAnalysis complete.';
|
|
||||||
this.sendToClaudeBtn.disabled = false;
|
this.sendToClaudeBtn.disabled = false;
|
||||||
|
this.sendExtractedTextBtn.disabled = false;
|
||||||
this.addToHistory(this.croppedImage, this.responseContent.textContent);
|
this.addToHistory(this.croppedImage, this.responseContent.textContent);
|
||||||
window.showToast('Analysis completed successfully');
|
window.showToast('Analysis completed successfully');
|
||||||
this.responseContent.scrollTo({
|
|
||||||
top: this.responseContent.scrollHeight,
|
|
||||||
behavior: 'smooth'
|
|
||||||
});
|
|
||||||
break;
|
break;
|
||||||
|
|
||||||
case 'error':
|
case 'error':
|
||||||
console.error('Claude analysis error:', data.error);
|
console.error('Claude analysis error:', data.error);
|
||||||
const errorMessage = data.error || 'Unknown error occurred';
|
const errorMessage = data.error || 'Unknown error occurred';
|
||||||
this.responseContent.textContent += '\n\nError: ' + errorMessage;
|
this.responseContent.textContent += '\nError: ' + errorMessage;
|
||||||
this.sendToClaudeBtn.disabled = false;
|
this.sendToClaudeBtn.disabled = false;
|
||||||
this.responseContent.scrollTop = this.responseContent.scrollHeight;
|
this.sendExtractedTextBtn.disabled = false;
|
||||||
window.showToast('Analysis failed: ' + errorMessage, 'error');
|
window.showToast('Analysis failed: ' + errorMessage, 'error');
|
||||||
break;
|
break;
|
||||||
|
|
||||||
default:
|
default:
|
||||||
console.warn('Unknown response status:', data.status);
|
console.warn('Unknown response status:', data.status);
|
||||||
if (data.error) {
|
if (data.error) {
|
||||||
this.responseContent.textContent += '\n\nError: ' + data.error;
|
this.responseContent.textContent += '\nError: ' + data.error;
|
||||||
this.sendToClaudeBtn.disabled = false;
|
this.sendToClaudeBtn.disabled = false;
|
||||||
this.responseContent.scrollTop = this.responseContent.scrollHeight;
|
this.sendExtractedTextBtn.disabled = false;
|
||||||
window.showToast('Unknown error occurred', 'error');
|
window.showToast('Unknown error occurred', 'error');
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@@ -170,8 +224,8 @@ class SnapSolver {
|
|||||||
|
|
||||||
this.cropper = new Cropper(clonedImage, {
|
this.cropper = new Cropper(clonedImage, {
|
||||||
viewMode: 1,
|
viewMode: 1,
|
||||||
dragMode: 'move',
|
dragMode: 'crop',
|
||||||
autoCropArea: 0.8,
|
autoCropArea: 0,
|
||||||
restore: false,
|
restore: false,
|
||||||
modal: true,
|
modal: true,
|
||||||
guides: true,
|
guides: true,
|
||||||
@@ -179,10 +233,8 @@ class SnapSolver {
|
|||||||
cropBoxMovable: true,
|
cropBoxMovable: true,
|
||||||
cropBoxResizable: true,
|
cropBoxResizable: true,
|
||||||
toggleDragModeOnDblclick: false,
|
toggleDragModeOnDblclick: false,
|
||||||
minContainerWidth: 800,
|
minCropBoxWidth: 50,
|
||||||
minContainerHeight: 600,
|
minCropBoxHeight: 50,
|
||||||
minCropBoxWidth: 100,
|
|
||||||
minCropBoxHeight: 100,
|
|
||||||
background: true,
|
background: true,
|
||||||
responsive: true,
|
responsive: true,
|
||||||
checkOrientation: true,
|
checkOrientation: true,
|
||||||
@@ -213,6 +265,13 @@ class SnapSolver {
|
|||||||
}
|
}
|
||||||
|
|
||||||
setupEventListeners() {
|
setupEventListeners() {
|
||||||
|
this.setupCaptureEvents();
|
||||||
|
this.setupCropEvents();
|
||||||
|
this.setupAnalysisEvents();
|
||||||
|
this.setupKeyboardShortcuts();
|
||||||
|
}
|
||||||
|
|
||||||
|
setupCaptureEvents() {
|
||||||
// Capture button
|
// Capture button
|
||||||
this.captureBtn.addEventListener('click', async () => {
|
this.captureBtn.addEventListener('click', async () => {
|
||||||
if (!this.socket || !this.socket.connected) {
|
if (!this.socket || !this.socket.connected) {
|
||||||
@@ -230,7 +289,9 @@ class SnapSolver {
|
|||||||
this.captureBtn.innerHTML = '<i class="fas fa-camera"></i><span>Capture</span>';
|
this.captureBtn.innerHTML = '<i class="fas fa-camera"></i><span>Capture</span>';
|
||||||
}
|
}
|
||||||
});
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
setupCropEvents() {
|
||||||
// Crop button
|
// Crop button
|
||||||
this.cropBtn.addEventListener('click', () => {
|
this.cropBtn.addEventListener('click', () => {
|
||||||
if (this.screenshotImg.src) {
|
if (this.screenshotImg.src) {
|
||||||
@@ -264,11 +325,11 @@ class SnapSolver {
|
|||||||
// Get cropped canvas with more conservative size limits
|
// Get cropped canvas with more conservative size limits
|
||||||
console.log('Getting cropped canvas...');
|
console.log('Getting cropped canvas...');
|
||||||
const canvas = this.cropper.getCroppedCanvas({
|
const canvas = this.cropper.getCroppedCanvas({
|
||||||
maxWidth: 1280,
|
maxWidth: 2560,
|
||||||
maxHeight: 720,
|
maxHeight: 1440,
|
||||||
fillColor: '#fff',
|
fillColor: '#fff',
|
||||||
imageSmoothingEnabled: true,
|
imageSmoothingEnabled: true,
|
||||||
imageSmoothingQuality: 'low',
|
imageSmoothingQuality: 'high',
|
||||||
});
|
});
|
||||||
|
|
||||||
if (!canvas) {
|
if (!canvas) {
|
||||||
@@ -280,23 +341,28 @@ class SnapSolver {
|
|||||||
// Convert to data URL with error handling and compression
|
// Convert to data URL with error handling and compression
|
||||||
console.log('Converting to data URL...');
|
console.log('Converting to data URL...');
|
||||||
try {
|
try {
|
||||||
// Use lower quality for JPEG to reduce size
|
// Use PNG for better quality
|
||||||
this.croppedImage = canvas.toDataURL('image/jpeg', 0.6);
|
this.croppedImage = canvas.toDataURL('image/png');
|
||||||
console.log('Data URL conversion successful');
|
console.log('Data URL conversion successful');
|
||||||
} catch (dataUrlError) {
|
} catch (dataUrlError) {
|
||||||
console.error('Data URL conversion error:', dataUrlError);
|
console.error('Data URL conversion error:', dataUrlError);
|
||||||
throw new Error('Failed to process cropped image. The image might be too large or memory insufficient.');
|
throw new Error('Failed to process cropped image. The image might be too large or memory insufficient.');
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// Properly destroy the cropper instance
|
||||||
|
this.cropper.destroy();
|
||||||
|
this.cropper = null;
|
||||||
|
|
||||||
// Clean up cropper and update UI
|
// Clean up cropper and update UI
|
||||||
this.cropContainer.classList.add('hidden');
|
this.cropContainer.classList.add('hidden');
|
||||||
document.querySelector('.crop-area').innerHTML = '';
|
document.querySelector('.crop-area').innerHTML = '';
|
||||||
this.settingsPanel.classList.add('hidden');
|
|
||||||
|
|
||||||
|
// Update the screenshot image with the cropped version
|
||||||
this.screenshotImg.src = this.croppedImage;
|
this.screenshotImg.src = this.croppedImage;
|
||||||
this.imagePreview.classList.remove('hidden');
|
this.imagePreview.classList.remove('hidden');
|
||||||
this.cropBtn.classList.remove('hidden');
|
this.cropBtn.classList.remove('hidden');
|
||||||
this.sendToClaudeBtn.classList.remove('hidden');
|
this.sendToClaudeBtn.classList.remove('hidden');
|
||||||
|
this.extractTextBtn.classList.remove('hidden');
|
||||||
window.showToast('Image cropped successfully');
|
window.showToast('Image cropped successfully');
|
||||||
} catch (error) {
|
} catch (error) {
|
||||||
console.error('Cropping error details:', {
|
console.error('Cropping error details:', {
|
||||||
@@ -305,7 +371,12 @@ class SnapSolver {
|
|||||||
cropperState: this.cropper ? 'initialized' : 'not initialized'
|
cropperState: this.cropper ? 'initialized' : 'not initialized'
|
||||||
});
|
});
|
||||||
window.showToast(error.message || 'Error while cropping image', 'error');
|
window.showToast(error.message || 'Error while cropping image', 'error');
|
||||||
return; // Exit the function to prevent cleanup if error occurs
|
} finally {
|
||||||
|
// Always clean up the cropper instance
|
||||||
|
if (this.cropper) {
|
||||||
|
this.cropper.destroy();
|
||||||
|
this.cropper = null;
|
||||||
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
});
|
});
|
||||||
@@ -318,8 +389,72 @@ class SnapSolver {
|
|||||||
}
|
}
|
||||||
this.cropContainer.classList.add('hidden');
|
this.cropContainer.classList.add('hidden');
|
||||||
this.sendToClaudeBtn.classList.add('hidden');
|
this.sendToClaudeBtn.classList.add('hidden');
|
||||||
|
this.extractTextBtn.classList.add('hidden');
|
||||||
document.querySelector('.crop-area').innerHTML = '';
|
document.querySelector('.crop-area').innerHTML = '';
|
||||||
});
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
setupAnalysisEvents() {
|
||||||
|
// Extract Text button
|
||||||
|
this.extractTextBtn.addEventListener('click', () => {
|
||||||
|
if (!this.croppedImage) {
|
||||||
|
window.showToast('Please crop the image first', 'error');
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
this.extractTextBtn.disabled = true;
|
||||||
|
this.extractTextBtn.innerHTML = '<i class="fas fa-spinner fa-spin"></i><span>Extracting...</span>';
|
||||||
|
|
||||||
|
try {
|
||||||
|
this.socket.emit('extract_text', {
|
||||||
|
image: this.croppedImage.split(',')[1]
|
||||||
|
});
|
||||||
|
} catch (error) {
|
||||||
|
window.showToast('Failed to extract text: ' + error.message, 'error');
|
||||||
|
this.extractTextBtn.disabled = false;
|
||||||
|
this.extractTextBtn.innerHTML = '<i class="fas fa-font"></i><span>Extract Text</span>';
|
||||||
|
}
|
||||||
|
});
|
||||||
|
|
||||||
|
// Send Extracted Text button
|
||||||
|
this.sendExtractedTextBtn.addEventListener('click', () => {
|
||||||
|
const text = this.extractedText.value.trim();
|
||||||
|
if (!text) {
|
||||||
|
window.showToast('Please enter some text', 'error');
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
const settings = window.settingsManager.getSettings();
|
||||||
|
const apiKey = window.settingsManager.getApiKey();
|
||||||
|
|
||||||
|
if (!apiKey) {
|
||||||
|
this.settingsPanel.classList.remove('hidden');
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
this.claudePanel.classList.remove('hidden');
|
||||||
|
this.responseContent.textContent = '';
|
||||||
|
this.sendExtractedTextBtn.disabled = true;
|
||||||
|
|
||||||
|
try {
|
||||||
|
this.socket.emit('analyze_text', {
|
||||||
|
text: text,
|
||||||
|
settings: {
|
||||||
|
apiKey: apiKey,
|
||||||
|
model: settings.model || 'claude-3-5-sonnet-20241022',
|
||||||
|
temperature: parseFloat(settings.temperature) || 0.7,
|
||||||
|
systemPrompt: settings.systemPrompt || 'You are an expert at analyzing questions and providing detailed solutions.',
|
||||||
|
proxyEnabled: settings.proxyEnabled || false,
|
||||||
|
proxyHost: settings.proxyHost || '127.0.0.1',
|
||||||
|
proxyPort: settings.proxyPort || '4780'
|
||||||
|
}
|
||||||
|
});
|
||||||
|
} catch (error) {
|
||||||
|
this.responseContent.textContent = 'Error: Failed to send text for analysis - ' + error.message;
|
||||||
|
this.sendExtractedTextBtn.disabled = false;
|
||||||
|
window.showToast('Failed to send text for analysis', 'error');
|
||||||
|
}
|
||||||
|
});
|
||||||
|
|
||||||
// Send to Claude button
|
// Send to Claude button
|
||||||
this.sendToClaudeBtn.addEventListener('click', () => {
|
this.sendToClaudeBtn.addEventListener('click', () => {
|
||||||
@@ -337,7 +472,7 @@ class SnapSolver {
|
|||||||
}
|
}
|
||||||
|
|
||||||
this.claudePanel.classList.remove('hidden');
|
this.claudePanel.classList.remove('hidden');
|
||||||
this.responseContent.textContent = 'Preparing to analyze image...\n';
|
this.responseContent.textContent = '';
|
||||||
this.sendToClaudeBtn.disabled = true;
|
this.sendToClaudeBtn.disabled = true;
|
||||||
|
|
||||||
try {
|
try {
|
||||||
@@ -354,12 +489,14 @@ class SnapSolver {
|
|||||||
}
|
}
|
||||||
});
|
});
|
||||||
} catch (error) {
|
} catch (error) {
|
||||||
this.responseContent.textContent += '\nError: Failed to send image for analysis - ' + error.message;
|
this.responseContent.textContent = 'Error: Failed to send image for analysis - ' + error.message;
|
||||||
this.sendToClaudeBtn.disabled = false;
|
this.sendToClaudeBtn.disabled = false;
|
||||||
window.showToast('Failed to send image for analysis', 'error');
|
window.showToast('Failed to send image for analysis', 'error');
|
||||||
}
|
}
|
||||||
});
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
setupKeyboardShortcuts() {
|
||||||
// Keyboard shortcuts for capture and crop
|
// Keyboard shortcuts for capture and crop
|
||||||
document.addEventListener('keydown', (e) => {
|
document.addEventListener('keydown', (e) => {
|
||||||
if (e.ctrlKey || e.metaKey) {
|
if (e.ctrlKey || e.metaKey) {
|
||||||
@@ -430,6 +567,7 @@ window.renderHistory = function() {
|
|||||||
window.app.cropBtn.classList.add('hidden');
|
window.app.cropBtn.classList.add('hidden');
|
||||||
window.app.captureBtn.classList.add('hidden');
|
window.app.captureBtn.classList.add('hidden');
|
||||||
window.app.sendToClaudeBtn.classList.add('hidden');
|
window.app.sendToClaudeBtn.classList.add('hidden');
|
||||||
|
window.app.extractTextBtn.classList.add('hidden');
|
||||||
if (historyItem.response) {
|
if (historyItem.response) {
|
||||||
window.app.claudePanel.classList.remove('hidden');
|
window.app.claudePanel.classList.remove('hidden');
|
||||||
window.app.responseContent.textContent = historyItem.response;
|
window.app.responseContent.textContent = historyItem.response;
|
||||||
|
|||||||
@@ -12,6 +12,7 @@ class SettingsManager {
|
|||||||
this.temperatureInput = document.getElementById('temperature');
|
this.temperatureInput = document.getElementById('temperature');
|
||||||
this.temperatureValue = document.getElementById('temperatureValue');
|
this.temperatureValue = document.getElementById('temperatureValue');
|
||||||
this.systemPromptInput = document.getElementById('systemPrompt');
|
this.systemPromptInput = document.getElementById('systemPrompt');
|
||||||
|
this.languageInput = document.getElementById('language');
|
||||||
this.proxyEnabledInput = document.getElementById('proxyEnabled');
|
this.proxyEnabledInput = document.getElementById('proxyEnabled');
|
||||||
this.proxyHostInput = document.getElementById('proxyHost');
|
this.proxyHostInput = document.getElementById('proxyHost');
|
||||||
this.proxyPortInput = document.getElementById('proxyPort');
|
this.proxyPortInput = document.getElementById('proxyPort');
|
||||||
@@ -67,6 +68,7 @@ class SettingsManager {
|
|||||||
this.temperatureInput.value = settings.temperature;
|
this.temperatureInput.value = settings.temperature;
|
||||||
this.temperatureValue.textContent = settings.temperature;
|
this.temperatureValue.textContent = settings.temperature;
|
||||||
}
|
}
|
||||||
|
if (settings.language) this.languageInput.value = settings.language;
|
||||||
if (settings.systemPrompt) this.systemPromptInput.value = settings.systemPrompt;
|
if (settings.systemPrompt) this.systemPromptInput.value = settings.systemPrompt;
|
||||||
if (settings.proxyEnabled !== undefined) {
|
if (settings.proxyEnabled !== undefined) {
|
||||||
this.proxyEnabledInput.checked = settings.proxyEnabled;
|
this.proxyEnabledInput.checked = settings.proxyEnabled;
|
||||||
@@ -89,6 +91,7 @@ class SettingsManager {
|
|||||||
apiKeys: {},
|
apiKeys: {},
|
||||||
model: this.modelSelect.value,
|
model: this.modelSelect.value,
|
||||||
temperature: this.temperatureInput.value,
|
temperature: this.temperatureInput.value,
|
||||||
|
language: this.languageInput.value,
|
||||||
systemPrompt: this.systemPromptInput.value,
|
systemPrompt: this.systemPromptInput.value,
|
||||||
proxyEnabled: this.proxyEnabledInput.checked,
|
proxyEnabled: this.proxyEnabledInput.checked,
|
||||||
proxyHost: this.proxyHostInput.value,
|
proxyHost: this.proxyHostInput.value,
|
||||||
@@ -118,6 +121,18 @@ class SettingsManager {
|
|||||||
return apiKey;
|
return apiKey;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
getSettings() {
|
||||||
|
return {
|
||||||
|
model: this.modelSelect.value,
|
||||||
|
temperature: this.temperatureInput.value,
|
||||||
|
language: this.languageInput.value,
|
||||||
|
systemPrompt: this.systemPromptInput.value + ` Please respond in ${this.languageInput.value}.`,
|
||||||
|
proxyEnabled: this.proxyEnabledInput.checked,
|
||||||
|
proxyHost: this.proxyHostInput.value,
|
||||||
|
proxyPort: this.proxyPortInput.value
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
setupEventListeners() {
|
setupEventListeners() {
|
||||||
// Save settings on change
|
// Save settings on change
|
||||||
Object.values(this.apiKeyInputs).forEach(input => {
|
Object.values(this.apiKeyInputs).forEach(input => {
|
||||||
@@ -135,6 +150,7 @@ class SettingsManager {
|
|||||||
});
|
});
|
||||||
|
|
||||||
this.systemPromptInput.addEventListener('change', () => this.saveSettings());
|
this.systemPromptInput.addEventListener('change', () => this.saveSettings());
|
||||||
|
this.languageInput.addEventListener('change', () => this.saveSettings());
|
||||||
this.proxyEnabledInput.addEventListener('change', (e) => {
|
this.proxyEnabledInput.addEventListener('change', (e) => {
|
||||||
this.proxySettings.style.display = e.target.checked ? 'block' : 'none';
|
this.proxySettings.style.display = e.target.checked ? 'block' : 'none';
|
||||||
this.saveSettings();
|
this.saveSettings();
|
||||||
|
|||||||
@@ -145,20 +145,64 @@ body {
|
|||||||
}
|
}
|
||||||
|
|
||||||
.toolbar-buttons {
|
.toolbar-buttons {
|
||||||
display: grid;
|
display: flex;
|
||||||
grid-template-columns: repeat(auto-fit, minmax(min-content, max-content));
|
justify-content: flex-start;
|
||||||
gap: 1rem;
|
align-items: center;
|
||||||
justify-content: start;
|
}
|
||||||
|
|
||||||
|
.button-group {
|
||||||
|
display: flex;
|
||||||
|
gap: 0.5rem;
|
||||||
align-items: center;
|
align-items: center;
|
||||||
}
|
}
|
||||||
|
|
||||||
.analysis-button {
|
.analysis-button {
|
||||||
display: flex;
|
display: flex;
|
||||||
justify-content: center;
|
flex-direction: column;
|
||||||
|
align-items: center;
|
||||||
|
gap: 1rem;
|
||||||
margin-top: 1rem;
|
margin-top: 1rem;
|
||||||
padding: 1rem;
|
padding: 1rem;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
.analysis-button .button-group {
|
||||||
|
display: flex;
|
||||||
|
gap: 0.5rem;
|
||||||
|
width: 100%;
|
||||||
|
max-width: 400px;
|
||||||
|
justify-content: center;
|
||||||
|
}
|
||||||
|
|
||||||
|
.text-editor {
|
||||||
|
width: 100%;
|
||||||
|
max-width: 600px;
|
||||||
|
display: flex;
|
||||||
|
flex-direction: column;
|
||||||
|
gap: 1rem;
|
||||||
|
}
|
||||||
|
|
||||||
|
.text-editor textarea {
|
||||||
|
width: 100%;
|
||||||
|
min-height: 120px;
|
||||||
|
padding: 0.75rem;
|
||||||
|
border: 1px solid var(--border-color);
|
||||||
|
border-radius: 0.375rem;
|
||||||
|
background-color: var(--background);
|
||||||
|
color: var(--text-primary);
|
||||||
|
font-size: 0.9375rem;
|
||||||
|
resize: vertical;
|
||||||
|
}
|
||||||
|
|
||||||
|
.text-editor textarea:focus {
|
||||||
|
outline: none;
|
||||||
|
border-color: var(--primary-color);
|
||||||
|
box-shadow: 0 0 0 2px rgba(33, 150, 243, 0.1);
|
||||||
|
}
|
||||||
|
|
||||||
|
.text-editor button {
|
||||||
|
align-self: flex-end;
|
||||||
|
}
|
||||||
|
|
||||||
.image-preview {
|
.image-preview {
|
||||||
position: relative;
|
position: relative;
|
||||||
border-radius: 0.5rem;
|
border-radius: 0.5rem;
|
||||||
@@ -207,11 +251,55 @@ body {
|
|||||||
margin-bottom: 1rem;
|
margin-bottom: 1rem;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
.header-title {
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
gap: 0.75rem;
|
||||||
|
}
|
||||||
|
|
||||||
.panel-header h2 {
|
.panel-header h2 {
|
||||||
font-size: 1.25rem;
|
font-size: 1.25rem;
|
||||||
color: var(--text-primary);
|
color: var(--text-primary);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
.analysis-status {
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
}
|
||||||
|
|
||||||
|
.status-light {
|
||||||
|
width: 12px;
|
||||||
|
height: 12px;
|
||||||
|
border-radius: 50%;
|
||||||
|
background-color: var(--text-secondary);
|
||||||
|
transition: background-color 0.3s ease;
|
||||||
|
}
|
||||||
|
|
||||||
|
.status-light.processing {
|
||||||
|
background-color: #ffd700;
|
||||||
|
animation: pulse 1.5s infinite;
|
||||||
|
}
|
||||||
|
|
||||||
|
.status-light.completed {
|
||||||
|
background-color: var(--success-color);
|
||||||
|
}
|
||||||
|
|
||||||
|
.status-light.error {
|
||||||
|
background-color: var(--error-color);
|
||||||
|
}
|
||||||
|
|
||||||
|
@keyframes pulse {
|
||||||
|
0% {
|
||||||
|
opacity: 1;
|
||||||
|
}
|
||||||
|
50% {
|
||||||
|
opacity: 0.5;
|
||||||
|
}
|
||||||
|
100% {
|
||||||
|
opacity: 1;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
.response-content {
|
.response-content {
|
||||||
flex: 1;
|
flex: 1;
|
||||||
overflow-y: auto;
|
overflow-y: auto;
|
||||||
|
|||||||
@@ -35,7 +35,8 @@
|
|||||||
<div class="content-panel">
|
<div class="content-panel">
|
||||||
<div class="capture-section">
|
<div class="capture-section">
|
||||||
<div class="toolbar">
|
<div class="toolbar">
|
||||||
<div class="toolbar-buttons">
|
<div class="toolbar-buttons">
|
||||||
|
<div class="button-group">
|
||||||
<button id="captureBtn" class="btn-primary" disabled>
|
<button id="captureBtn" class="btn-primary" disabled>
|
||||||
<i class="fas fa-camera"></i>
|
<i class="fas fa-camera"></i>
|
||||||
<span>Capture</span>
|
<span>Capture</span>
|
||||||
@@ -46,22 +47,41 @@
|
|||||||
</button>
|
</button>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
</div>
|
||||||
<div id="imagePreview" class="image-preview hidden">
|
<div id="imagePreview" class="image-preview hidden">
|
||||||
<div class="image-container">
|
<div class="image-container">
|
||||||
<img id="screenshotImg" src="" alt="Screenshot preview">
|
<img id="screenshotImg" src="" alt="Screenshot preview">
|
||||||
</div>
|
</div>
|
||||||
<div class="analysis-button">
|
<div class="analysis-button">
|
||||||
<button id="sendToClaude" class="btn-primary hidden">
|
<div class="button-group">
|
||||||
<i class="fas fa-robot"></i>
|
<button id="sendToClaude" class="btn-primary hidden">
|
||||||
<span>Analyze Image</span>
|
<i class="fas fa-robot"></i>
|
||||||
</button>
|
<span>Send to AI</span>
|
||||||
|
</button>
|
||||||
|
<button id="extractText" class="btn-primary hidden">
|
||||||
|
<i class="fas fa-font"></i>
|
||||||
|
<span>Extract Text</span>
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
<div id="textEditor" class="text-editor hidden">
|
||||||
|
<textarea id="extractedText" rows="4" placeholder="Extracted text will appear here..."></textarea>
|
||||||
|
<button id="sendExtractedText" class="btn-primary">
|
||||||
|
<i class="fas fa-paper-plane"></i>
|
||||||
|
<span>Send Text to AI</span>
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
<div id="claudePanel" class="claude-panel hidden">
|
<div id="claudePanel" class="claude-panel hidden">
|
||||||
<div class="panel-header">
|
<div class="panel-header">
|
||||||
<h2>Analysis Result</h2>
|
<div class="header-title">
|
||||||
|
<h2>Analysis Result</h2>
|
||||||
|
<div class="analysis-status">
|
||||||
|
<div class="status-light"></div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
<button class="btn-icon" id="closeClaudePanel">
|
<button class="btn-icon" id="closeClaudePanel">
|
||||||
<i class="fas fa-times"></i>
|
<i class="fas fa-times"></i>
|
||||||
</button>
|
</button>
|
||||||
@@ -107,6 +127,10 @@
|
|||||||
</button>
|
</button>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
<div class="setting-group">
|
||||||
|
<label for="language">Language</label>
|
||||||
|
<input type="text" id="language" value="English" placeholder="Enter preferred language">
|
||||||
|
</div>
|
||||||
<div class="setting-group">
|
<div class="setting-group">
|
||||||
<label for="modelSelect">Model</label>
|
<label for="modelSelect">Model</label>
|
||||||
<select id="modelSelect" class="select-styled">
|
<select id="modelSelect" class="select-styled">
|
||||||
@@ -124,7 +148,7 @@
|
|||||||
</div>
|
</div>
|
||||||
<div class="setting-group">
|
<div class="setting-group">
|
||||||
<label for="systemPrompt">System Prompt</label>
|
<label for="systemPrompt">System Prompt</label>
|
||||||
<textarea id="systemPrompt" rows="3">You are a helpful AI assistant. Analyze the image and provide detailed explanations.</textarea>
|
<textarea id="systemPrompt" rows="3">You are an expert problem solver. Analyze the image, identify any questions or problems, and provide detailed solutions. Always respond in the user's preferred language.</textarea>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
|
|||||||
Reference in New Issue
Block a user