Ruby quickstart
In this quick start guide, we will write our first script in Ruby.
Scripts are the basic building blocks in Windmill. They can be run and scheduled as standalone, chained together to create Flows or displayed with a personalized User Interface as Apps.
Scripts consist of 2 parts:
- Code: for Ruby scripts, they can optionally have a main function. Scripts without a main function will execute the entire file.
- Settings: settings & metadata about the Script such as its path, summary, description, jsonschema of its inputs (inferred from its signature).
When stored in a code repository, these 2 parts are stored separately at <path>.rb and <path>.script.yaml
Windmill automatically manages dependencies for you.
When you use gems in your Ruby script through gemfile blocks (compatible with bundler/inline syntax),
Windmill parses these dependencies upon saving the script and automatically generates a Gemfile.lock,
ensuring that the same version of the script is always executed with the same versions of its dependencies.
More to it, to remove vendor lock-in barrier you have ability to extract the lockfile and use it outside Windmill if you want.
This is a simple example of a script built in Ruby with Windmill:
require 'windmill/inline'
gemfile do
  source 'https://rubygems.org'
  gem 'httparty'
  gem 'json'
end
def main(url: "https://httpbin.org/get", message: "Hello from Windmill!")
  response = HTTParty.get(url, query: { message: message })
  return {
    status: response.code,
    body: JSON.parse(response.body),
    message: "Request completed successfully"
  }
end
In this quick start guide, we'll create a script that greets the operator running it.
From the Home page, click +Script. This will take you to the first step of script creation: Metadata.
Settings

As part of the settings menu, each script has metadata associated with it, enabling it to be defined and configured in depth.
- Path is the Script's unique identifier that consists of the script's owner, and the script's name. The owner can be either a user, or a group (folder).
- Summary (optional) is a short, human-readable summary of the Script. It
will be displayed as a title across Windmill. If omitted, the UI will use the pathby default.
- Language of the script.
- Description is where you can give instructions through the auto-generated UI to users on how to run your Script. It supports markdown.
- Script kind: Action (by default), Trigger, Approval or Error handler. This acts as a tag to filter appropriate scripts from the flow editor.
This menu also has additional settings on Runtime, Generated UI and Triggers.
Now click on the code editor on the left side, and let's build our Hello World!
Code
Windmill provides an online editor to work on your Scripts. The left-side is the editor itself. The right-side previews the UI that Windmill will generate from the Script's signature - this will be visible to the users of the Script. You can preview that UI, provide input values, and test your script there.

As we picked ruby for this example, Windmill provided some Ruby
boilerplate. Let's take a look:
# Builtin mini windmill client
require 'windmill/mini'
require 'windmill/inline'
# Add your gem dependencies here using gemfile syntax
gemfile do
  source 'https://rubygems.org'
  gem 'httparty', '~> 0.21'
  gem 'json', '~> 2.6'
end
# You can import any gem from RubyGems.
# See here for more info: https://www.windmill.dev/docs/advanced/dependencies_in_ruby
def main(
  name = "Nicolas Bourbaki",
  age = 42,
  obj = { "even" => "hashes" },
  l = ["or", "arrays!"]
)
  puts "Hello World and a warm welcome especially to #{name}"
  puts "and its acolytes.. #{age} #{obj} #{l}"
  # retrieve variables, resources using built-in methods
  begin
		# Imported from windmill mini client
    secret = get_variable("f/examples/secret")
  rescue => e
    secret = "No secret yet at f/examples/secret!"
  end
  puts "The variable at `f/examples/secret`: #{secret}"
  # fetch context variables
  user = ENV['WM_USERNAME']
  # return value is converted to JSON
  return {
    "splitted" => name.split,
    "user" => user,
    "message" => "Hello from Ruby!"
  }
end
In Windmill, scripts can optionally have a main function that will be the script's
entrypoint. If no main function is defined, the entire script will be executed. There are a few important things to note about the main function:
- The main arguments are used for generating
- the input spec of the Script
- the frontend that you see when running the Script as a standalone app.
 
