File System Operations
The Daytona SDK provides comprehensive file system operations through the fs
module in Sandboxes.
You can perform various operations like listing files, creating directories, reading and writing files, and more.
This guide covers all available file system operations and best practices.
Examples:
Basic file operations:
workspace = daytona.create()
# Create a directory workspace.fs.create_folder("/workspace/data", "755")
# Upload a file with open("local_file.txt", "rb") as f: content = f.read() workspace.fs.upload_file("/workspace/data/file.txt", content)
# List directory contents files = workspace.fs.list_files("/workspace") for file in files: print(f"Name: {file.name}") print(f"Is directory: {file.is_dir}") print(f"Size: {file.size}") print(f"Modified: {file.mod_time}")
# Search file contents matches = workspace.fs.find_files( path="/workspace/src", pattern="text-of-interest" ) for match in matches: print(f"Absolute file path: {match.file}") print(f"Line number: {match.line}") print(f"Line content: {match.content}") print("")
File manipulation:
# Move filesworkspace.fs.move_files( "/workspace/data/old.txt", "/workspace/data/new.txt")
# Replace text in filesresults = workspace.fs.replace_in_files( files=["/workspace/data/new.txt"], pattern="old_version", new_value="new_version")
# Set permissionsworkspace.fs.set_file_permissions( path="/workspace/data/script.sh", mode="755", owner="daytona")
Notes:
All paths should be absolute paths within the Sandbox if not explicitly stated otherwise.
FileSystem
class FileSystem()
Provides file system operations within a Sandbox.
This class implements a high-level interface to file system operations that can be performed within a Daytona Sandbox. It supports common operations like creating, deleting, and moving files, as well as searching file contents and managing permissions.
Attributes:
instance
WorkspaceInstance - The Sandbox instance this file system belongs to.
FileSystem.__init__
def __init__(instance: WorkspaceInstance, toolbox_api: ToolboxApi)
Initializes a new FileSystem instance.
Arguments:
instance
WorkspaceInstance - The Sandbox instance this file system belongs to.toolbox_api
ToolboxApi - API client for Sandbox operations.
FileSystem.create_folder
def create_folder(path: str, mode: str) -> None
Creates a new directory in the Sandbox.
This method creates a new directory at the specified path with the given permissions.
Arguments:
path
str - Absolute path where the folder should be created.mode
str - Folder permissions in octal format (e.g., “755” for rwxr-xr-x).
Example:
# Create a directory with standard permissionsworkspace.fs.create_folder("/workspace/data", "755")
# Create a private directoryworkspace.fs.create_folder("/workspace/secrets", "700")
FileSystem.delete_file
def delete_file(path: str) -> None
Deletes a file from the Sandbox.
This method permanently deletes a file from the Sandbox.
Arguments:
path
str - Absolute path to the file to delete.
Example:
# Delete a fileworkspace.fs.delete_file("/workspace/data/old_file.txt")
FileSystem.download_file
def download_file(path: str) -> bytes
Downloads a file from the Sandbox.
This method retrieves the contents of a file from the Sandbox.
Arguments:
path
str - Absolute path to the file to download.
Returns:
bytes
- The file contents as a bytes object.
Example:
# Download and save a file locallycontent = workspace.fs.download_file("/workspace/data/file.txt")with open("local_copy.txt", "wb") as f: f.write(content)
# Download and process text contentcontent = workspace.fs.download_file("/workspace/data/config.json")config = json.loads(content.decode('utf-8'))
FileSystem.find_files
def find_files(path: str, pattern: str) -> List[Match]
Searches for files containing a pattern.
This method searches file contents for a specified pattern, similar to the grep command.
Arguments:
path
str - Absolute path to the file or directory to search. If the path is a directory, the search will be performed recursively.pattern
str - Search pattern to match against file contents.
Returns:
List[Match]
- List of matches found in files. Each Match object includes:- file: Path to the file containing the match
- line: The line number where the match was found
- content: The matching line content
Example:
# Search for TODOs in Python filesmatches = workspace.fs.find_files("/workspace/src", "TODO:")for match in matches: print(f"{match.file}:{match.line}: {match.content.strip()}")
FileSystem.get_file_info
def get_file_info(path: str) -> FileInfo
Gets detailed information about a file.
This method retrieves metadata about a file or directory, including its size, permissions, and timestamps.
Arguments:
path
str - Absolute path to the file or directory.
Returns:
FileInfo
- Detailed file information including:- name: File name
- is_dir: Whether the path is a directory
- size: File size in bytes
- mode: File permissions
- mod_time: Last modification timestamp
- permissions: File permissions in octal format
- owner: File owner
- group: File group
Example:
# Get file metadatainfo = workspace.fs.get_file_info("/workspace/data/file.txt")print(f"Size: {info.size} bytes")print(f"Modified: {info.mod_time}")print(f"Mode: {info.mode}")
# Check if path is a directoryinfo = workspace.fs.get_file_info("/workspace/data")if info.is_dir: print("Path is a directory")
FileSystem.list_files
def list_files(path: str) -> List[FileInfo]
Lists files and directories in a given path.
This method returns information about all files and directories in the specified directory, similar to the ls -l command.
Arguments:
path
str - Absolute path to the directory to list contents from.
Returns:
List[FileInfo]
- List of file and directory information. Each FileInfo object includes the same fields as described in get_file_info().
Example:
# List directory contentsfiles = workspace.fs.list_files("/workspace/data")
# Print files and their sizesfor file in files: if not file.is_dir: print(f"{file.name}: {file.size} bytes")
# List only directoriesdirs = [f for f in files if f.is_dir]print("Subdirectories:", ", ".join(d.name for d in dirs))
FileSystem.move_files
def move_files(source: str, destination: str) -> None
Moves files from one location to another.
This method moves or renames a file or directory. The parent directory of the destination must exist.
Arguments:
source
str - Absolute path to the source file or directory.destination
str - Absolute path to the destination.
Example:
# Rename a fileworkspace.fs.move_files( "/workspace/data/old_name.txt", "/workspace/data/new_name.txt")
# Move a file to a different directoryworkspace.fs.move_files( "/workspace/data/file.txt", "/workspace/archive/file.txt")
# Move a directoryworkspace.fs.move_files( "/workspace/old_dir", "/workspace/new_dir")
FileSystem.replace_in_files
def replace_in_files(files: List[str], pattern: str, new_value: str) -> List[ReplaceResult]
Replaces text in multiple files.
This method performs search and replace operations across multiple files.
Arguments:
files
List[str] - List of absolute file paths to perform replacements in.pattern
str - Pattern to search for.new_value
str - Text to replace matches with.
Returns:
List[ReplaceResult]
- List of results indicating replacements made in each file. Each ReplaceResult includes:- file: Path to the modified file
- success: Whether the operation was successful
- error: Error message if the operation failed
Example:
# Replace in specific filesresults = workspace.fs.replace_in_files( files=["/workspace/src/file1.py", "/workspace/src/file2.py"], pattern="old_function", new_value="new_function")
# Print resultsfor result in results: if result.success: print(f"{result.file}: {result.success}") else: print(f"{result.file}: {result.error}")
FileSystem.search_files
def search_files(path: str, pattern: str) -> SearchFilesResponse
Searches for files and directories matching a pattern in their names.
This method searches for files and directories whose names match the specified pattern. The pattern can be a simple string or a glob pattern.
Arguments:
path
str - Absolute path to the root directory to start search from.pattern
str - Pattern to match against file names. Supports glob patterns (e.g., “*.py” for Python files).
Returns:
SearchFilesResponse
- Search results containing:- files: List of matching file and directory paths
Example:
# Find all Python filesresult = workspace.fs.search_files("/workspace", "*.py")for file in result.files: print(file)
# Find files with specific prefixresult = workspace.fs.search_files("/workspace/data", "test_*")print(f"Found {len(result.files)} test files")
FileSystem.set_file_permissions
def set_file_permissions(path: str, mode: str = None, owner: str = None, group: str = None) -> None
Sets permissions and ownership for a file or directory.
This method allows changing the permissions and ownership of a file or directory. Any of the parameters can be None to leave that attribute unchanged.
Arguments:
path
str - Absolute path to the file or directory.mode
Optional[str] - File mode/permissions in octal format (e.g., “644” for rw-r—r—).owner
Optional[str] - User owner of the file.group
Optional[str] - Group owner of the file.
Example:
# Make a file executableworkspace.fs.set_file_permissions( path="/workspace/scripts/run.sh", mode="755" # rwxr-xr-x)
# Change file ownerworkspace.fs.set_file_permissions( path="/workspace/data/file.txt", owner="daytona", group="daytona")
FileSystem.upload_file
def upload_file(path: str, file: bytes) -> None
Uploads a file to the Sandbox.
This method uploads a file to the specified path in the Sandbox. The parent directory must exist. If a file already exists at the destination path, it will be overwritten.
Arguments:
path
str - Absolute destination path in the Sandbox.file
bytes - File contents as a bytes object.
Example:
# Upload a text filecontent = b"Hello, World!"workspace.fs.upload_file("/workspace/data/hello.txt", content)
# Upload a local filewith open("local_file.txt", "rb") as f: content = f.read()workspace.fs.upload_file("/workspace/data/file.txt", content)
# Upload binary dataimport jsondata = {"key": "value"}content = json.dumps(data).encode('utf-8')workspace.fs.upload_file("/workspace/data/config.json", content)