Learning syntax of GitHub Workflow: Name, On, Jobs, Runs-on, Steps, Uses, Run
Here’s a detailed breakdown of the standard workflow syntax elements in GitHub Actions.
1. name
Specifies the name of the workflow. This name appears in the GitHub Actions interface under the repository's "Actions" tab.
Optional:
If omitted, GitHub will assign a default name based on the filename.
Example:
xxxxxxxxxx
11name Build and Test Workflow
2. on
Defines the events that trigger the workflow. These can be repository events like push
, pull_request
, scheduled intervals, or manual triggers.
Examples:
Trigger on a
push
event to themain
branch:xxxxxxxxxx
41on
2push
3branches
4main
Trigger on a pull request:
xxxxxxxxxx
41on
2pull_request
3branches
4main
Trigger on a schedule (uses cron syntax):
xxxxxxxxxx
31on
2schedule
3cron"0 0 " # Runs daily at midnight
Manual trigger:
xxxxxxxxxx
21on
2workflow_dispatch
3. jobs
Specifies the individual jobs to run in the workflow. Each job is a collection of steps that execute in a specified environment.
Example:
xxxxxxxxxx
61jobs
2 build
3 runs-on ubuntu-latest
4 steps
5name Checkout code
6 uses actions/checkout@v3
4. runs-on
Specifies the virtual environment (runner) where the job will execute.
Options:
ubuntu-latest
: Ubuntu Linuxwindows-latest
: Windowsmacos-latest
: macOSSelf-hosted runners for custom environments.
Example:
xxxxxxxxxx
31jobs
2 build
3 runs-on ubuntu-latest
5. steps
Defines the sequence of tasks (steps) within a job. Steps can run actions or custom shell commands.
Example:
xxxxxxxxxx
71steps
2name Checkout code
3 uses actions/checkout@v3
4name Install dependencies
5 run npm install
6name Run tests
7 run npm test
6. uses
Specifies a reusable action to execute within a step. Actions are prebuilt tasks defined by the GitHub community or your repository.
Structure:
owner/repository@version
Example:
xxxxxxxxxx
21name Checkout code
2 uses actions/checkout@v3
7. run
Specifies a shell command or script to execute within a step.
Example:
xxxxxxxxxx
61name Print a message
2 run echo "Hello, World!"
3name Run a script
4 run
5 npm install
6 npm test
Full Example Combining All Elements
xxxxxxxxxx
221name CI Workflow
2on
3 push
4 branches
5 main
6 pull_request
7 branches
8 main
9jobs
10 build
11 runs-on ubuntu-latest
12 steps
13name Checkout code
14 uses actions/checkout@v3
15name Set up Node.js
16 uses actions/setup-node@v3
17 with
18 node-version'16'
19name Install dependencies
20 run npm install
21name Run tests
22 run npm test
Summary
This workflow is triggered on pushes or pull requests to the main
branch. It runs on an Ubuntu environment, checks out the code, sets up Node.js, installs dependencies, and runs tests.
Leave a Reply