- Default values are used to infer argument types and generate the UI form. String defaults create string inputs, numeric defaults create number inputs, hash/array defaults create appropriate JSON inputs, etc.
- You can customize the UI in later steps (but not change the input type!).
The first import line imports the Windmill Ruby client, which provides access to built-in methods for accessing variables and resources.
Back to our Hello World. We can clean up the boilerplate, change the
main to take in the user's name. Let's also return the name, maybe we can use
this later if we use this Script within a flow or app and need to pass its result on.
def main(name = "World")
  puts "Hello #{name}! Greetings from Ruby!"
  return name
end
Instant preview & testing
Look at the UI preview on the right: it was updated to match the input
signature. Run a test (Ctrl + Enter) to verify everything works.
You can change how the UI behaves by changing the main signature. For example,
if you remove the default for the name argument, the UI will consider this field
as required.
def main(name)
Now let's go to the last step: the "Generated UI" settings.
Generated UI
From the Settings menu, the "Generated UI" tab lets you customize the script's arguments.
The UI is generated from the Script's main function signature, but you can add additional constraints here. For example, we could use the Customize property: add a regex by clicking on Pattern to make sure users are providing a name with only alphanumeric characters: ^[A-Za-z0-9]+$. Let's still allow numbers in case you are some tech billionaire's kid.

Run!
We're done! Now let's look at what users of the script will do. Click on the Deploy button to load the script. You'll see the user input form we defined earlier.
Note that Scripts are versioned in Windmill, and each script version is uniquely identified by a hash.
Fill in the input field, then hit "Run". You should see a run view, as well as your logs. All script runs are also available in the Runs menu on the left.
You can also choose to run the script from the CLI with the pre-made Command-line interface call.
Dependencies management
Ruby dependencies are managed using a gemfile block that is fully compatible with bundler/inline syntax. The gemfile block must include a single global source:
require 'windmill/inline'
gemfile do
  source 'https://rubygems.org'
  gem 'httparty', '~> 0.21'
  gem 'redis', '>= 4.0'
  gem 'activerecord', '7.0.0'
  gem 'pg', require: 'pg'
  gem 'dotenv', require: false
end
Private gem sources
You can use private gem repositories using different syntax options:
Option 1: Per-gem source specification
require 'windmill/inline'
gemfile do
  source 'https://rubygems.org'
  gem 'httparty'
  gem 'private-gem', source: 'https://gems.example.com'
end
Option 2: Source block syntax
require 'windmill/inline'
gemfile do
  source 'https://rubygems.org'
  
  source 'https://gems.example.com' do
    gem 'private-gem-1'
    gem 'private-gem-2'
  end
end
For authentication with private sources, specify the source URL without credentials in your script. For Enterprise Edition users, add the authenticated URL to Ruby repositories in instance settings. Navigate to Instance Settings > Registries > Ruby Repos and add:
https://admin:123@gems.example.com/

Windmill will automatically match the source URL from your script with the authenticated URL from settings and handle authentication seamlessly.
Network configuration
- TLS/SSL: Automatically handled as long as the remote certificate is trusted by the system
- Proxy: Proxy environment variables are automatically handled during lockfile generation, gem installation, and runtime stages
Windmill will automatically:
- Parse your gemfile block when you save the script
- Generate a Gemfile and Gemfile.lock
- Install dependencies in an isolated environment
- Cache dependencies for faster execution
Caching
Every gem dependency in Ruby is cached on disk by default. Furthermore if you use the Distributed cache storage, it will be available to every other worker, allowing fast startup for every worker.
What's next?
This script is a minimal working example, but there's a few more steps that can be useful in a real-world use case:
- Pass variables and secrets to a script.
- Connect to resources.
- Trigger that script in many ways.
- Compose scripts in Flows or Apps.
- You can share your scripts with the community on Windmill Hub. Once submitted, they will be verified by moderators before becoming available to everyone right within Windmill.
Scripts are immutable and there is a hash for each deployment of a given script. Scripts are never overwritten and referring to a script by path is referring to the latest deployed hash at that path.
For each script, a UI is autogenerated from the jsonschema inferred from the script signature, and can be customized further as standalone or embedded into rich UIs using the App builder.
In addition to the UI, sync and async webhooks are generated for each deployment.