Initial GuruConnect implementation - Phase 1 MVP
- Agent: DXGI/GDI screen capture, mouse/keyboard input, WebSocket transport - Server: Axum relay, session management, REST API - Dashboard: React viewer components with TypeScript - Protocol: Protobuf definitions for all message types 🤖 Generated with [Claude Code](https://claude.com/claude-code) Co-Authored-By: Claude Opus 4.5 <noreply@anthropic.com>
This commit is contained in:
78
agent/Cargo.toml
Normal file
78
agent/Cargo.toml
Normal file
@@ -0,0 +1,78 @@
|
||||
[package]
|
||||
name = "guruconnect-agent"
|
||||
version = "0.1.0"
|
||||
edition = "2021"
|
||||
authors = ["AZ Computer Guru"]
|
||||
description = "GuruConnect Remote Desktop Agent"
|
||||
|
||||
[dependencies]
|
||||
# Async runtime
|
||||
tokio = { version = "1", features = ["full", "sync", "time", "rt-multi-thread", "macros"] }
|
||||
|
||||
# WebSocket
|
||||
tokio-tungstenite = { version = "0.24", features = ["native-tls"] }
|
||||
futures-util = "0.3"
|
||||
|
||||
# Compression
|
||||
zstd = "0.13"
|
||||
|
||||
# Protocol (protobuf)
|
||||
prost = "0.13"
|
||||
prost-types = "0.13"
|
||||
bytes = "1"
|
||||
|
||||
# Serialization
|
||||
serde = { version = "1", features = ["derive"] }
|
||||
serde_json = "1"
|
||||
|
||||
# Logging
|
||||
tracing = "0.1"
|
||||
tracing-subscriber = { version = "0.3", features = ["env-filter"] }
|
||||
|
||||
# Error handling
|
||||
anyhow = "1"
|
||||
thiserror = "1"
|
||||
|
||||
# Configuration
|
||||
toml = "0.8"
|
||||
|
||||
# Crypto
|
||||
ring = "0.17"
|
||||
|
||||
# UUID
|
||||
uuid = { version = "1", features = ["v4", "serde"] }
|
||||
|
||||
# Time
|
||||
chrono = { version = "0.4", features = ["serde"] }
|
||||
|
||||
# Hostname
|
||||
hostname = "0.4"
|
||||
|
||||
[target.'cfg(windows)'.dependencies]
|
||||
# Windows APIs for screen capture and input
|
||||
windows = { version = "0.58", features = [
|
||||
"Win32_Foundation",
|
||||
"Win32_Graphics_Gdi",
|
||||
"Win32_Graphics_Dxgi",
|
||||
"Win32_Graphics_Dxgi_Common",
|
||||
"Win32_Graphics_Direct3D",
|
||||
"Win32_Graphics_Direct3D11",
|
||||
"Win32_UI_Input_KeyboardAndMouse",
|
||||
"Win32_UI_WindowsAndMessaging",
|
||||
"Win32_System_LibraryLoader",
|
||||
"Win32_System_Threading",
|
||||
"Win32_Security",
|
||||
]}
|
||||
|
||||
# Windows service support
|
||||
windows-service = "0.7"
|
||||
|
||||
[build-dependencies]
|
||||
prost-build = "0.13"
|
||||
|
||||
[profile.release]
|
||||
lto = true
|
||||
codegen-units = 1
|
||||
opt-level = "z"
|
||||
strip = true
|
||||
panic = "abort"
|
||||
11
agent/build.rs
Normal file
11
agent/build.rs
Normal file
@@ -0,0 +1,11 @@
|
||||
use std::io::Result;
|
||||
|
||||
fn main() -> Result<()> {
|
||||
// Compile protobuf definitions
|
||||
prost_build::compile_protos(&["../proto/guruconnect.proto"], &["../proto/"])?;
|
||||
|
||||
// Rerun if proto changes
|
||||
println!("cargo:rerun-if-changed=../proto/guruconnect.proto");
|
||||
|
||||
Ok(())
|
||||
}
|
||||
156
agent/src/capture/display.rs
Normal file
156
agent/src/capture/display.rs
Normal file
@@ -0,0 +1,156 @@
|
||||
//! Display enumeration and information
|
||||
|
||||
use anyhow::Result;
|
||||
|
||||
/// Information about a display/monitor
|
||||
#[derive(Debug, Clone)]
|
||||
pub struct Display {
|
||||
/// Unique display ID
|
||||
pub id: u32,
|
||||
|
||||
/// Display name (e.g., "\\\\.\\DISPLAY1")
|
||||
pub name: String,
|
||||
|
||||
/// X position in virtual screen coordinates
|
||||
pub x: i32,
|
||||
|
||||
/// Y position in virtual screen coordinates
|
||||
pub y: i32,
|
||||
|
||||
/// Width in pixels
|
||||
pub width: u32,
|
||||
|
||||
/// Height in pixels
|
||||
pub height: u32,
|
||||
|
||||
/// Whether this is the primary display
|
||||
pub is_primary: bool,
|
||||
|
||||
/// Platform-specific handle (HMONITOR on Windows)
|
||||
#[cfg(windows)]
|
||||
pub handle: isize,
|
||||
}
|
||||
|
||||
/// Display info for protocol messages
|
||||
#[derive(Debug, Clone)]
|
||||
pub struct DisplayInfo {
|
||||
pub displays: Vec<Display>,
|
||||
pub primary_id: u32,
|
||||
}
|
||||
|
||||
impl Display {
|
||||
/// Total pixels in the display
|
||||
pub fn pixel_count(&self) -> u32 {
|
||||
self.width * self.height
|
||||
}
|
||||
|
||||
/// Bytes needed for BGRA frame buffer
|
||||
pub fn buffer_size(&self) -> usize {
|
||||
(self.width * self.height * 4) as usize
|
||||
}
|
||||
}
|
||||
|
||||
/// Enumerate all connected displays
|
||||
#[cfg(windows)]
|
||||
pub fn enumerate_displays() -> Result<Vec<Display>> {
|
||||
use windows::Win32::Graphics::Gdi::{
|
||||
EnumDisplayMonitors, GetMonitorInfoW, HMONITOR, MONITORINFOEXW,
|
||||
};
|
||||
use windows::Win32::Foundation::{BOOL, LPARAM, RECT};
|
||||
use std::mem;
|
||||
|
||||
let mut displays = Vec::new();
|
||||
let mut display_id = 0u32;
|
||||
|
||||
// Callback for EnumDisplayMonitors
|
||||
unsafe extern "system" fn enum_callback(
|
||||
hmonitor: HMONITOR,
|
||||
_hdc: windows::Win32::Graphics::Gdi::HDC,
|
||||
_rect: *mut RECT,
|
||||
lparam: LPARAM,
|
||||
) -> BOOL {
|
||||
let displays = &mut *(lparam.0 as *mut Vec<(HMONITOR, u32)>);
|
||||
let id = displays.len() as u32;
|
||||
displays.push((hmonitor, id));
|
||||
BOOL(1) // Continue enumeration
|
||||
}
|
||||
|
||||
// Collect all monitor handles
|
||||
let mut monitors: Vec<(windows::Win32::Graphics::Gdi::HMONITOR, u32)> = Vec::new();
|
||||
unsafe {
|
||||
EnumDisplayMonitors(
|
||||
None,
|
||||
None,
|
||||
Some(enum_callback),
|
||||
LPARAM(&mut monitors as *mut _ as isize),
|
||||
)?;
|
||||
}
|
||||
|
||||
// Get detailed info for each monitor
|
||||
for (hmonitor, id) in monitors {
|
||||
let mut info: MONITORINFOEXW = unsafe { mem::zeroed() };
|
||||
info.monitorInfo.cbSize = mem::size_of::<MONITORINFOEXW>() as u32;
|
||||
|
||||
unsafe {
|
||||
if GetMonitorInfoW(hmonitor, &mut info.monitorInfo as *mut _ as *mut _).as_bool() {
|
||||
let rect = info.monitorInfo.rcMonitor;
|
||||
let name = String::from_utf16_lossy(
|
||||
&info.szDevice[..info.szDevice.iter().position(|&c| c == 0).unwrap_or(info.szDevice.len())]
|
||||
);
|
||||
|
||||
let is_primary = (info.monitorInfo.dwFlags & 1) != 0; // MONITORINFOF_PRIMARY
|
||||
|
||||
displays.push(Display {
|
||||
id,
|
||||
name,
|
||||
x: rect.left,
|
||||
y: rect.top,
|
||||
width: (rect.right - rect.left) as u32,
|
||||
height: (rect.bottom - rect.top) as u32,
|
||||
is_primary,
|
||||
handle: hmonitor.0 as isize,
|
||||
});
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
// Sort by position (left to right, top to bottom)
|
||||
displays.sort_by(|a, b| {
|
||||
if a.y != b.y {
|
||||
a.y.cmp(&b.y)
|
||||
} else {
|
||||
a.x.cmp(&b.x)
|
||||
}
|
||||
});
|
||||
|
||||
// Reassign IDs after sorting
|
||||
for (i, display) in displays.iter_mut().enumerate() {
|
||||
display.id = i as u32;
|
||||
}
|
||||
|
||||
if displays.is_empty() {
|
||||
anyhow::bail!("No displays found");
|
||||
}
|
||||
|
||||
Ok(displays)
|
||||
}
|
||||
|
||||
#[cfg(not(windows))]
|
||||
pub fn enumerate_displays() -> Result<Vec<Display>> {
|
||||
anyhow::bail!("Display enumeration only supported on Windows")
|
||||
}
|
||||
|
||||
/// Get display info for protocol
|
||||
pub fn get_display_info() -> Result<DisplayInfo> {
|
||||
let displays = enumerate_displays()?;
|
||||
let primary_id = displays
|
||||
.iter()
|
||||
.find(|d| d.is_primary)
|
||||
.map(|d| d.id)
|
||||
.unwrap_or(0);
|
||||
|
||||
Ok(DisplayInfo {
|
||||
displays,
|
||||
primary_id,
|
||||
})
|
||||
}
|
||||
325
agent/src/capture/dxgi.rs
Normal file
325
agent/src/capture/dxgi.rs
Normal file
@@ -0,0 +1,325 @@
|
||||
//! DXGI Desktop Duplication screen capture
|
||||
//!
|
||||
//! Uses the Windows Desktop Duplication API (available on Windows 8+) for
|
||||
//! high-performance, low-latency screen capture with hardware acceleration.
|
||||
//!
|
||||
//! Reference: RustDesk's scrap library implementation
|
||||
|
||||
use super::{CapturedFrame, Capturer, DirtyRect, Display};
|
||||
use anyhow::{Context, Result};
|
||||
use std::ptr;
|
||||
use std::time::Instant;
|
||||
|
||||
use windows::Win32::Graphics::Direct3D::D3D_DRIVER_TYPE_UNKNOWN;
|
||||
use windows::Win32::Graphics::Direct3D11::{
|
||||
D3D11CreateDevice, ID3D11Device, ID3D11DeviceContext, ID3D11Texture2D,
|
||||
D3D11_CPU_ACCESS_READ, D3D11_SDK_VERSION, D3D11_TEXTURE2D_DESC,
|
||||
D3D11_USAGE_STAGING, D3D11_MAPPED_SUBRESOURCE, D3D11_MAP_READ,
|
||||
};
|
||||
use windows::Win32::Graphics::Dxgi::{
|
||||
CreateDXGIFactory1, IDXGIAdapter1, IDXGIFactory1, IDXGIOutput, IDXGIOutput1,
|
||||
IDXGIOutputDuplication, IDXGIResource, DXGI_ERROR_ACCESS_LOST,
|
||||
DXGI_ERROR_WAIT_TIMEOUT, DXGI_OUTDUPL_DESC, DXGI_OUTDUPL_FRAME_INFO,
|
||||
DXGI_RESOURCE_PRIORITY_MAXIMUM,
|
||||
};
|
||||
use windows::core::Interface;
|
||||
|
||||
/// DXGI Desktop Duplication capturer
|
||||
pub struct DxgiCapturer {
|
||||
display: Display,
|
||||
device: ID3D11Device,
|
||||
context: ID3D11DeviceContext,
|
||||
duplication: IDXGIOutputDuplication,
|
||||
staging_texture: Option<ID3D11Texture2D>,
|
||||
width: u32,
|
||||
height: u32,
|
||||
last_frame: Option<Vec<u8>>,
|
||||
}
|
||||
|
||||
impl DxgiCapturer {
|
||||
/// Create a new DXGI capturer for the specified display
|
||||
pub fn new(display: Display) -> Result<Self> {
|
||||
let (device, context, duplication, desc) = Self::create_duplication(&display)?;
|
||||
|
||||
Ok(Self {
|
||||
display,
|
||||
device,
|
||||
context,
|
||||
duplication,
|
||||
staging_texture: None,
|
||||
width: desc.ModeDesc.Width,
|
||||
height: desc.ModeDesc.Height,
|
||||
last_frame: None,
|
||||
})
|
||||
}
|
||||
|
||||
/// Create D3D device and output duplication
|
||||
fn create_duplication(
|
||||
display: &Display,
|
||||
) -> Result<(ID3D11Device, ID3D11DeviceContext, IDXGIOutputDuplication, DXGI_OUTDUPL_DESC)> {
|
||||
unsafe {
|
||||
// Create DXGI factory
|
||||
let factory: IDXGIFactory1 = CreateDXGIFactory1()
|
||||
.context("Failed to create DXGI factory")?;
|
||||
|
||||
// Find the adapter and output for this display
|
||||
let (adapter, output) = Self::find_adapter_output(&factory, display)?;
|
||||
|
||||
// Create D3D11 device
|
||||
let mut device: Option<ID3D11Device> = None;
|
||||
let mut context: Option<ID3D11DeviceContext> = None;
|
||||
|
||||
D3D11CreateDevice(
|
||||
&adapter,
|
||||
D3D_DRIVER_TYPE_UNKNOWN,
|
||||
None,
|
||||
Default::default(),
|
||||
None,
|
||||
D3D11_SDK_VERSION,
|
||||
Some(&mut device),
|
||||
None,
|
||||
Some(&mut context),
|
||||
)
|
||||
.context("Failed to create D3D11 device")?;
|
||||
|
||||
let device = device.context("D3D11 device is None")?;
|
||||
let context = context.context("D3D11 context is None")?;
|
||||
|
||||
// Get IDXGIOutput1 interface
|
||||
let output1: IDXGIOutput1 = output.cast()
|
||||
.context("Failed to get IDXGIOutput1 interface")?;
|
||||
|
||||
// Create output duplication
|
||||
let duplication = output1.DuplicateOutput(&device)
|
||||
.context("Failed to create output duplication")?;
|
||||
|
||||
// Get duplication description
|
||||
let mut desc = DXGI_OUTDUPL_DESC::default();
|
||||
duplication.GetDesc(&mut desc);
|
||||
|
||||
tracing::info!(
|
||||
"Created DXGI duplication: {}x{}, display: {}",
|
||||
desc.ModeDesc.Width,
|
||||
desc.ModeDesc.Height,
|
||||
display.name
|
||||
);
|
||||
|
||||
Ok((device, context, duplication, desc))
|
||||
}
|
||||
}
|
||||
|
||||
/// Find the adapter and output for the specified display
|
||||
fn find_adapter_output(
|
||||
factory: &IDXGIFactory1,
|
||||
display: &Display,
|
||||
) -> Result<(IDXGIAdapter1, IDXGIOutput)> {
|
||||
unsafe {
|
||||
let mut adapter_idx = 0u32;
|
||||
|
||||
loop {
|
||||
// Enumerate adapters
|
||||
let adapter: IDXGIAdapter1 = match factory.EnumAdapters1(adapter_idx) {
|
||||
Ok(a) => a,
|
||||
Err(_) => break,
|
||||
};
|
||||
|
||||
let mut output_idx = 0u32;
|
||||
|
||||
loop {
|
||||
// Enumerate outputs for this adapter
|
||||
let output: IDXGIOutput = match adapter.EnumOutputs(output_idx) {
|
||||
Ok(o) => o,
|
||||
Err(_) => break,
|
||||
};
|
||||
|
||||
// Check if this is the display we want
|
||||
let mut desc = Default::default();
|
||||
output.GetDesc(&mut desc)?;
|
||||
|
||||
let name = String::from_utf16_lossy(
|
||||
&desc.DeviceName[..desc.DeviceName.iter().position(|&c| c == 0).unwrap_or(desc.DeviceName.len())]
|
||||
);
|
||||
|
||||
if name == display.name || desc.Monitor.0 as isize == display.handle {
|
||||
return Ok((adapter, output));
|
||||
}
|
||||
|
||||
output_idx += 1;
|
||||
}
|
||||
|
||||
adapter_idx += 1;
|
||||
}
|
||||
|
||||
// If we didn't find the specific display, use the first one
|
||||
let adapter: IDXGIAdapter1 = factory.EnumAdapters1(0)
|
||||
.context("No adapters found")?;
|
||||
let output: IDXGIOutput = adapter.EnumOutputs(0)
|
||||
.context("No outputs found")?;
|
||||
|
||||
Ok((adapter, output))
|
||||
}
|
||||
}
|
||||
|
||||
/// Create or get the staging texture for CPU access
|
||||
fn get_staging_texture(&mut self, src_texture: &ID3D11Texture2D) -> Result<&ID3D11Texture2D> {
|
||||
if self.staging_texture.is_none() {
|
||||
unsafe {
|
||||
let mut desc = D3D11_TEXTURE2D_DESC::default();
|
||||
src_texture.GetDesc(&mut desc);
|
||||
|
||||
desc.Usage = D3D11_USAGE_STAGING;
|
||||
desc.BindFlags = Default::default();
|
||||
desc.CPUAccessFlags = D3D11_CPU_ACCESS_READ;
|
||||
desc.MiscFlags = Default::default();
|
||||
|
||||
let staging = self.device.CreateTexture2D(&desc, None)
|
||||
.context("Failed to create staging texture")?;
|
||||
|
||||
// Set high priority
|
||||
let resource: IDXGIResource = staging.cast()?;
|
||||
resource.SetEvictionPriority(DXGI_RESOURCE_PRIORITY_MAXIMUM.0)?;
|
||||
|
||||
self.staging_texture = Some(staging);
|
||||
}
|
||||
}
|
||||
|
||||
Ok(self.staging_texture.as_ref().unwrap())
|
||||
}
|
||||
|
||||
/// Acquire the next frame from the desktop
|
||||
fn acquire_frame(&mut self, timeout_ms: u32) -> Result<Option<(ID3D11Texture2D, DXGI_OUTDUPL_FRAME_INFO)>> {
|
||||
unsafe {
|
||||
let mut frame_info = DXGI_OUTDUPL_FRAME_INFO::default();
|
||||
let mut desktop_resource: Option<IDXGIResource> = None;
|
||||
|
||||
let result = self.duplication.AcquireNextFrame(
|
||||
timeout_ms,
|
||||
&mut frame_info,
|
||||
&mut desktop_resource,
|
||||
);
|
||||
|
||||
match result {
|
||||
Ok(_) => {
|
||||
let resource = desktop_resource.context("Desktop resource is None")?;
|
||||
|
||||
// Check if there's actually a new frame
|
||||
if frame_info.LastPresentTime == 0 {
|
||||
self.duplication.ReleaseFrame().ok();
|
||||
return Ok(None);
|
||||
}
|
||||
|
||||
let texture: ID3D11Texture2D = resource.cast()
|
||||
.context("Failed to cast to ID3D11Texture2D")?;
|
||||
|
||||
Ok(Some((texture, frame_info)))
|
||||
}
|
||||
Err(e) if e.code() == DXGI_ERROR_WAIT_TIMEOUT => {
|
||||
// No new frame available
|
||||
Ok(None)
|
||||
}
|
||||
Err(e) if e.code() == DXGI_ERROR_ACCESS_LOST => {
|
||||
// Desktop duplication was invalidated, need to recreate
|
||||
tracing::warn!("Desktop duplication access lost, will need to recreate");
|
||||
Err(anyhow::anyhow!("Access lost"))
|
||||
}
|
||||
Err(e) => {
|
||||
Err(e).context("Failed to acquire frame")
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
/// Copy frame data to CPU-accessible memory
|
||||
fn copy_frame_data(&mut self, texture: &ID3D11Texture2D) -> Result<Vec<u8>> {
|
||||
unsafe {
|
||||
// Get or create staging texture
|
||||
let staging = self.get_staging_texture(texture)?.clone();
|
||||
|
||||
// Copy from GPU texture to staging texture
|
||||
self.context.CopyResource(&staging, texture);
|
||||
|
||||
// Map the staging texture for CPU read
|
||||
let mut mapped = D3D11_MAPPED_SUBRESOURCE::default();
|
||||
self.context
|
||||
.Map(&staging, 0, D3D11_MAP_READ, 0, Some(&mut mapped))
|
||||
.context("Failed to map staging texture")?;
|
||||
|
||||
// Copy pixel data
|
||||
let src_pitch = mapped.RowPitch as usize;
|
||||
let dst_pitch = (self.width * 4) as usize;
|
||||
let height = self.height as usize;
|
||||
|
||||
let mut data = vec![0u8; dst_pitch * height];
|
||||
|
||||
let src_ptr = mapped.pData as *const u8;
|
||||
for y in 0..height {
|
||||
let src_row = src_ptr.add(y * src_pitch);
|
||||
let dst_row = data.as_mut_ptr().add(y * dst_pitch);
|
||||
ptr::copy_nonoverlapping(src_row, dst_row, dst_pitch);
|
||||
}
|
||||
|
||||
// Unmap
|
||||
self.context.Unmap(&staging, 0);
|
||||
|
||||
Ok(data)
|
||||
}
|
||||
}
|
||||
|
||||
/// Extract dirty rectangles from frame info
|
||||
fn extract_dirty_rects(&self, _frame_info: &DXGI_OUTDUPL_FRAME_INFO) -> Option<Vec<DirtyRect>> {
|
||||
// TODO: Implement dirty rectangle extraction using
|
||||
// IDXGIOutputDuplication::GetFrameDirtyRects and GetFrameMoveRects
|
||||
// For now, return None to indicate full frame update
|
||||
None
|
||||
}
|
||||
}
|
||||
|
||||
impl Capturer for DxgiCapturer {
|
||||
fn capture(&mut self) -> Result<Option<CapturedFrame>> {
|
||||
// Try to acquire a frame with 100ms timeout
|
||||
let frame_result = self.acquire_frame(100)?;
|
||||
|
||||
let (texture, frame_info) = match frame_result {
|
||||
Some((t, f)) => (t, f),
|
||||
None => return Ok(None), // No new frame
|
||||
};
|
||||
|
||||
// Copy frame data to CPU memory
|
||||
let data = self.copy_frame_data(&texture)?;
|
||||
|
||||
// Release the frame
|
||||
unsafe {
|
||||
self.duplication.ReleaseFrame().ok();
|
||||
}
|
||||
|
||||
// Extract dirty rectangles if available
|
||||
let dirty_rects = self.extract_dirty_rects(&frame_info);
|
||||
|
||||
Ok(Some(CapturedFrame {
|
||||
width: self.width,
|
||||
height: self.height,
|
||||
data,
|
||||
timestamp: Instant::now(),
|
||||
display_id: self.display.id,
|
||||
dirty_rects,
|
||||
}))
|
||||
}
|
||||
|
||||
fn display(&self) -> &Display {
|
||||
&self.display
|
||||
}
|
||||
|
||||
fn is_valid(&self) -> bool {
|
||||
// Could check if duplication is still valid
|
||||
true
|
||||
}
|
||||
}
|
||||
|
||||
impl Drop for DxgiCapturer {
|
||||
fn drop(&mut self) {
|
||||
// Release any held frame
|
||||
unsafe {
|
||||
self.duplication.ReleaseFrame().ok();
|
||||
}
|
||||
}
|
||||
}
|
||||
150
agent/src/capture/gdi.rs
Normal file
150
agent/src/capture/gdi.rs
Normal file
@@ -0,0 +1,150 @@
|
||||
//! GDI screen capture fallback
|
||||
//!
|
||||
//! Uses Windows GDI (Graphics Device Interface) for screen capture.
|
||||
//! Slower than DXGI but works on older systems and edge cases.
|
||||
|
||||
use super::{CapturedFrame, Capturer, Display};
|
||||
use anyhow::{Context, Result};
|
||||
use std::time::Instant;
|
||||
|
||||
use windows::Win32::Graphics::Gdi::{
|
||||
BitBlt, CreateCompatibleBitmap, CreateCompatibleDC, DeleteDC, DeleteObject,
|
||||
GetDIBits, SelectObject, BITMAPINFO, BITMAPINFOHEADER, BI_RGB, DIB_RGB_COLORS,
|
||||
SRCCOPY, GetDC, ReleaseDC,
|
||||
};
|
||||
use windows::Win32::Foundation::HWND;
|
||||
|
||||
/// GDI-based screen capturer
|
||||
pub struct GdiCapturer {
|
||||
display: Display,
|
||||
width: u32,
|
||||
height: u32,
|
||||
}
|
||||
|
||||
impl GdiCapturer {
|
||||
/// Create a new GDI capturer for the specified display
|
||||
pub fn new(display: Display) -> Result<Self> {
|
||||
Ok(Self {
|
||||
width: display.width,
|
||||
height: display.height,
|
||||
display,
|
||||
})
|
||||
}
|
||||
|
||||
/// Capture the screen using GDI
|
||||
fn capture_gdi(&self) -> Result<Vec<u8>> {
|
||||
unsafe {
|
||||
// Get device context for the entire screen
|
||||
let screen_dc = GetDC(HWND::default());
|
||||
if screen_dc.is_invalid() {
|
||||
anyhow::bail!("Failed to get screen DC");
|
||||
}
|
||||
|
||||
// Create compatible DC and bitmap
|
||||
let mem_dc = CreateCompatibleDC(screen_dc);
|
||||
if mem_dc.is_invalid() {
|
||||
ReleaseDC(HWND::default(), screen_dc);
|
||||
anyhow::bail!("Failed to create compatible DC");
|
||||
}
|
||||
|
||||
let bitmap = CreateCompatibleBitmap(screen_dc, self.width as i32, self.height as i32);
|
||||
if bitmap.is_invalid() {
|
||||
DeleteDC(mem_dc);
|
||||
ReleaseDC(HWND::default(), screen_dc);
|
||||
anyhow::bail!("Failed to create compatible bitmap");
|
||||
}
|
||||
|
||||
// Select bitmap into memory DC
|
||||
let old_bitmap = SelectObject(mem_dc, bitmap);
|
||||
|
||||
// Copy screen to memory DC
|
||||
let result = BitBlt(
|
||||
mem_dc,
|
||||
0,
|
||||
0,
|
||||
self.width as i32,
|
||||
self.height as i32,
|
||||
screen_dc,
|
||||
self.display.x,
|
||||
self.display.y,
|
||||
SRCCOPY,
|
||||
);
|
||||
|
||||
if !result.as_bool() {
|
||||
SelectObject(mem_dc, old_bitmap);
|
||||
DeleteObject(bitmap);
|
||||
DeleteDC(mem_dc);
|
||||
ReleaseDC(HWND::default(), screen_dc);
|
||||
anyhow::bail!("BitBlt failed");
|
||||
}
|
||||
|
||||
// Prepare bitmap info for GetDIBits
|
||||
let mut bmi = BITMAPINFO {
|
||||
bmiHeader: BITMAPINFOHEADER {
|
||||
biSize: std::mem::size_of::<BITMAPINFOHEADER>() as u32,
|
||||
biWidth: self.width as i32,
|
||||
biHeight: -(self.height as i32), // Negative for top-down
|
||||
biPlanes: 1,
|
||||
biBitCount: 32,
|
||||
biCompression: BI_RGB.0,
|
||||
biSizeImage: 0,
|
||||
biXPelsPerMeter: 0,
|
||||
biYPelsPerMeter: 0,
|
||||
biClrUsed: 0,
|
||||
biClrImportant: 0,
|
||||
},
|
||||
bmiColors: [Default::default()],
|
||||
};
|
||||
|
||||
// Allocate buffer for pixel data
|
||||
let buffer_size = (self.width * self.height * 4) as usize;
|
||||
let mut data = vec![0u8; buffer_size];
|
||||
|
||||
// Get the bits
|
||||
let lines = GetDIBits(
|
||||
mem_dc,
|
||||
bitmap,
|
||||
0,
|
||||
self.height,
|
||||
Some(data.as_mut_ptr() as *mut _),
|
||||
&mut bmi,
|
||||
DIB_RGB_COLORS,
|
||||
);
|
||||
|
||||
// Cleanup
|
||||
SelectObject(mem_dc, old_bitmap);
|
||||
DeleteObject(bitmap);
|
||||
DeleteDC(mem_dc);
|
||||
ReleaseDC(HWND::default(), screen_dc);
|
||||
|
||||
if lines == 0 {
|
||||
anyhow::bail!("GetDIBits failed");
|
||||
}
|
||||
|
||||
Ok(data)
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
impl Capturer for GdiCapturer {
|
||||
fn capture(&mut self) -> Result<Option<CapturedFrame>> {
|
||||
let data = self.capture_gdi()?;
|
||||
|
||||
Ok(Some(CapturedFrame {
|
||||
width: self.width,
|
||||
height: self.height,
|
||||
data,
|
||||
timestamp: Instant::now(),
|
||||
display_id: self.display.id,
|
||||
dirty_rects: None, // GDI doesn't provide dirty rects
|
||||
}))
|
||||
}
|
||||
|
||||
fn display(&self) -> &Display {
|
||||
&self.display
|
||||
}
|
||||
|
||||
fn is_valid(&self) -> bool {
|
||||
true
|
||||
}
|
||||
}
|
||||
102
agent/src/capture/mod.rs
Normal file
102
agent/src/capture/mod.rs
Normal file
@@ -0,0 +1,102 @@
|
||||
//! Screen capture module
|
||||
//!
|
||||
//! Provides DXGI Desktop Duplication for high-performance screen capture on Windows 8+,
|
||||
//! with GDI fallback for legacy systems or edge cases.
|
||||
|
||||
#[cfg(windows)]
|
||||
mod dxgi;
|
||||
#[cfg(windows)]
|
||||
mod gdi;
|
||||
mod display;
|
||||
|
||||
pub use display::{Display, DisplayInfo};
|
||||
|
||||
use anyhow::Result;
|
||||
use std::time::Instant;
|
||||
|
||||
/// Captured frame data
|
||||
#[derive(Debug)]
|
||||
pub struct CapturedFrame {
|
||||
/// Frame width in pixels
|
||||
pub width: u32,
|
||||
|
||||
/// Frame height in pixels
|
||||
pub height: u32,
|
||||
|
||||
/// Raw BGRA pixel data (4 bytes per pixel)
|
||||
pub data: Vec<u8>,
|
||||
|
||||
/// Timestamp when frame was captured
|
||||
pub timestamp: Instant,
|
||||
|
||||
/// Display ID this frame is from
|
||||
pub display_id: u32,
|
||||
|
||||
/// Regions that changed since last frame (if available)
|
||||
pub dirty_rects: Option<Vec<DirtyRect>>,
|
||||
}
|
||||
|
||||
/// Rectangular region that changed
|
||||
#[derive(Debug, Clone, Copy)]
|
||||
pub struct DirtyRect {
|
||||
pub x: u32,
|
||||
pub y: u32,
|
||||
pub width: u32,
|
||||
pub height: u32,
|
||||
}
|
||||
|
||||
/// Screen capturer trait
|
||||
pub trait Capturer: Send {
|
||||
/// Capture the next frame
|
||||
///
|
||||
/// Returns None if no new frame is available (screen unchanged)
|
||||
fn capture(&mut self) -> Result<Option<CapturedFrame>>;
|
||||
|
||||
/// Get the current display info
|
||||
fn display(&self) -> &Display;
|
||||
|
||||
/// Check if capturer is still valid (display may have changed)
|
||||
fn is_valid(&self) -> bool;
|
||||
}
|
||||
|
||||
/// Create a capturer for the specified display
|
||||
#[cfg(windows)]
|
||||
pub fn create_capturer(display: Display, use_dxgi: bool, gdi_fallback: bool) -> Result<Box<dyn Capturer>> {
|
||||
if use_dxgi {
|
||||
match dxgi::DxgiCapturer::new(display.clone()) {
|
||||
Ok(capturer) => {
|
||||
tracing::info!("Using DXGI Desktop Duplication for capture");
|
||||
return Ok(Box::new(capturer));
|
||||
}
|
||||
Err(e) => {
|
||||
tracing::warn!("DXGI capture failed: {}, trying fallback", e);
|
||||
if !gdi_fallback {
|
||||
return Err(e);
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
// GDI fallback
|
||||
tracing::info!("Using GDI for capture");
|
||||
Ok(Box::new(gdi::GdiCapturer::new(display)?))
|
||||
}
|
||||
|
||||
#[cfg(not(windows))]
|
||||
pub fn create_capturer(_display: Display, _use_dxgi: bool, _gdi_fallback: bool) -> Result<Box<dyn Capturer>> {
|
||||
anyhow::bail!("Screen capture only supported on Windows")
|
||||
}
|
||||
|
||||
/// Get all available displays
|
||||
pub fn enumerate_displays() -> Result<Vec<Display>> {
|
||||
display::enumerate_displays()
|
||||
}
|
||||
|
||||
/// Get the primary display
|
||||
pub fn primary_display() -> Result<Display> {
|
||||
let displays = enumerate_displays()?;
|
||||
displays
|
||||
.into_iter()
|
||||
.find(|d| d.is_primary)
|
||||
.ok_or_else(|| anyhow::anyhow!("No primary display found"))
|
||||
}
|
||||
199
agent/src/config.rs
Normal file
199
agent/src/config.rs
Normal file
@@ -0,0 +1,199 @@
|
||||
//! Agent configuration management
|
||||
|
||||
use anyhow::{Context, Result};
|
||||
use serde::{Deserialize, Serialize};
|
||||
use std::path::PathBuf;
|
||||
|
||||
/// Agent configuration
|
||||
#[derive(Debug, Clone, Serialize, Deserialize)]
|
||||
pub struct Config {
|
||||
/// Server WebSocket URL (e.g., wss://connect.example.com/ws)
|
||||
pub server_url: String,
|
||||
|
||||
/// Agent API key for authentication
|
||||
pub api_key: String,
|
||||
|
||||
/// Optional hostname override
|
||||
pub hostname_override: Option<String>,
|
||||
|
||||
/// Capture settings
|
||||
#[serde(default)]
|
||||
pub capture: CaptureConfig,
|
||||
|
||||
/// Encoding settings
|
||||
#[serde(default)]
|
||||
pub encoding: EncodingConfig,
|
||||
}
|
||||
|
||||
#[derive(Debug, Clone, Serialize, Deserialize)]
|
||||
pub struct CaptureConfig {
|
||||
/// Target frames per second (1-60)
|
||||
#[serde(default = "default_fps")]
|
||||
pub fps: u32,
|
||||
|
||||
/// Use DXGI Desktop Duplication (recommended)
|
||||
#[serde(default = "default_true")]
|
||||
pub use_dxgi: bool,
|
||||
|
||||
/// Fall back to GDI if DXGI fails
|
||||
#[serde(default = "default_true")]
|
||||
pub gdi_fallback: bool,
|
||||
}
|
||||
|
||||
#[derive(Debug, Clone, Serialize, Deserialize)]
|
||||
pub struct EncodingConfig {
|
||||
/// Preferred codec (auto, raw, vp9, h264)
|
||||
#[serde(default = "default_codec")]
|
||||
pub codec: String,
|
||||
|
||||
/// Quality (1-100, higher = better quality, more bandwidth)
|
||||
#[serde(default = "default_quality")]
|
||||
pub quality: u32,
|
||||
|
||||
/// Use hardware encoding if available
|
||||
#[serde(default = "default_true")]
|
||||
pub hardware_encoding: bool,
|
||||
}
|
||||
|
||||
fn default_fps() -> u32 {
|
||||
30
|
||||
}
|
||||
|
||||
fn default_true() -> bool {
|
||||
true
|
||||
}
|
||||
|
||||
fn default_codec() -> String {
|
||||
"auto".to_string()
|
||||
}
|
||||
|
||||
fn default_quality() -> u32 {
|
||||
75
|
||||
}
|
||||
|
||||
impl Default for CaptureConfig {
|
||||
fn default() -> Self {
|
||||
Self {
|
||||
fps: default_fps(),
|
||||
use_dxgi: true,
|
||||
gdi_fallback: true,
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
impl Default for EncodingConfig {
|
||||
fn default() -> Self {
|
||||
Self {
|
||||
codec: default_codec(),
|
||||
quality: default_quality(),
|
||||
hardware_encoding: true,
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
impl Config {
|
||||
/// Load configuration from file or environment
|
||||
pub fn load() -> Result<Self> {
|
||||
// Try loading from config file
|
||||
let config_path = Self::config_path();
|
||||
|
||||
if config_path.exists() {
|
||||
let contents = std::fs::read_to_string(&config_path)
|
||||
.with_context(|| format!("Failed to read config from {:?}", config_path))?;
|
||||
|
||||
let config: Config = toml::from_str(&contents)
|
||||
.with_context(|| "Failed to parse config file")?;
|
||||
|
||||
return Ok(config);
|
||||
}
|
||||
|
||||
// Fall back to environment variables
|
||||
let server_url = std::env::var("GURUCONNECT_SERVER_URL")
|
||||
.unwrap_or_else(|_| "wss://localhost:3002/ws".to_string());
|
||||
|
||||
let api_key = std::env::var("GURUCONNECT_API_KEY")
|
||||
.unwrap_or_else(|_| "dev-key".to_string());
|
||||
|
||||
Ok(Config {
|
||||
server_url,
|
||||
api_key,
|
||||
hostname_override: std::env::var("GURUCONNECT_HOSTNAME").ok(),
|
||||
capture: CaptureConfig::default(),
|
||||
encoding: EncodingConfig::default(),
|
||||
})
|
||||
}
|
||||
|
||||
/// Get the configuration file path
|
||||
fn config_path() -> PathBuf {
|
||||
// Check for config in current directory first
|
||||
let local_config = PathBuf::from("guruconnect.toml");
|
||||
if local_config.exists() {
|
||||
return local_config;
|
||||
}
|
||||
|
||||
// Check in program data directory (Windows)
|
||||
#[cfg(windows)]
|
||||
{
|
||||
if let Ok(program_data) = std::env::var("ProgramData") {
|
||||
let path = PathBuf::from(program_data)
|
||||
.join("GuruConnect")
|
||||
.join("agent.toml");
|
||||
if path.exists() {
|
||||
return path;
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
// Default to local config
|
||||
local_config
|
||||
}
|
||||
|
||||
/// Get the hostname to use
|
||||
pub fn hostname(&self) -> String {
|
||||
self.hostname_override
|
||||
.clone()
|
||||
.unwrap_or_else(|| {
|
||||
hostname::get()
|
||||
.map(|h| h.to_string_lossy().to_string())
|
||||
.unwrap_or_else(|_| "unknown".to_string())
|
||||
})
|
||||
}
|
||||
|
||||
/// Save current configuration to file
|
||||
pub fn save(&self) -> Result<()> {
|
||||
let config_path = Self::config_path();
|
||||
|
||||
// Ensure parent directory exists
|
||||
if let Some(parent) = config_path.parent() {
|
||||
std::fs::create_dir_all(parent)?;
|
||||
}
|
||||
|
||||
let contents = toml::to_string_pretty(self)?;
|
||||
std::fs::write(&config_path, contents)?;
|
||||
|
||||
Ok(())
|
||||
}
|
||||
}
|
||||
|
||||
/// Example configuration file content
|
||||
pub fn example_config() -> &'static str {
|
||||
r#"# GuruConnect Agent Configuration
|
||||
|
||||
# Server connection
|
||||
server_url = "wss://connect.example.com/ws"
|
||||
api_key = "your-agent-api-key"
|
||||
|
||||
# Optional: override hostname
|
||||
# hostname_override = "custom-hostname"
|
||||
|
||||
[capture]
|
||||
fps = 30
|
||||
use_dxgi = true
|
||||
gdi_fallback = true
|
||||
|
||||
[encoding]
|
||||
codec = "auto" # auto, raw, vp9, h264
|
||||
quality = 75 # 1-100
|
||||
hardware_encoding = true
|
||||
"#
|
||||
}
|
||||
52
agent/src/encoder/mod.rs
Normal file
52
agent/src/encoder/mod.rs
Normal file
@@ -0,0 +1,52 @@
|
||||
//! Frame encoding module
|
||||
//!
|
||||
//! Encodes captured frames for transmission. Supports:
|
||||
//! - Raw BGRA + Zstd compression (lowest latency, LAN mode)
|
||||
//! - VP9 software encoding (universal fallback)
|
||||
//! - H264 hardware encoding (when GPU available)
|
||||
|
||||
mod raw;
|
||||
|
||||
pub use raw::RawEncoder;
|
||||
|
||||
use crate::capture::CapturedFrame;
|
||||
use crate::proto::{VideoFrame, RawFrame, DirtyRect as ProtoDirtyRect};
|
||||
use anyhow::Result;
|
||||
|
||||
/// Encoded frame ready for transmission
|
||||
#[derive(Debug)]
|
||||
pub struct EncodedFrame {
|
||||
/// Protobuf video frame message
|
||||
pub frame: VideoFrame,
|
||||
|
||||
/// Size in bytes after encoding
|
||||
pub size: usize,
|
||||
|
||||
/// Whether this is a keyframe (full frame)
|
||||
pub is_keyframe: bool,
|
||||
}
|
||||
|
||||
/// Frame encoder trait
|
||||
pub trait Encoder: Send {
|
||||
/// Encode a captured frame
|
||||
fn encode(&mut self, frame: &CapturedFrame) -> Result<EncodedFrame>;
|
||||
|
||||
/// Request a keyframe on next encode
|
||||
fn request_keyframe(&mut self);
|
||||
|
||||
/// Get encoder name/type
|
||||
fn name(&self) -> &str;
|
||||
}
|
||||
|
||||
/// Create an encoder based on configuration
|
||||
pub fn create_encoder(codec: &str, quality: u32) -> Result<Box<dyn Encoder>> {
|
||||
match codec.to_lowercase().as_str() {
|
||||
"raw" | "zstd" => Ok(Box::new(RawEncoder::new(quality)?)),
|
||||
// "vp9" => Ok(Box::new(Vp9Encoder::new(quality)?)),
|
||||
// "h264" => Ok(Box::new(H264Encoder::new(quality)?)),
|
||||
"auto" | _ => {
|
||||
// Default to raw for now (best for LAN)
|
||||
Ok(Box::new(RawEncoder::new(quality)?))
|
||||
}
|
||||
}
|
||||
}
|
||||
232
agent/src/encoder/raw.rs
Normal file
232
agent/src/encoder/raw.rs
Normal file
@@ -0,0 +1,232 @@
|
||||
//! Raw frame encoder with Zstd compression
|
||||
//!
|
||||
//! Best for LAN connections where bandwidth is plentiful and latency is critical.
|
||||
//! Compresses BGRA pixel data using Zstd for fast compression/decompression.
|
||||
|
||||
use super::{EncodedFrame, Encoder};
|
||||
use crate::capture::{CapturedFrame, DirtyRect};
|
||||
use crate::proto::{video_frame, DirtyRect as ProtoDirtyRect, RawFrame, VideoFrame};
|
||||
use anyhow::Result;
|
||||
|
||||
/// Raw frame encoder with Zstd compression
|
||||
pub struct RawEncoder {
|
||||
/// Compression level (1-22, default 3 for speed)
|
||||
compression_level: i32,
|
||||
|
||||
/// Previous frame for delta detection
|
||||
previous_frame: Option<Vec<u8>>,
|
||||
|
||||
/// Force keyframe on next encode
|
||||
force_keyframe: bool,
|
||||
|
||||
/// Frame counter
|
||||
sequence: u32,
|
||||
}
|
||||
|
||||
impl RawEncoder {
|
||||
/// Create a new raw encoder
|
||||
///
|
||||
/// Quality 1-100 maps to Zstd compression level:
|
||||
/// - Low quality (1-33): Level 1-3 (fastest)
|
||||
/// - Medium quality (34-66): Level 4-9
|
||||
/// - High quality (67-100): Level 10-15 (best compression)
|
||||
pub fn new(quality: u32) -> Result<Self> {
|
||||
let compression_level = Self::quality_to_level(quality);
|
||||
|
||||
Ok(Self {
|
||||
compression_level,
|
||||
previous_frame: None,
|
||||
force_keyframe: true, // Start with keyframe
|
||||
sequence: 0,
|
||||
})
|
||||
}
|
||||
|
||||
/// Convert quality (1-100) to Zstd compression level
|
||||
fn quality_to_level(quality: u32) -> i32 {
|
||||
// Lower quality = faster compression (level 1-3)
|
||||
// Higher quality = better compression (level 10-15)
|
||||
// We optimize for speed, so cap at 6
|
||||
match quality {
|
||||
0..=33 => 1,
|
||||
34..=50 => 2,
|
||||
51..=66 => 3,
|
||||
67..=80 => 4,
|
||||
81..=90 => 5,
|
||||
_ => 6,
|
||||
}
|
||||
}
|
||||
|
||||
/// Compress data using Zstd
|
||||
fn compress(&self, data: &[u8]) -> Result<Vec<u8>> {
|
||||
let compressed = zstd::encode_all(data, self.compression_level)?;
|
||||
Ok(compressed)
|
||||
}
|
||||
|
||||
/// Detect dirty rectangles by comparing with previous frame
|
||||
fn detect_dirty_rects(
|
||||
&self,
|
||||
current: &[u8],
|
||||
previous: &[u8],
|
||||
width: u32,
|
||||
height: u32,
|
||||
) -> Vec<DirtyRect> {
|
||||
// Simple block-based dirty detection
|
||||
// Divide screen into 64x64 blocks and check which changed
|
||||
const BLOCK_SIZE: u32 = 64;
|
||||
|
||||
let mut dirty_rects = Vec::new();
|
||||
let stride = (width * 4) as usize;
|
||||
|
||||
let blocks_x = (width + BLOCK_SIZE - 1) / BLOCK_SIZE;
|
||||
let blocks_y = (height + BLOCK_SIZE - 1) / BLOCK_SIZE;
|
||||
|
||||
for by in 0..blocks_y {
|
||||
for bx in 0..blocks_x {
|
||||
let x = bx * BLOCK_SIZE;
|
||||
let y = by * BLOCK_SIZE;
|
||||
let block_w = (BLOCK_SIZE).min(width - x);
|
||||
let block_h = (BLOCK_SIZE).min(height - y);
|
||||
|
||||
// Check if this block changed
|
||||
let mut changed = false;
|
||||
'block_check: for row in 0..block_h {
|
||||
let row_start = ((y + row) as usize * stride) + (x as usize * 4);
|
||||
let row_end = row_start + (block_w as usize * 4);
|
||||
|
||||
if row_end <= current.len() && row_end <= previous.len() {
|
||||
if current[row_start..row_end] != previous[row_start..row_end] {
|
||||
changed = true;
|
||||
break 'block_check;
|
||||
}
|
||||
} else {
|
||||
changed = true;
|
||||
break 'block_check;
|
||||
}
|
||||
}
|
||||
|
||||
if changed {
|
||||
dirty_rects.push(DirtyRect {
|
||||
x,
|
||||
y,
|
||||
width: block_w,
|
||||
height: block_h,
|
||||
});
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
// Merge adjacent dirty rects (simple optimization)
|
||||
// TODO: Implement proper rectangle merging
|
||||
|
||||
dirty_rects
|
||||
}
|
||||
|
||||
/// Extract pixels for dirty rectangles only
|
||||
fn extract_dirty_pixels(
|
||||
&self,
|
||||
data: &[u8],
|
||||
width: u32,
|
||||
dirty_rects: &[DirtyRect],
|
||||
) -> Vec<u8> {
|
||||
let stride = (width * 4) as usize;
|
||||
let mut pixels = Vec::new();
|
||||
|
||||
for rect in dirty_rects {
|
||||
for row in 0..rect.height {
|
||||
let row_start = ((rect.y + row) as usize * stride) + (rect.x as usize * 4);
|
||||
let row_end = row_start + (rect.width as usize * 4);
|
||||
|
||||
if row_end <= data.len() {
|
||||
pixels.extend_from_slice(&data[row_start..row_end]);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
pixels
|
||||
}
|
||||
}
|
||||
|
||||
impl Encoder for RawEncoder {
|
||||
fn encode(&mut self, frame: &CapturedFrame) -> Result<EncodedFrame> {
|
||||
self.sequence = self.sequence.wrapping_add(1);
|
||||
|
||||
let is_keyframe = self.force_keyframe || self.previous_frame.is_none();
|
||||
self.force_keyframe = false;
|
||||
|
||||
let (data_to_compress, dirty_rects, full_frame) = if is_keyframe {
|
||||
// Keyframe: send full frame
|
||||
(frame.data.clone(), Vec::new(), true)
|
||||
} else if let Some(ref previous) = self.previous_frame {
|
||||
// Delta frame: detect and send only changed regions
|
||||
let dirty_rects =
|
||||
self.detect_dirty_rects(&frame.data, previous, frame.width, frame.height);
|
||||
|
||||
if dirty_rects.is_empty() {
|
||||
// No changes, skip frame
|
||||
return Ok(EncodedFrame {
|
||||
frame: VideoFrame::default(),
|
||||
size: 0,
|
||||
is_keyframe: false,
|
||||
});
|
||||
}
|
||||
|
||||
// If too many dirty rects, just send full frame
|
||||
if dirty_rects.len() > 50 {
|
||||
(frame.data.clone(), Vec::new(), true)
|
||||
} else {
|
||||
let dirty_pixels = self.extract_dirty_pixels(&frame.data, frame.width, &dirty_rects);
|
||||
(dirty_pixels, dirty_rects, false)
|
||||
}
|
||||
} else {
|
||||
(frame.data.clone(), Vec::new(), true)
|
||||
};
|
||||
|
||||
// Compress the data
|
||||
let compressed = self.compress(&data_to_compress)?;
|
||||
let size = compressed.len();
|
||||
|
||||
// Build protobuf message
|
||||
let proto_dirty_rects: Vec<ProtoDirtyRect> = dirty_rects
|
||||
.iter()
|
||||
.map(|r| ProtoDirtyRect {
|
||||
x: r.x as i32,
|
||||
y: r.y as i32,
|
||||
width: r.width as i32,
|
||||
height: r.height as i32,
|
||||
})
|
||||
.collect();
|
||||
|
||||
let raw_frame = RawFrame {
|
||||
width: frame.width as i32,
|
||||
height: frame.height as i32,
|
||||
data: compressed,
|
||||
compressed: true,
|
||||
dirty_rects: proto_dirty_rects,
|
||||
is_keyframe: full_frame,
|
||||
};
|
||||
|
||||
let video_frame = VideoFrame {
|
||||
timestamp: frame.timestamp.elapsed().as_millis() as i64,
|
||||
display_id: frame.display_id as i32,
|
||||
sequence: self.sequence as i32,
|
||||
encoding: Some(video_frame::Encoding::Raw(raw_frame)),
|
||||
};
|
||||
|
||||
// Save current frame for next comparison
|
||||
self.previous_frame = Some(frame.data.clone());
|
||||
|
||||
Ok(EncodedFrame {
|
||||
frame: video_frame,
|
||||
size,
|
||||
is_keyframe: full_frame,
|
||||
})
|
||||
}
|
||||
|
||||
fn request_keyframe(&mut self) {
|
||||
self.force_keyframe = true;
|
||||
}
|
||||
|
||||
fn name(&self) -> &str {
|
||||
"raw+zstd"
|
||||
}
|
||||
}
|
||||
287
agent/src/input/keyboard.rs
Normal file
287
agent/src/input/keyboard.rs
Normal file
@@ -0,0 +1,287 @@
|
||||
//! Keyboard input simulation using Windows SendInput API
|
||||
|
||||
use anyhow::Result;
|
||||
|
||||
#[cfg(windows)]
|
||||
use windows::Win32::UI::Input::KeyboardAndMouse::{
|
||||
SendInput, INPUT, INPUT_0, INPUT_KEYBOARD, KEYBD_EVENT_FLAGS, KEYEVENTF_EXTENDEDKEY,
|
||||
KEYEVENTF_KEYUP, KEYEVENTF_SCANCODE, KEYEVENTF_UNICODE, KEYBDINPUT,
|
||||
MapVirtualKeyW, MAPVK_VK_TO_VSC_EX,
|
||||
};
|
||||
|
||||
/// Keyboard input controller
|
||||
pub struct KeyboardController {
|
||||
// Track modifier states for proper handling
|
||||
#[allow(dead_code)]
|
||||
modifiers: ModifierState,
|
||||
}
|
||||
|
||||
#[derive(Default)]
|
||||
struct ModifierState {
|
||||
ctrl: bool,
|
||||
alt: bool,
|
||||
shift: bool,
|
||||
meta: bool,
|
||||
}
|
||||
|
||||
impl KeyboardController {
|
||||
/// Create a new keyboard controller
|
||||
pub fn new() -> Result<Self> {
|
||||
Ok(Self {
|
||||
modifiers: ModifierState::default(),
|
||||
})
|
||||
}
|
||||
|
||||
/// Press a key down by virtual key code
|
||||
#[cfg(windows)]
|
||||
pub fn key_down(&mut self, vk_code: u16) -> Result<()> {
|
||||
self.send_key(vk_code, true)
|
||||
}
|
||||
|
||||
/// Release a key by virtual key code
|
||||
#[cfg(windows)]
|
||||
pub fn key_up(&mut self, vk_code: u16) -> Result<()> {
|
||||
self.send_key(vk_code, false)
|
||||
}
|
||||
|
||||
/// Send a key event
|
||||
#[cfg(windows)]
|
||||
fn send_key(&mut self, vk_code: u16, down: bool) -> Result<()> {
|
||||
// Get scan code from virtual key
|
||||
let scan_code = unsafe { MapVirtualKeyW(vk_code as u32, MAPVK_VK_TO_VSC_EX) as u16 };
|
||||
|
||||
let mut flags = KEYBD_EVENT_FLAGS::default();
|
||||
|
||||
// Add extended key flag for certain keys
|
||||
if Self::is_extended_key(vk_code) || (scan_code >> 8) == 0xE0 {
|
||||
flags |= KEYEVENTF_EXTENDEDKEY;
|
||||
}
|
||||
|
||||
if !down {
|
||||
flags |= KEYEVENTF_KEYUP;
|
||||
}
|
||||
|
||||
let input = INPUT {
|
||||
r#type: INPUT_KEYBOARD,
|
||||
Anonymous: INPUT_0 {
|
||||
ki: KEYBDINPUT {
|
||||
wVk: windows::Win32::UI::Input::KeyboardAndMouse::VIRTUAL_KEY(vk_code),
|
||||
wScan: scan_code,
|
||||
dwFlags: flags,
|
||||
time: 0,
|
||||
dwExtraInfo: 0,
|
||||
},
|
||||
},
|
||||
};
|
||||
|
||||
self.send_input(&[input])
|
||||
}
|
||||
|
||||
/// Type a unicode character
|
||||
#[cfg(windows)]
|
||||
pub fn type_char(&mut self, ch: char) -> Result<()> {
|
||||
let mut inputs = Vec::new();
|
||||
|
||||
// For characters that fit in a single u16
|
||||
for code_unit in ch.encode_utf16(&mut [0; 2]) {
|
||||
// Key down
|
||||
inputs.push(INPUT {
|
||||
r#type: INPUT_KEYBOARD,
|
||||
Anonymous: INPUT_0 {
|
||||
ki: KEYBDINPUT {
|
||||
wVk: windows::Win32::UI::Input::KeyboardAndMouse::VIRTUAL_KEY(0),
|
||||
wScan: code_unit,
|
||||
dwFlags: KEYEVENTF_UNICODE,
|
||||
time: 0,
|
||||
dwExtraInfo: 0,
|
||||
},
|
||||
},
|
||||
});
|
||||
|
||||
// Key up
|
||||
inputs.push(INPUT {
|
||||
r#type: INPUT_KEYBOARD,
|
||||
Anonymous: INPUT_0 {
|
||||
ki: KEYBDINPUT {
|
||||
wVk: windows::Win32::UI::Input::KeyboardAndMouse::VIRTUAL_KEY(0),
|
||||
wScan: code_unit,
|
||||
dwFlags: KEYEVENTF_UNICODE | KEYEVENTF_KEYUP,
|
||||
time: 0,
|
||||
dwExtraInfo: 0,
|
||||
},
|
||||
},
|
||||
});
|
||||
}
|
||||
|
||||
self.send_input(&inputs)
|
||||
}
|
||||
|
||||
/// Type a string of text
|
||||
#[cfg(windows)]
|
||||
pub fn type_string(&mut self, text: &str) -> Result<()> {
|
||||
for ch in text.chars() {
|
||||
self.type_char(ch)?;
|
||||
}
|
||||
Ok(())
|
||||
}
|
||||
|
||||
/// Send Secure Attention Sequence (Ctrl+Alt+Delete)
|
||||
///
|
||||
/// Note: This requires special privileges on Windows.
|
||||
/// The agent typically needs to run as SYSTEM or use SAS API.
|
||||
#[cfg(windows)]
|
||||
pub fn send_sas(&mut self) -> Result<()> {
|
||||
// Try using the SAS library if available
|
||||
// For now, we'll attempt to send the key combination
|
||||
// This won't work in all contexts due to Windows security
|
||||
|
||||
// Load the sas.dll and call SendSAS if available
|
||||
use windows::Win32::System::LibraryLoader::{GetProcAddress, LoadLibraryW};
|
||||
use windows::core::PCWSTR;
|
||||
|
||||
unsafe {
|
||||
let dll_name: Vec<u16> = "sas.dll\0".encode_utf16().collect();
|
||||
let lib = LoadLibraryW(PCWSTR(dll_name.as_ptr()));
|
||||
|
||||
if let Ok(lib) = lib {
|
||||
let proc_name = b"SendSAS\0";
|
||||
if let Some(proc) = GetProcAddress(lib, windows::core::PCSTR(proc_name.as_ptr())) {
|
||||
// SendSAS takes a BOOL parameter: FALSE for Ctrl+Alt+Del
|
||||
let send_sas: extern "system" fn(i32) = std::mem::transmute(proc);
|
||||
send_sas(0); // FALSE = Ctrl+Alt+Del
|
||||
return Ok(());
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
// Fallback: Try sending the keys (won't work without proper privileges)
|
||||
tracing::warn!("SAS library not available, Ctrl+Alt+Del may not work");
|
||||
|
||||
// VK codes
|
||||
const VK_CONTROL: u16 = 0x11;
|
||||
const VK_MENU: u16 = 0x12; // Alt
|
||||
const VK_DELETE: u16 = 0x2E;
|
||||
|
||||
// Press keys
|
||||
self.key_down(VK_CONTROL)?;
|
||||
self.key_down(VK_MENU)?;
|
||||
self.key_down(VK_DELETE)?;
|
||||
|
||||
// Release keys
|
||||
self.key_up(VK_DELETE)?;
|
||||
self.key_up(VK_MENU)?;
|
||||
self.key_up(VK_CONTROL)?;
|
||||
|
||||
Ok(())
|
||||
}
|
||||
|
||||
/// Check if a virtual key code is an extended key
|
||||
#[cfg(windows)]
|
||||
fn is_extended_key(vk: u16) -> bool {
|
||||
matches!(
|
||||
vk,
|
||||
0x21..=0x28 | // Page Up, Page Down, End, Home, Arrow keys
|
||||
0x2D | 0x2E | // Insert, Delete
|
||||
0x5B | 0x5C | // Left/Right Windows keys
|
||||
0x5D | // Applications key
|
||||
0x6F | // Numpad Divide
|
||||
0x90 | // Num Lock
|
||||
0x91 // Scroll Lock
|
||||
)
|
||||
}
|
||||
|
||||
/// Send input events
|
||||
#[cfg(windows)]
|
||||
fn send_input(&self, inputs: &[INPUT]) -> Result<()> {
|
||||
let sent = unsafe { SendInput(inputs, std::mem::size_of::<INPUT>() as i32) };
|
||||
|
||||
if sent as usize != inputs.len() {
|
||||
anyhow::bail!(
|
||||
"SendInput failed: sent {} of {} inputs",
|
||||
sent,
|
||||
inputs.len()
|
||||
);
|
||||
}
|
||||
|
||||
Ok(())
|
||||
}
|
||||
|
||||
#[cfg(not(windows))]
|
||||
pub fn key_down(&mut self, _vk_code: u16) -> Result<()> {
|
||||
anyhow::bail!("Keyboard input only supported on Windows")
|
||||
}
|
||||
|
||||
#[cfg(not(windows))]
|
||||
pub fn key_up(&mut self, _vk_code: u16) -> Result<()> {
|
||||
anyhow::bail!("Keyboard input only supported on Windows")
|
||||
}
|
||||
|
||||
#[cfg(not(windows))]
|
||||
pub fn type_char(&mut self, _ch: char) -> Result<()> {
|
||||
anyhow::bail!("Keyboard input only supported on Windows")
|
||||
}
|
||||
|
||||
#[cfg(not(windows))]
|
||||
pub fn send_sas(&mut self) -> Result<()> {
|
||||
anyhow::bail!("SAS only supported on Windows")
|
||||
}
|
||||
}
|
||||
|
||||
/// Common Windows virtual key codes
|
||||
#[allow(dead_code)]
|
||||
pub mod vk {
|
||||
pub const BACK: u16 = 0x08;
|
||||
pub const TAB: u16 = 0x09;
|
||||
pub const RETURN: u16 = 0x0D;
|
||||
pub const SHIFT: u16 = 0x10;
|
||||
pub const CONTROL: u16 = 0x11;
|
||||
pub const MENU: u16 = 0x12; // Alt
|
||||
pub const PAUSE: u16 = 0x13;
|
||||
pub const CAPITAL: u16 = 0x14; // Caps Lock
|
||||
pub const ESCAPE: u16 = 0x1B;
|
||||
pub const SPACE: u16 = 0x20;
|
||||
pub const PRIOR: u16 = 0x21; // Page Up
|
||||
pub const NEXT: u16 = 0x22; // Page Down
|
||||
pub const END: u16 = 0x23;
|
||||
pub const HOME: u16 = 0x24;
|
||||
pub const LEFT: u16 = 0x25;
|
||||
pub const UP: u16 = 0x26;
|
||||
pub const RIGHT: u16 = 0x27;
|
||||
pub const DOWN: u16 = 0x28;
|
||||
pub const INSERT: u16 = 0x2D;
|
||||
pub const DELETE: u16 = 0x2E;
|
||||
|
||||
// 0-9 keys
|
||||
pub const KEY_0: u16 = 0x30;
|
||||
pub const KEY_9: u16 = 0x39;
|
||||
|
||||
// A-Z keys
|
||||
pub const KEY_A: u16 = 0x41;
|
||||
pub const KEY_Z: u16 = 0x5A;
|
||||
|
||||
// Windows keys
|
||||
pub const LWIN: u16 = 0x5B;
|
||||
pub const RWIN: u16 = 0x5C;
|
||||
|
||||
// Function keys
|
||||
pub const F1: u16 = 0x70;
|
||||
pub const F2: u16 = 0x71;
|
||||
pub const F3: u16 = 0x72;
|
||||
pub const F4: u16 = 0x73;
|
||||
pub const F5: u16 = 0x74;
|
||||
pub const F6: u16 = 0x75;
|
||||
pub const F7: u16 = 0x76;
|
||||
pub const F8: u16 = 0x77;
|
||||
pub const F9: u16 = 0x78;
|
||||
pub const F10: u16 = 0x79;
|
||||
pub const F11: u16 = 0x7A;
|
||||
pub const F12: u16 = 0x7B;
|
||||
|
||||
// Modifier keys
|
||||
pub const LSHIFT: u16 = 0xA0;
|
||||
pub const RSHIFT: u16 = 0xA1;
|
||||
pub const LCONTROL: u16 = 0xA2;
|
||||
pub const RCONTROL: u16 = 0xA3;
|
||||
pub const LMENU: u16 = 0xA4; // Left Alt
|
||||
pub const RMENU: u16 = 0xA5; // Right Alt
|
||||
}
|
||||
91
agent/src/input/mod.rs
Normal file
91
agent/src/input/mod.rs
Normal file
@@ -0,0 +1,91 @@
|
||||
//! Input injection module
|
||||
//!
|
||||
//! Handles mouse and keyboard input simulation using Windows SendInput API.
|
||||
|
||||
mod mouse;
|
||||
mod keyboard;
|
||||
|
||||
pub use mouse::MouseController;
|
||||
pub use keyboard::KeyboardController;
|
||||
|
||||
use anyhow::Result;
|
||||
|
||||
/// Combined input controller for mouse and keyboard
|
||||
pub struct InputController {
|
||||
mouse: MouseController,
|
||||
keyboard: KeyboardController,
|
||||
}
|
||||
|
||||
impl InputController {
|
||||
/// Create a new input controller
|
||||
pub fn new() -> Result<Self> {
|
||||
Ok(Self {
|
||||
mouse: MouseController::new()?,
|
||||
keyboard: KeyboardController::new()?,
|
||||
})
|
||||
}
|
||||
|
||||
/// Get mouse controller
|
||||
pub fn mouse(&mut self) -> &mut MouseController {
|
||||
&mut self.mouse
|
||||
}
|
||||
|
||||
/// Get keyboard controller
|
||||
pub fn keyboard(&mut self) -> &mut KeyboardController {
|
||||
&mut self.keyboard
|
||||
}
|
||||
|
||||
/// Move mouse to absolute position
|
||||
pub fn mouse_move(&mut self, x: i32, y: i32) -> Result<()> {
|
||||
self.mouse.move_to(x, y)
|
||||
}
|
||||
|
||||
/// Click mouse button
|
||||
pub fn mouse_click(&mut self, button: MouseButton, down: bool) -> Result<()> {
|
||||
if down {
|
||||
self.mouse.button_down(button)
|
||||
} else {
|
||||
self.mouse.button_up(button)
|
||||
}
|
||||
}
|
||||
|
||||
/// Scroll mouse wheel
|
||||
pub fn mouse_scroll(&mut self, delta_x: i32, delta_y: i32) -> Result<()> {
|
||||
self.mouse.scroll(delta_x, delta_y)
|
||||
}
|
||||
|
||||
/// Press or release a key
|
||||
pub fn key_event(&mut self, vk_code: u16, down: bool) -> Result<()> {
|
||||
if down {
|
||||
self.keyboard.key_down(vk_code)
|
||||
} else {
|
||||
self.keyboard.key_up(vk_code)
|
||||
}
|
||||
}
|
||||
|
||||
/// Type a unicode character
|
||||
pub fn type_unicode(&mut self, ch: char) -> Result<()> {
|
||||
self.keyboard.type_char(ch)
|
||||
}
|
||||
|
||||
/// Send Ctrl+Alt+Delete (requires special handling on Windows)
|
||||
pub fn send_ctrl_alt_del(&mut self) -> Result<()> {
|
||||
self.keyboard.send_sas()
|
||||
}
|
||||
}
|
||||
|
||||
/// Mouse button types
|
||||
#[derive(Debug, Clone, Copy, PartialEq, Eq)]
|
||||
pub enum MouseButton {
|
||||
Left,
|
||||
Right,
|
||||
Middle,
|
||||
X1,
|
||||
X2,
|
||||
}
|
||||
|
||||
impl Default for InputController {
|
||||
fn default() -> Self {
|
||||
Self::new().expect("Failed to create input controller")
|
||||
}
|
||||
}
|
||||
217
agent/src/input/mouse.rs
Normal file
217
agent/src/input/mouse.rs
Normal file
@@ -0,0 +1,217 @@
|
||||
//! Mouse input simulation using Windows SendInput API
|
||||
|
||||
use super::MouseButton;
|
||||
use anyhow::Result;
|
||||
|
||||
#[cfg(windows)]
|
||||
use windows::Win32::UI::Input::KeyboardAndMouse::{
|
||||
SendInput, INPUT, INPUT_0, INPUT_MOUSE, MOUSEEVENTF_ABSOLUTE, MOUSEEVENTF_HWHEEL,
|
||||
MOUSEEVENTF_LEFTDOWN, MOUSEEVENTF_LEFTUP, MOUSEEVENTF_MIDDLEDOWN, MOUSEEVENTF_MIDDLEUP,
|
||||
MOUSEEVENTF_MOVE, MOUSEEVENTF_RIGHTDOWN, MOUSEEVENTF_RIGHTUP, MOUSEEVENTF_VIRTUALDESK,
|
||||
MOUSEEVENTF_WHEEL, MOUSEEVENTF_XDOWN, MOUSEEVENTF_XUP, MOUSEINPUT, XBUTTON1, XBUTTON2,
|
||||
};
|
||||
|
||||
#[cfg(windows)]
|
||||
use windows::Win32::UI::WindowsAndMessaging::{
|
||||
GetSystemMetrics, SM_CXVIRTUALSCREEN, SM_CYVIRTUALSCREEN, SM_XVIRTUALSCREEN,
|
||||
SM_YVIRTUALSCREEN,
|
||||
};
|
||||
|
||||
/// Mouse input controller
|
||||
pub struct MouseController {
|
||||
/// Virtual screen dimensions for coordinate translation
|
||||
#[cfg(windows)]
|
||||
virtual_screen: VirtualScreen,
|
||||
}
|
||||
|
||||
#[cfg(windows)]
|
||||
struct VirtualScreen {
|
||||
x: i32,
|
||||
y: i32,
|
||||
width: i32,
|
||||
height: i32,
|
||||
}
|
||||
|
||||
impl MouseController {
|
||||
/// Create a new mouse controller
|
||||
pub fn new() -> Result<Self> {
|
||||
#[cfg(windows)]
|
||||
{
|
||||
let virtual_screen = unsafe {
|
||||
VirtualScreen {
|
||||
x: GetSystemMetrics(SM_XVIRTUALSCREEN),
|
||||
y: GetSystemMetrics(SM_YVIRTUALSCREEN),
|
||||
width: GetSystemMetrics(SM_CXVIRTUALSCREEN),
|
||||
height: GetSystemMetrics(SM_CYVIRTUALSCREEN),
|
||||
}
|
||||
};
|
||||
|
||||
Ok(Self { virtual_screen })
|
||||
}
|
||||
|
||||
#[cfg(not(windows))]
|
||||
{
|
||||
anyhow::bail!("Mouse input only supported on Windows")
|
||||
}
|
||||
}
|
||||
|
||||
/// Move mouse to absolute screen coordinates
|
||||
#[cfg(windows)]
|
||||
pub fn move_to(&mut self, x: i32, y: i32) -> Result<()> {
|
||||
// Convert screen coordinates to normalized absolute coordinates (0-65535)
|
||||
let norm_x = ((x - self.virtual_screen.x) * 65535) / self.virtual_screen.width;
|
||||
let norm_y = ((y - self.virtual_screen.y) * 65535) / self.virtual_screen.height;
|
||||
|
||||
let input = INPUT {
|
||||
r#type: INPUT_MOUSE,
|
||||
Anonymous: INPUT_0 {
|
||||
mi: MOUSEINPUT {
|
||||
dx: norm_x,
|
||||
dy: norm_y,
|
||||
mouseData: 0,
|
||||
dwFlags: MOUSEEVENTF_MOVE | MOUSEEVENTF_ABSOLUTE | MOUSEEVENTF_VIRTUALDESK,
|
||||
time: 0,
|
||||
dwExtraInfo: 0,
|
||||
},
|
||||
},
|
||||
};
|
||||
|
||||
self.send_input(&[input])
|
||||
}
|
||||
|
||||
/// Press mouse button down
|
||||
#[cfg(windows)]
|
||||
pub fn button_down(&mut self, button: MouseButton) -> Result<()> {
|
||||
let (flags, data) = match button {
|
||||
MouseButton::Left => (MOUSEEVENTF_LEFTDOWN, 0),
|
||||
MouseButton::Right => (MOUSEEVENTF_RIGHTDOWN, 0),
|
||||
MouseButton::Middle => (MOUSEEVENTF_MIDDLEDOWN, 0),
|
||||
MouseButton::X1 => (MOUSEEVENTF_XDOWN, XBUTTON1 as u32),
|
||||
MouseButton::X2 => (MOUSEEVENTF_XDOWN, XBUTTON2 as u32),
|
||||
};
|
||||
|
||||
let input = INPUT {
|
||||
r#type: INPUT_MOUSE,
|
||||
Anonymous: INPUT_0 {
|
||||
mi: MOUSEINPUT {
|
||||
dx: 0,
|
||||
dy: 0,
|
||||
mouseData: data,
|
||||
dwFlags: flags,
|
||||
time: 0,
|
||||
dwExtraInfo: 0,
|
||||
},
|
||||
},
|
||||
};
|
||||
|
||||
self.send_input(&[input])
|
||||
}
|
||||
|
||||
/// Release mouse button
|
||||
#[cfg(windows)]
|
||||
pub fn button_up(&mut self, button: MouseButton) -> Result<()> {
|
||||
let (flags, data) = match button {
|
||||
MouseButton::Left => (MOUSEEVENTF_LEFTUP, 0),
|
||||
MouseButton::Right => (MOUSEEVENTF_RIGHTUP, 0),
|
||||
MouseButton::Middle => (MOUSEEVENTF_MIDDLEUP, 0),
|
||||
MouseButton::X1 => (MOUSEEVENTF_XUP, XBUTTON1 as u32),
|
||||
MouseButton::X2 => (MOUSEEVENTF_XUP, XBUTTON2 as u32),
|
||||
};
|
||||
|
||||
let input = INPUT {
|
||||
r#type: INPUT_MOUSE,
|
||||
Anonymous: INPUT_0 {
|
||||
mi: MOUSEINPUT {
|
||||
dx: 0,
|
||||
dy: 0,
|
||||
mouseData: data,
|
||||
dwFlags: flags,
|
||||
time: 0,
|
||||
dwExtraInfo: 0,
|
||||
},
|
||||
},
|
||||
};
|
||||
|
||||
self.send_input(&[input])
|
||||
}
|
||||
|
||||
/// Scroll mouse wheel
|
||||
#[cfg(windows)]
|
||||
pub fn scroll(&mut self, delta_x: i32, delta_y: i32) -> Result<()> {
|
||||
let mut inputs = Vec::new();
|
||||
|
||||
// Vertical scroll
|
||||
if delta_y != 0 {
|
||||
inputs.push(INPUT {
|
||||
r#type: INPUT_MOUSE,
|
||||
Anonymous: INPUT_0 {
|
||||
mi: MOUSEINPUT {
|
||||
dx: 0,
|
||||
dy: 0,
|
||||
mouseData: delta_y as u32,
|
||||
dwFlags: MOUSEEVENTF_WHEEL,
|
||||
time: 0,
|
||||
dwExtraInfo: 0,
|
||||
},
|
||||
},
|
||||
});
|
||||
}
|
||||
|
||||
// Horizontal scroll
|
||||
if delta_x != 0 {
|
||||
inputs.push(INPUT {
|
||||
r#type: INPUT_MOUSE,
|
||||
Anonymous: INPUT_0 {
|
||||
mi: MOUSEINPUT {
|
||||
dx: 0,
|
||||
dy: 0,
|
||||
mouseData: delta_x as u32,
|
||||
dwFlags: MOUSEEVENTF_HWHEEL,
|
||||
time: 0,
|
||||
dwExtraInfo: 0,
|
||||
},
|
||||
},
|
||||
});
|
||||
}
|
||||
|
||||
if !inputs.is_empty() {
|
||||
self.send_input(&inputs)?;
|
||||
}
|
||||
|
||||
Ok(())
|
||||
}
|
||||
|
||||
/// Send input events
|
||||
#[cfg(windows)]
|
||||
fn send_input(&self, inputs: &[INPUT]) -> Result<()> {
|
||||
let sent = unsafe {
|
||||
SendInput(inputs, std::mem::size_of::<INPUT>() as i32)
|
||||
};
|
||||
|
||||
if sent as usize != inputs.len() {
|
||||
anyhow::bail!("SendInput failed: sent {} of {} inputs", sent, inputs.len());
|
||||
}
|
||||
|
||||
Ok(())
|
||||
}
|
||||
|
||||
#[cfg(not(windows))]
|
||||
pub fn move_to(&mut self, _x: i32, _y: i32) -> Result<()> {
|
||||
anyhow::bail!("Mouse input only supported on Windows")
|
||||
}
|
||||
|
||||
#[cfg(not(windows))]
|
||||
pub fn button_down(&mut self, _button: MouseButton) -> Result<()> {
|
||||
anyhow::bail!("Mouse input only supported on Windows")
|
||||
}
|
||||
|
||||
#[cfg(not(windows))]
|
||||
pub fn button_up(&mut self, _button: MouseButton) -> Result<()> {
|
||||
anyhow::bail!("Mouse input only supported on Windows")
|
||||
}
|
||||
|
||||
#[cfg(not(windows))]
|
||||
pub fn scroll(&mut self, _delta_x: i32, _delta_y: i32) -> Result<()> {
|
||||
anyhow::bail!("Mouse input only supported on Windows")
|
||||
}
|
||||
}
|
||||
70
agent/src/main.rs
Normal file
70
agent/src/main.rs
Normal file
@@ -0,0 +1,70 @@
|
||||
//! GuruConnect Agent - Remote Desktop Agent for Windows
|
||||
//!
|
||||
//! Provides screen capture, input injection, and remote control capabilities.
|
||||
|
||||
mod capture;
|
||||
mod config;
|
||||
mod encoder;
|
||||
mod input;
|
||||
mod session;
|
||||
mod transport;
|
||||
|
||||
pub mod proto {
|
||||
include!(concat!(env!("OUT_DIR"), "/guruconnect.rs"));
|
||||
}
|
||||
|
||||
use anyhow::Result;
|
||||
use tracing::{info, error, Level};
|
||||
use tracing_subscriber::FmtSubscriber;
|
||||
|
||||
#[tokio::main]
|
||||
async fn main() -> Result<()> {
|
||||
// Initialize logging
|
||||
let subscriber = FmtSubscriber::builder()
|
||||
.with_max_level(Level::INFO)
|
||||
.with_target(true)
|
||||
.with_thread_ids(true)
|
||||
.init();
|
||||
|
||||
info!("GuruConnect Agent v{}", env!("CARGO_PKG_VERSION"));
|
||||
|
||||
// Load configuration
|
||||
let config = config::Config::load()?;
|
||||
info!("Loaded configuration for server: {}", config.server_url);
|
||||
|
||||
// Run the agent
|
||||
if let Err(e) = run_agent(config).await {
|
||||
error!("Agent error: {}", e);
|
||||
return Err(e);
|
||||
}
|
||||
|
||||
Ok(())
|
||||
}
|
||||
|
||||
async fn run_agent(config: config::Config) -> Result<()> {
|
||||
// Create session manager
|
||||
let mut session = session::SessionManager::new(config.clone());
|
||||
|
||||
// Connect to server and run main loop
|
||||
loop {
|
||||
info!("Connecting to server...");
|
||||
|
||||
match session.connect().await {
|
||||
Ok(_) => {
|
||||
info!("Connected to server");
|
||||
|
||||
// Run session until disconnect
|
||||
if let Err(e) = session.run().await {
|
||||
error!("Session error: {}", e);
|
||||
}
|
||||
}
|
||||
Err(e) => {
|
||||
error!("Connection failed: {}", e);
|
||||
}
|
||||
}
|
||||
|
||||
// Wait before reconnecting
|
||||
info!("Reconnecting in 5 seconds...");
|
||||
tokio::time::sleep(tokio::time::Duration::from_secs(5)).await;
|
||||
}
|
||||
}
|
||||
194
agent/src/session/mod.rs
Normal file
194
agent/src/session/mod.rs
Normal file
@@ -0,0 +1,194 @@
|
||||
//! Session management for the agent
|
||||
//!
|
||||
//! Handles the lifecycle of a remote session including:
|
||||
//! - Connection to server
|
||||
//! - Authentication
|
||||
//! - Frame capture and encoding loop
|
||||
//! - Input event handling
|
||||
|
||||
use crate::capture::{self, Capturer, Display};
|
||||
use crate::config::Config;
|
||||
use crate::encoder::{self, Encoder};
|
||||
use crate::input::InputController;
|
||||
use crate::proto::{Message, message};
|
||||
use crate::transport::WebSocketTransport;
|
||||
use anyhow::Result;
|
||||
use std::sync::Arc;
|
||||
use std::time::{Duration, Instant};
|
||||
use tokio::sync::mpsc;
|
||||
|
||||
/// Session manager handles the remote control session
|
||||
pub struct SessionManager {
|
||||
config: Config,
|
||||
transport: Option<WebSocketTransport>,
|
||||
state: SessionState,
|
||||
}
|
||||
|
||||
#[derive(Debug, Clone, PartialEq)]
|
||||
enum SessionState {
|
||||
Disconnected,
|
||||
Connecting,
|
||||
Connected,
|
||||
Active,
|
||||
}
|
||||
|
||||
impl SessionManager {
|
||||
/// Create a new session manager
|
||||
pub fn new(config: Config) -> Self {
|
||||
Self {
|
||||
config,
|
||||
transport: None,
|
||||
state: SessionState::Disconnected,
|
||||
}
|
||||
}
|
||||
|
||||
/// Connect to the server
|
||||
pub async fn connect(&mut self) -> Result<()> {
|
||||
self.state = SessionState::Connecting;
|
||||
|
||||
let transport = WebSocketTransport::connect(
|
||||
&self.config.server_url,
|
||||
&self.config.api_key,
|
||||
).await?;
|
||||
|
||||
self.transport = Some(transport);
|
||||
self.state = SessionState::Connected;
|
||||
|
||||
Ok(())
|
||||
}
|
||||
|
||||
/// Run the session main loop
|
||||
pub async fn run(&mut self) -> Result<()> {
|
||||
let transport = self.transport.as_mut()
|
||||
.ok_or_else(|| anyhow::anyhow!("Not connected"))?;
|
||||
|
||||
self.state = SessionState::Active;
|
||||
|
||||
// Get primary display
|
||||
let display = capture::primary_display()?;
|
||||
tracing::info!("Using display: {} ({}x{})", display.name, display.width, display.height);
|
||||
|
||||
// Create capturer
|
||||
let mut capturer = capture::create_capturer(
|
||||
display.clone(),
|
||||
self.config.capture.use_dxgi,
|
||||
self.config.capture.gdi_fallback,
|
||||
)?;
|
||||
|
||||
// Create encoder
|
||||
let mut encoder = encoder::create_encoder(
|
||||
&self.config.encoding.codec,
|
||||
self.config.encoding.quality,
|
||||
)?;
|
||||
|
||||
// Create input controller
|
||||
let mut input = InputController::new()?;
|
||||
|
||||
// Calculate frame interval
|
||||
let frame_interval = Duration::from_millis(1000 / self.config.capture.fps as u64);
|
||||
let mut last_frame_time = Instant::now();
|
||||
|
||||
// Main loop
|
||||
loop {
|
||||
// Check for incoming messages (non-blocking)
|
||||
while let Some(msg) = transport.try_recv()? {
|
||||
self.handle_message(&mut input, msg)?;
|
||||
}
|
||||
|
||||
// Capture and send frame if interval elapsed
|
||||
if last_frame_time.elapsed() >= frame_interval {
|
||||
last_frame_time = Instant::now();
|
||||
|
||||
if let Some(frame) = capturer.capture()? {
|
||||
let encoded = encoder.encode(&frame)?;
|
||||
|
||||
// Skip empty frames (no changes)
|
||||
if encoded.size > 0 {
|
||||
let msg = Message {
|
||||
payload: Some(message::Payload::VideoFrame(encoded.frame)),
|
||||
};
|
||||
transport.send(msg).await?;
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
// Small sleep to prevent busy loop
|
||||
tokio::time::sleep(Duration::from_millis(1)).await;
|
||||
|
||||
// Check if still connected
|
||||
if !transport.is_connected() {
|
||||
tracing::warn!("Connection lost");
|
||||
break;
|
||||
}
|
||||
}
|
||||
|
||||
self.state = SessionState::Disconnected;
|
||||
Ok(())
|
||||
}
|
||||
|
||||
/// Handle incoming message from server
|
||||
fn handle_message(&mut self, input: &mut InputController, msg: Message) -> Result<()> {
|
||||
match msg.payload {
|
||||
Some(message::Payload::MouseEvent(mouse)) => {
|
||||
// Handle mouse event
|
||||
use crate::proto::MouseEventType;
|
||||
use crate::input::MouseButton;
|
||||
|
||||
match MouseEventType::try_from(mouse.event_type).unwrap_or(MouseEventType::MouseMove) {
|
||||
MouseEventType::MouseMove => {
|
||||
input.mouse_move(mouse.x, mouse.y)?;
|
||||
}
|
||||
MouseEventType::MouseDown => {
|
||||
input.mouse_move(mouse.x, mouse.y)?;
|
||||
if let Some(ref buttons) = mouse.buttons {
|
||||
if buttons.left { input.mouse_click(MouseButton::Left, true)?; }
|
||||
if buttons.right { input.mouse_click(MouseButton::Right, true)?; }
|
||||
if buttons.middle { input.mouse_click(MouseButton::Middle, true)?; }
|
||||
}
|
||||
}
|
||||
MouseEventType::MouseUp => {
|
||||
if let Some(ref buttons) = mouse.buttons {
|
||||
if buttons.left { input.mouse_click(MouseButton::Left, false)?; }
|
||||
if buttons.right { input.mouse_click(MouseButton::Right, false)?; }
|
||||
if buttons.middle { input.mouse_click(MouseButton::Middle, false)?; }
|
||||
}
|
||||
}
|
||||
MouseEventType::MouseWheel => {
|
||||
input.mouse_scroll(mouse.wheel_delta_x, mouse.wheel_delta_y)?;
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
Some(message::Payload::KeyEvent(key)) => {
|
||||
// Handle keyboard event
|
||||
input.key_event(key.vk_code as u16, key.down)?;
|
||||
}
|
||||
|
||||
Some(message::Payload::SpecialKey(special)) => {
|
||||
use crate::proto::SpecialKey;
|
||||
match SpecialKey::try_from(special.key).ok() {
|
||||
Some(SpecialKey::CtrlAltDel) => {
|
||||
input.send_ctrl_alt_del()?;
|
||||
}
|
||||
_ => {}
|
||||
}
|
||||
}
|
||||
|
||||
Some(message::Payload::Heartbeat(_)) => {
|
||||
// Respond to heartbeat
|
||||
// TODO: Send heartbeat ack
|
||||
}
|
||||
|
||||
Some(message::Payload::Disconnect(disc)) => {
|
||||
tracing::info!("Disconnect requested: {}", disc.reason);
|
||||
return Err(anyhow::anyhow!("Disconnect: {}", disc.reason));
|
||||
}
|
||||
|
||||
_ => {
|
||||
// Ignore unknown messages
|
||||
}
|
||||
}
|
||||
|
||||
Ok(())
|
||||
}
|
||||
}
|
||||
5
agent/src/transport/mod.rs
Normal file
5
agent/src/transport/mod.rs
Normal file
@@ -0,0 +1,5 @@
|
||||
//! WebSocket transport for agent-server communication
|
||||
|
||||
mod websocket;
|
||||
|
||||
pub use websocket::WebSocketTransport;
|
||||
183
agent/src/transport/websocket.rs
Normal file
183
agent/src/transport/websocket.rs
Normal file
@@ -0,0 +1,183 @@
|
||||
//! WebSocket client transport
|
||||
//!
|
||||
//! Handles WebSocket connection to the GuruConnect server with:
|
||||
//! - TLS encryption
|
||||
//! - Automatic reconnection
|
||||
//! - Protobuf message serialization
|
||||
|
||||
use crate::proto::Message;
|
||||
use anyhow::{Context, Result};
|
||||
use bytes::Bytes;
|
||||
use futures_util::{SinkExt, StreamExt};
|
||||
use prost::Message as ProstMessage;
|
||||
use std::collections::VecDeque;
|
||||
use std::sync::Arc;
|
||||
use tokio::net::TcpStream;
|
||||
use tokio::sync::Mutex;
|
||||
use tokio_tungstenite::{
|
||||
connect_async, tungstenite::protocol::Message as WsMessage, MaybeTlsStream, WebSocketStream,
|
||||
};
|
||||
|
||||
type WsStream = WebSocketStream<MaybeTlsStream<TcpStream>>;
|
||||
|
||||
/// WebSocket transport for server communication
|
||||
pub struct WebSocketTransport {
|
||||
stream: Arc<Mutex<WsStream>>,
|
||||
incoming: VecDeque<Message>,
|
||||
connected: bool,
|
||||
}
|
||||
|
||||
impl WebSocketTransport {
|
||||
/// Connect to the server
|
||||
pub async fn connect(url: &str, api_key: &str) -> Result<Self> {
|
||||
// Append API key as query parameter
|
||||
let url_with_auth = if url.contains('?') {
|
||||
format!("{}&api_key={}", url, api_key)
|
||||
} else {
|
||||
format!("{}?api_key={}", url, api_key)
|
||||
};
|
||||
|
||||
tracing::info!("Connecting to {}", url);
|
||||
|
||||
let (ws_stream, response) = connect_async(&url_with_auth)
|
||||
.await
|
||||
.context("Failed to connect to WebSocket server")?;
|
||||
|
||||
tracing::info!("Connected, status: {}", response.status());
|
||||
|
||||
Ok(Self {
|
||||
stream: Arc::new(Mutex::new(ws_stream)),
|
||||
incoming: VecDeque::new(),
|
||||
connected: true,
|
||||
})
|
||||
}
|
||||
|
||||
/// Send a protobuf message
|
||||
pub async fn send(&mut self, msg: Message) -> Result<()> {
|
||||
let mut stream = self.stream.lock().await;
|
||||
|
||||
// Serialize to protobuf binary
|
||||
let mut buf = Vec::with_capacity(msg.encoded_len());
|
||||
msg.encode(&mut buf)?;
|
||||
|
||||
// Send as binary WebSocket message
|
||||
stream
|
||||
.send(WsMessage::Binary(buf.into()))
|
||||
.await
|
||||
.context("Failed to send message")?;
|
||||
|
||||
Ok(())
|
||||
}
|
||||
|
||||
/// Try to receive a message (non-blocking)
|
||||
pub fn try_recv(&mut self) -> Result<Option<Message>> {
|
||||
// Return buffered message if available
|
||||
if let Some(msg) = self.incoming.pop_front() {
|
||||
return Ok(Some(msg));
|
||||
}
|
||||
|
||||
// Try to receive more messages
|
||||
let stream = self.stream.clone();
|
||||
let result = tokio::task::block_in_place(|| {
|
||||
tokio::runtime::Handle::current().block_on(async {
|
||||
let mut stream = stream.lock().await;
|
||||
|
||||
// Use try_next for non-blocking receive
|
||||
match tokio::time::timeout(
|
||||
std::time::Duration::from_millis(1),
|
||||
stream.next(),
|
||||
)
|
||||
.await
|
||||
{
|
||||
Ok(Some(Ok(ws_msg))) => Ok(Some(ws_msg)),
|
||||
Ok(Some(Err(e))) => Err(anyhow::anyhow!("WebSocket error: {}", e)),
|
||||
Ok(None) => {
|
||||
// Connection closed
|
||||
Ok(None)
|
||||
}
|
||||
Err(_) => {
|
||||
// Timeout - no message available
|
||||
Ok(None)
|
||||
}
|
||||
}
|
||||
})
|
||||
});
|
||||
|
||||
match result? {
|
||||
Some(ws_msg) => {
|
||||
if let Some(msg) = self.parse_message(ws_msg)? {
|
||||
Ok(Some(msg))
|
||||
} else {
|
||||
Ok(None)
|
||||
}
|
||||
}
|
||||
None => Ok(None),
|
||||
}
|
||||
}
|
||||
|
||||
/// Receive a message (blocking)
|
||||
pub async fn recv(&mut self) -> Result<Option<Message>> {
|
||||
// Return buffered message if available
|
||||
if let Some(msg) = self.incoming.pop_front() {
|
||||
return Ok(Some(msg));
|
||||
}
|
||||
|
||||
let mut stream = self.stream.lock().await;
|
||||
|
||||
match stream.next().await {
|
||||
Some(Ok(ws_msg)) => self.parse_message(ws_msg),
|
||||
Some(Err(e)) => {
|
||||
self.connected = false;
|
||||
Err(anyhow::anyhow!("WebSocket error: {}", e))
|
||||
}
|
||||
None => {
|
||||
self.connected = false;
|
||||
Ok(None)
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
/// Parse a WebSocket message into a protobuf message
|
||||
fn parse_message(&mut self, ws_msg: WsMessage) -> Result<Option<Message>> {
|
||||
match ws_msg {
|
||||
WsMessage::Binary(data) => {
|
||||
let msg = Message::decode(Bytes::from(data))
|
||||
.context("Failed to decode protobuf message")?;
|
||||
Ok(Some(msg))
|
||||
}
|
||||
WsMessage::Ping(data) => {
|
||||
// Pong is sent automatically by tungstenite
|
||||
tracing::trace!("Received ping");
|
||||
Ok(None)
|
||||
}
|
||||
WsMessage::Pong(_) => {
|
||||
tracing::trace!("Received pong");
|
||||
Ok(None)
|
||||
}
|
||||
WsMessage::Close(frame) => {
|
||||
tracing::info!("Connection closed: {:?}", frame);
|
||||
self.connected = false;
|
||||
Ok(None)
|
||||
}
|
||||
WsMessage::Text(text) => {
|
||||
// We expect binary protobuf, but log text messages
|
||||
tracing::warn!("Received unexpected text message: {}", text);
|
||||
Ok(None)
|
||||
}
|
||||
_ => Ok(None),
|
||||
}
|
||||
}
|
||||
|
||||
/// Check if connected
|
||||
pub fn is_connected(&self) -> bool {
|
||||
self.connected
|
||||
}
|
||||
|
||||
/// Close the connection
|
||||
pub async fn close(&mut self) -> Result<()> {
|
||||
let mut stream = self.stream.lock().await;
|
||||
stream.close(None).await?;
|
||||
self.connected = false;
|
||||
Ok(())
|
||||
}
|
||||
}
|
||||
Reference in New Issue
Block a user