In the context of the rapid development of cloud computing and microservice architecture, there is an increasing need to provide the ability to dynamically execute code for various programming languages with a guarantee of security, scalability and high performance. This article describes a project that implements code execution in an isolated environment, and discusses the advantages of the chosen architectural solution for a modern WEB IDE. The system is built on Go, uses gRPC for effective interservice interaction, Redis as a message broker and Docker to isolate the execution environment. A WebSocket server is used to display results in real time.
We will describe in detail how the main components of the system are structured, how they differ from alternative solutions and why the choice of these technologies allows achieving high performance and security.
\
1. Architectural overview and main componentsThe project is built on the principle of microservice architecture, which allows you to divide functionality into independent services. Each component is responsible for a highly specialized task, which ensures flexibility, scalability, and fault tolerance of the system.
\ Main components:
\
\
\
2. Technologies and rationale for choosing GoAdvantages of Go:
Performance and scalability: Go has a high execution speed, which is especially important for handling a large number of parallel requests.
Built-in concurrency support: The mechanisms of goroutines and channels allow implementing asynchronous interaction between components without complex multithreading patterns.
\
Advantages of gRPC:
Comparison: Unlike REST API, gRPC provides more efficient and reliable communication between services, which is critical for highly concurrent systems.
\
RedisWhy Redis?
High performance: Redis can handle a large number of operations per second, which makes it ideal for task and result queues.
Pub/Sub and List Support: The simplicity of implementing queues and subscription mechanisms makes it easy to organize asynchronous interactions between services.
Comparison with other message brokers: Unlike RabbitMQ or Kafka, Redis requires less configuration and provides sufficient performance for real-time systems.
\
The role of Docker:
Environment isolation: Docker containers allow you to run code in a completely isolated environment, which increases execution safety and reduces the risk of conflicts with the main system.
Manageability and consistency: Using Docker provides the same environment for compiling and executing code, regardless of the host system.
Comparison: Running code directly on the host can pose a security risk and lead to dependency conflicts, while Docker allows you to solve these problems.
\
\
3. Benefits of Microservice ArchitectureThis project uses a microservice approach, which has a number of significant advantages:
\
\
4. Comparative analysis of architectural approachesWhen building modern WEB IDEs for remote code execution, various architectural solutions are often compared. Let’s consider two approaches:
\ Approach A: Microservice architecture (gRPC + Redis + Docker)
\
\ Features: \n This approach provides fast and reliable inter-service communication, high isolation of code execution, and flexible scaling due to containerization. It is perfect for modern WEB IDEs, where responsiveness and security are important.
\ Approach B: Traditional Monolithic Architecture (HTTP REST + Centralized Execution)
\
\ Features: \n Monolithic solutions, often used in early versions of web IDEs, are based on HTTP REST and centralized code execution. Such systems face scaling issues, increased latency, and difficulties in ensuring security when executing someone else’s code.
\
Note: In the modern context of WEB IDE development, the HTTP REST and centralized execution approach is inferior to the advantages of a microservices architecture, since it does not provide the necessary flexibility and scalability.
\
Visualization of comparative metricsThe graph clearly shows that the microservices architecture (Approach A) provides lower latency, higher throughput, better security and scalability compared to the monolithic solution (Approach B).
\
5. Docker architecture: isolation and scalabilityOne of the key elements of system security and stability is the use of Docker. In our solution, all services are deployed in separate containers, which ensures:
\
Isolation of the execution environment: Each service (gRPC server, Worker, WebSocket server) and message broker (Redis) run in its own container, which minimizes the risk of unsafe code affecting the main system. At the same time, the code that the user runs in the browser (for example, through the WEB IDE) is created and executed in a separate Docker container for each task. This approach ensures that potentially unsafe or erroneous code cannot affect the operation of the main infrastructure.
Environment consistency: Using Docker ensures that the settings remain the same in the development, testing, and production environments, which greatly simplifies debugging and ensures predictability of code execution.
Scalability flexibility: Each component can be scaled independently, which allows you to effectively adapt to changing loads. For example, as the number of requests increases, you can launch additional Worker containers, each of which will create separate containers for executing user code.
\
\
6. Small sections of codeBelow is a minified version of the main sections of code that demonstrates how the system:
The system uses a global registry, where each language has its own runner. This allows you to easily add support for new languages, it is enough to implement the runner interface and register it:
\
package languages import ( "errors" "sync" ) var ( registry = make(map[string]Runner) registryMu sync.RWMutex ) type Runner interface { Validate(projectDir string) error Compile(ctx context.Context, projectDir string) (<-chan string, error) Run(ctx context.Context, projectDir string) (<-chan string, error) } func Register(language string, runner Runner) { registryMu.Lock() defer registryMu.Unlock() registry[language] = runner } func GetRunner(language string) (Runner, error) { registryMu.RLock() defer registryMu.RUnlock() if runner, exists := registry[language]; exists { return runner, nil } return nil, errors.New("unsupported language") }\ Example of registering a new language:
\
func init() { languages.Register("python", NewGenericRunner("python")) languages.Register("javascript", NewGenericRunner("javascript")) }\ Thus, when receiving a request, the system calls:
\
runner, err := languages.GetRunner(req.Language)\ and receives the corresponding runner to execute the code.
\
2. Launching a Docker container to execute codeFor each user code request, a separate Docker container is created. This is done inside the runner methods (for example, in Run). The main logic for running the container is in the RunInDockerStreaming function:
\
package compiler import ( "bufio" "fmt" "io" "log" "os/exec" "time" ) func RunInDockerStreaming(image, dir, cmdStr string, logCh chan < -string) error { timeout: = 50 * time.Second cmd: = exec.Command("docker", "run", "--memory=256m", "--cpus=0.5", "--network=none", "-v", fmt.Sprintf("%s:/app", dir), "-w", "/app", image, "sh", "-c", cmdStr) cmd.Stdin = nil stdoutPipe, err: = cmd.StdoutPipe() if err != nil { return fmt.Errorf("error getting stdout: %v", err) } stderrPipe, err: = cmd.StderrPipe() if err != nil { return fmt.Errorf("error getting stderr: %v", err) } if err: = cmd.Start();err != nil { return fmt.Errorf("Error starting command: %v", err) } // Reading logs from the container go func() { reader: = bufio.NewReader(io.MultiReader(stdoutPipe, stderrPipe)) for { line, isPrefix, err: = reader.ReadLine() if err != nil { if err != io.EOF { logCh < -fmt.Sprintf("[Error reading logs: %v]", err) } break } msg: = string(line) for isPrefix { more, morePrefix, err: = reader.ReadLine() if err != nil { break } msg += string(more) isPrefix = morePrefix } logCh < -msg } close(logCh) }() doneCh: = make(chan error, 1) go func() { doneCh < -cmd.Wait() }() select { case err: = < -doneCh: return err case <-time.After(timeout): if cmd.Process != nil { cmd.Process.Kill() } return fmt.Errorf("Execution timed out") } }\ This function generates the docker run command, where:
\
\ Thus, when calling the Run method of the runner, the following happens:
\
\
3. Integrated execution processMinimized fragment of the main logic of code execution (executor.ExecuteCode):
\
func ExecuteCode(ctx context.Context, req CodeRequest, logCh chan string) CodeResponse { // Create a temporary directory and write files projectDir, err: = util.CreateTempProjectDir() if err != nil { return CodeResponse { "", fmt.Sprintf("Error: %v", err) } } defer os.RemoveAll(projectDir) for fileName, content: = range req.Files { util.WriteFileRecursive(filepath.Join(projectDir, fileName), [] byte(content)) } // Get a runner for the selected language runner, err: = languages.GetRunner(req.Language) if err != nil { return CodeResponse { "", err.Error() } } if err: = runner.Validate(projectDir); err != nil { return CodeResponse { "", fmt.Sprintf("Validation error: %v", err) } } // Compile (if needed) and run code in Docker container compileCh, _: = runner.Compile(ctx, projectDir) for msg: = range compileCh { logCh < -"[Compilation]: " + msg } runCh, _: = runner.Run(ctx, projectDir) var output string for msg: = range runCh { logCh < -"[Run]: " + msg output += msg + "\n" } return CodeResponse { Output: output } }\ In this minimal example:
\
\ These key fragments show how the system supports extensibility (easy addition of new languages) and provides isolation by creating a separate Docker container for each request. This approach improves the security, stability and scalability of the platform, which is especially important for modern WEB IDEs.
7. ConclusionThis article discusses a platform for remote code execution built on a microservice architecture using the gRPC + Redis + Docker stack. This approach allows you to:
\
\ A comparative analysis shows that the microservice architecture significantly outperforms traditional monolithic solutions in all key metrics. The advantages of this approach are confirmed by real data, which makes it an attractive solution for creating high-performance and fault-tolerant systems.
\ \ Author: Oleksii Bondar \n Date: 2025–02–07 \n
All Rights Reserved. Copyright 2025, Central Coast Communications, Inc.