Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to make a program that does not display the console window?

I'm trying to develop a program that uses the sdl2 library. It works perfectly so far, but when I run the program I get two windows - the sdl2 window and the console window.

How can I hide or not create the console window? Maybe there is some sort of WinMain?

like image 664
Revertron Avatar asked Apr 21 '15 05:04

Revertron


1 Answers

Rust 1.18 introduced a Windows Subsystem attribute. Turn off the console with:

#![windows_subsystem = "windows"] 

When the Rust binaries are linked with the GCC toolchain, to start a program without spawning a command line window we need to pass the -mwindows option to the linker.

Cargo has a cargo rustc mode which can be used to pass extra flags to rustc. Before that was introduced, there was no known way to pass an option to the compiler with Cargo.

When we can not affect the compilation or linking to the desired effect, one workaround is to hide the window after it has been created:

fn hide_console_window() {     use std::ptr;     use winapi::um::wincon::GetConsoleWindow;     use winapi::um::winuser::{ShowWindow, SW_HIDE};      let window = unsafe {GetConsoleWindow()};     // https://docs.microsoft.com/en-us/windows/win32/api/winuser/nf-winuser-showwindow     if window != ptr::null_mut() {         unsafe {             ShowWindow(window, SW_HIDE);         }     } } 

We'll need the following in Cargo.toml to compile the example:

[dependencies] winapi = {version = "0.3", features = ["wincon", "winuser"]} 

When we are running the program from an existing console or IDE:

fn hide_console_window() {     unsafe { winapi::um::wincon::FreeConsole() }; } 

This second method doesn't work if we're starting the application from a batch file, for the batch still owns the console and keeps its from disappearing.

like image 80
ArtemGr Avatar answered Sep 21 '22 15:09

ArtemGr