content
stringlengths
1
103k
path
stringlengths
8
216
filename
stringlengths
2
179
language
stringclasses
15 values
size_bytes
int64
2
189k
quality_score
float64
0.5
0.95
complexity
float64
0
1
documentation_ratio
float64
0
1
repository
stringclasses
5 values
stars
int64
0
1k
created_date
stringdate
2023-07-10 19:21:08
2025-07-09 19:11:45
license
stringclasses
4 values
is_test
bool
2 classes
file_hash
stringlengths
32
32
blank_issues_enabled: false\ncontact_links:\n - name: Ask a question\n url: https://github.com/firefly-iii/firefly-iii/discussions\n about: Please ask and answer questions here.\n
dataset_sample\yaml\firefly-iii_firefly-iii\.github\ISSUE_TEMPLATE\config.yml
config.yml
YAML
181
0.8
0
0
node-utils
138
2024-05-21T23:26:00.753770
MIT
false
9c92fbdb3a1b40da85514963c08c8154
name: Feature Request\ndescription: Request a feature or enhancement in Firefly III (or associated tools)\nbody:\n - type: checkboxes\n attributes:\n label: Support guidelines\n description: Please read the support guidelines before proceeding.\n options:\n - label: I've read the [support guidelines](https://github.com/firefly-iii/firefly-iii/blob/main/.github/support.md)\n required: true\n - label: My request is not listed as [a very good idea, but unfortunately...](https://docs.firefly-iii.org/explanation/more-information/what-its-not/)\n required: true\n - label: I've used [the search](https://github.com/firefly-iii/firefly-iii/issues?q=is%3Aissue) and this has not been requested before.\n required: true\n\n - type: textarea\n attributes:\n label: Description\n description: Please describe your feature request\n placeholder: |\n - I would like Firefly III to do (thing).\n - What if you would add feature (feature here)?\n - Firefly III doesn't do (thing).\n validations:\n required: true\n\n - type: textarea\n attributes:\n label: Solution\n description: Describe what your feature would add to Firefly III.\n validations:\n required: true\n\n - type: textarea\n attributes:\n label: What are alternatives?\n description: Please describe what alternatives currently exist.\n\n - type: textarea\n attributes:\n label: Additional context\n description: Add any other context or screenshots about the feature request here.\n
dataset_sample\yaml\firefly-iii_firefly-iii\.github\ISSUE_TEMPLATE\fr.yml
fr.yml
YAML
1,561
0.95
0.02381
0
python-kit
69
2024-05-11T22:45:40.601359
MIT
false
3a931142efe7fb6d4c574650067cca78
# This workflow prunes old workflow runs for an entire repository.\n\nname: "Chore - Prune old builds"\n\npermissions:\n actions: write\n\non:\n schedule:\n - cron: '0 1 * * *'\n workflow_dispatch:\njobs:\n prune:\n runs-on: ubuntu-latest\n timeout-minutes: 10\n steps:\n - name: Prune cancelled/skipped runs\n uses: actions/github-script@v7\n with:\n github-token: ${{ secrets.GITHUB_TOKEN }}\n script: |\n const cancelled = await github.rest.actions.listWorkflowRunsForRepo({\n owner: context.repo.owner,\n per_page: 100,\n repo: context.repo.repo,\n status: 'cancelled',\n });\n\n const skipped = await github.rest.actions.listWorkflowRunsForRepo({\n owner: context.repo.owner,\n per_page: 100,\n repo: context.repo.repo,\n status: 'skipped',\n });\n\n for (const response of [cancelled, skipped]) {\n for (const run of response.data.workflow_runs) {\n console.log(`Run id ${run.id} of '${run.name}' is a cancelled/skipped run. Deleting...`);\n await github.rest.actions.deleteWorkflowRun({\n owner: context.repo.owner,\n repo: context.repo.repo,\n run_id: run.id\n });\n }\n }\n\n - name: Prune runs older than 3 days\n uses: actions/github-script@v7\n with:\n github-token: ${{ secrets.GITHUB_TOKEN }}\n script: |\n const days_to_expiration = 3;\n const ms_in_day = 86400000;\n const now = Date.now();\n const pages = 5;\n\n // we don't want to prune old runs from test.yml\n // because we track the duration of runs over time\n\n const workflows = [\n 'cleanup.yml',\n 'close-duplicates.yml',\n 'closed-issues.yml',\n 'debug-info-actions.yml',\n 'depsreview.yml',\n 'label-actions.yml',\n 'lock.yml',\n 'release.yml',\n 'sonarcloud.yml',\n 'stale.yml'\n ]\n\n let runs_to_delete = [];\n\n for (const workflow of workflows) {\n for (let page = 0; page < pages; page += 1) {\n let response = await github.rest.actions.listWorkflowRuns({\n owner: context.repo.owner,\n page: page,\n per_page: 100,\n repo: context.repo.repo,\n workflow_id: workflow\n });\n\n if (response.data.workflow_runs.length > 0) {\n for (const run of response.data.workflow_runs) {\n if (now - Date.parse(run.created_at) > ms_in_day * days_to_expiration) {\n runs_to_delete.push([run.id, run.name]);\n }\n }\n }\n }\n }\n\n for (const run of runs_to_delete) {\n console.log(`Run id ${run[0]} of '${run[1]}' is older than ${days_to_expiration} days. Deleting...`);\n try {\n await github.rest.actions.deleteWorkflowRun({\n owner: context.repo.owner,\n repo: context.repo.repo,\n run_id: run[0]\n });\n } catch (error) {\n // ignore errors\n }\n }\n
dataset_sample\yaml\firefly-iii_firefly-iii\.github\workflows\cleanup.yml
cleanup.yml
YAML
3,485
0.8
0.103774
0.042553
node-utils
648
2023-12-11T05:31:49.772417
Apache-2.0
false
7d06e2c0e9a97ba7a01823e70367040a
name: "Issues - Command to close duplicate issues"\n\n# the workflow to execute on is comments that are newly created\non:\n issue_comment:\n types: [ created ]\n\npermissions:\n issues: write\n checks: read\n\njobs:\n close_duplicates:\n runs-on: ubuntu-latest\n steps:\n - uses: github/command@v2.0.0\n id: command\n with:\n allowed_contexts: "issue"\n command: ".duplicate"\n - name: reply\n if: ${{ steps.command.outputs.continue == 'true' }}\n run: |\n\n ISSUE_TITLE=$(gh issue view ${{ steps.command.outputs.params }} --json title --jq '.title')\n\n gh issue comment "$NUMBER" --body "Hi there!\n\n This is an automatic reply. \`Share and enjoy\`.\n\n Your issue is probably a duplicate of issue <span>#</span>${{ steps.command.outputs.params }}: [$ISSUE_TITLE](https://github.com/firefly-iii/firefly-iii/issues/${{ steps.command.outputs.params }}). Please refer to issue #${{ steps.command.outputs.params }} for support.\n\n You can close this issue now. If you believe this is not in fact a duplicate, please reply and let us know. Otherwise, this issue will be automatically closed in a few days time.\n\n Thank you for your contributions."\n env:\n GH_TOKEN: ${{ secrets.GITHUB_TOKEN }}\n GH_REPO: ${{ github.repository }}\n NUMBER: ${{ github.event.issue.number }}\n
dataset_sample\yaml\firefly-iii_firefly-iii\.github\workflows\close-duplicates.yml
close-duplicates.yml
YAML
1,395
0.8
0.076923
0.033333
react-lib
436
2024-03-18T19:53:31.270342
MIT
false
d8bf29487855f75b5c62172613e2914e
---\nname: Issues - Reply to closed issue\non:\n issues:\n types:\n - closed\njobs:\n command_and_close:\n runs-on: ubuntu-latest\n steps:\n - uses: aws-actions/closed-issue-message@v2\n with:\n message: |\n Hi there! This is an automatic reply. `Share and enjoy`\n\n This issue is now 🔒 closed. Please be aware that closed issues are not monitored by the developer of Firefly III.\n\n - If the original bug is not actually fixed, please open [a new issue](https://github.com/firefly-iii/firefly-iii/issues/new/choose). Refer to this issue for clarity.\n - Follow-up questions must be posted in a new [discussion](https://github.com/firefly-iii/firefly-iii/discussions/)\n - Further replies to this issue may get no response.\n\n If there is more to discuss, please open [a new issue](https://github.com/firefly-iii/firefly-iii/issues/new/choose) or [discussion](https://github.com/firefly-iii/firefly-iii/discussions/).\n\n Thank you for your contributions.\n repo-token: ${{ secrets.GITHUB_TOKEN }}\n
dataset_sample\yaml\firefly-iii_firefly-iii\.github\workflows\closed-issues.yml
closed-issues.yml
YAML
1,103
0.8
0.08
0
python-kit
666
2024-07-10T03:05:52.127768
GPL-3.0
false
79b15fd5a9a6fbb9f1063f4674ceb218
name: 'Issues - Respond to hidden commands'\n\n# the workflow to execute on is comments that are newly created\non:\n issues:\n types: [ opened, edited ]\n issue_comment:\n types: [ created ]\n\n# permissions needed for reacting to IssueOps commands on issues and PRs\npermissions:\n contents: read\n pull-requests: write\n issues: write\n checks: read\n\njobs:\n respond:\n runs-on: ubuntu-latest\n steps:\n - run: |\n ISSUE_BODY=$(gh issue view $NUMBER --json body)\n if [[ $ISSUE_BODY == *".eOxNZAmyGz6CXMyf"* ]]; then\n gh issue comment "$NUMBER" --body "$V2_ISSUE_REPLY_BODY"\n gh issue close "$NUMBER" --reason completed\n fi\n env:\n GH_TOKEN: ${{ secrets.GITHUB_TOKEN }}\n GH_REPO: ${{ github.repository }}\n NUMBER: ${{ github.event.issue.number }}\n V2_ISSUE_REPLY_BODY: ${{ secrets.V2_ISSUE_REPLY_BODY }}\n LABELS: v2-layout-issue\n
dataset_sample\yaml\firefly-iii_firefly-iii\.github\workflows\debug-info-actions.yml
debug-info-actions.yml
YAML
936
0.8
0.0625
0.068966
node-utils
990
2025-02-17T11:13:42.622527
Apache-2.0
false
fca882cc8c57a140939d0ed9dc07af16
name: 'Code - Dependency review'\non: [ pull_request ]\n\npermissions:\n contents: read\n\njobs:\n dependency-review:\n runs-on: ubuntu-latest\n steps:\n - name: 'Checkout repository'\n uses: actions/checkout@v4\n with:\n fetch-depth: 0\n - name: 'Dependency review'\n uses: actions/dependency-review-action@v4\n
dataset_sample\yaml\firefly-iii_firefly-iii\.github\workflows\depsreview.yml
depsreview.yml
YAML
344
0.7
0
0
react-lib
884
2025-02-07T19:20:26.202305
Apache-2.0
false
c829db1cb024b17358c63a4202d0ad7c
name: 'Issues - Reply to specific labels'\n\non:\n issues:\n types: [ labeled, unlabeled ]\n pull_request_target:\n types: [ labeled, unlabeled ]\n discussion:\n types: [ labeled, unlabeled ]\n\npermissions:\n contents: read\n issues: write\n pull-requests: write\n discussions: write\n\njobs:\n action:\n runs-on: ubuntu-latest\n steps:\n - uses: dessant/label-actions@v4\n
dataset_sample\yaml\firefly-iii_firefly-iii\.github\workflows\label-actions.yml
label-actions.yml
YAML
381
0.7
0
0
node-utils
971
2024-01-02T04:37:40.862448
Apache-2.0
false
dece5d68f4151f51203e724f5fcba2d6
name: 'Issues - Lock old issues'\n\non:\n workflow_dispatch:\n schedule:\n - cron: '0 2 * * *'\n\nconcurrency:\n group: lock-threads\n\npermissions:\n issues: write\n pull-requests: write\n discussions: write\n\njobs:\n lock:\n permissions:\n issues: write\n pull-requests: write\n discussions: write\n runs-on: ubuntu-latest\n steps:\n - uses: dessant/lock-threads@v5\n with:\n issue-inactive-days: 21\n pr-inactive-days: 21\n discussion-inactive-days: 21\n log-output: true\n
dataset_sample\yaml\firefly-iii_firefly-iii\.github\workflows\lock.yml
lock.yml
YAML
530
0.7
0
0
react-lib
724
2025-05-31T06:01:06.043167
GPL-3.0
false
d15af2be3b19ec4ce7ea2844e4a31757
name: 'Code - Create new release'\n\non:\n workflow_dispatch:\n inputs:\n version:\n description: 'Release "v1.2.3" or "develop" or "branch-abc"'\n required: true\n default: 'develop'\n phpversion:\n description: 'PHP version'\n required: true\n default: '8.4'\n schedule:\n - cron: '0 3 * * MON'\n\njobs:\n build:\n runs-on: ubuntu-latest\n steps:\n - name: Checkout\n uses: actions/checkout@v4\n with:\n fetch-depth: 0\n - name: Import GPG key\n uses: crazy-max/ghaction-import-gpg@v6\n with:\n gpg_private_key: ${{ secrets.GPG_PRIVATE_KEY }}\n passphrase: ${{ secrets.PASSPHRASE }}\n git_user_signingkey: true\n git_commit_gpgsign: true\n - name: Setup PHP\n uses: shivammathur/setup-php@v2\n with:\n php-version: ${{ github.event.inputs.phpversion }}\n extensions: mbstring, intl, zip, bcmath\n - name: Switch and pull\n run: |\n #\n # Always check out origin/develop, unless its a branch release.\n #\n BRANCH_TO_PULL=origin/develop\n if [[ "$version" == branch* ]]; then\n BRANCH_TO_PULL=origin/$version\n fi\n\n echo "Version is '$version', check out '$BRANCH_TO_PULL'-branch"\n\n git checkout --track $BRANCH_TO_PULL\n git pull\n echo "Current branch is $(git branch --show-current)"\n env:\n version: ${{ github.event_name == 'schedule' && 'develop' || github.event.inputs.version }}\n - name: Configure Git\n run: |\n # do some configuration\n sudo timedatectl set-timezone Europe/Amsterdam\n git config user.name JC5\n git config user.email release@firefly-iii.org\n git config advice.addIgnoredFile false\n git config push.autoSetupRemote true\n - name: Lint PHP\n run: |\n php_lint_file()\n {\n local php_file="$1"\n php -l "$php_file" &> /dev/null\n if [ "$?" -ne 0 ]\n then\n echo -e "[FAIL] $php_file"\n return 1\n fi\n }\n\n export -f php_lint_file\n\n find . -path ./vendor -prune -o -name '*.php' | parallel -j 4 php_lint_file {}\n\n if [ "$?" -ne 0 ]\n then\n exit 1\n fi\n - name: Crowdin action\n uses: crowdin/github-action@v2\n with:\n upload_sources: true\n download_translations: true\n push_translations: false\n push_sources: false\n env:\n GITHUB_TOKEN: ${{ github.token }}\n CROWDIN_PROJECT_NR: ${{ secrets.CROWDIN_PROJECT_NR }}\n CROWDIN_TOKEN: ${{ secrets.CROWDIN_TOKEN }}\n - name: Cleanup changelog\n id: cleanup-changelog\n uses: JC5/firefly-iii-dev@main\n with:\n action: 'ff3:changelog'\n output: ''\n env:\n FIREFLY_III_ROOT: /github/workspace\n GH_TOKEN: ${{ secrets.CHANGELOG_TOKEN }}\n - name: "Create THANKS.md"\n id: thank-you\n uses: JC5/firefly-iii-dev@main\n with:\n action: 'ff3:thank-you'\n output: ''\n env:\n FIREFLY_III_ROOT: /github/workspace\n GH_TOKEN: ''\n - name: Replace version\n id: replace-version\n uses: JC5/firefly-iii-dev@main\n with:\n action: 'ff3:version'\n output: ''\n env:\n FIREFLY_III_ROOT: /github/workspace\n GH_TOKEN: ""\n FF_III_VERSION: ${{ github.event_name == 'schedule' && 'develop' || github.event.inputs.version }}\n - name: Generate JSON v1\n id: json-v1\n uses: JC5/firefly-iii-dev@main\n with:\n action: 'ff3:json-translations v1'\n output: ''\n env:\n FIREFLY_III_ROOT: /github/workspace\n GH_TOKEN: ''\n - name: Generate JSON v2\n id: json-v2\n uses: JC5/firefly-iii-dev@main\n with:\n action: 'ff3:json-translations v2'\n output: ''\n env:\n FIREFLY_III_ROOT: /github/workspace\n GH_TOKEN: ''\n - name: Code cleanup\n id: code-cleanup\n uses: JC5/firefly-iii-dev@main\n with:\n action: 'ff3:code'\n output: ''\n env:\n FIREFLY_III_ROOT: /github/workspace\n GH_TOKEN: ''\n - name: Build JS\n run: |\n npm install\n npm run prod --workspace=v1\n npm run build --workspace=v2\n npm update\n - name: Run CI\n run: |\n rm -rf vendor composer.lock\n composer update --no-dev --no-scripts --no-plugins -q\n sudo chown -R runner:docker resources/lang\n .ci/phpcs.sh || true\n - name: Calculate variables\n run: |\n\n # set some variables\n releaseName=$version\n originalName=$version\n zipName=FireflyIII-$version.zip\n tarName=FireflyIII-$version.tar.gz\n\n # if this is a develop build, slightly different variable names.\n if [[ "develop" == "$version" ]]; then\n #[[ -z $(git status --untracked-files=normal --porcelain) ]] && echo "this branch is clean, no need to push..." && exit 0;\n releaseName=$version-$(date +'%Y%m%d')\n originalName=$releaseName\n zipName=FireflyIII-develop.zip\n tarName=FireflyIII-develop.tar.gz\n fi\n\n # if this is a branch build, also slightly different variable names.\n if [[ "$version" == branch* ]]; then\n #[[ -z $(git status --untracked-files=normal --porcelain) ]] && echo "this branch is clean, no need to push..." && exit 0;\n # branch builds overrule develop\n releaseName=$version-$(date +'%Y%m%d')\n originalName=$releaseName\n zipName=FireflyIII-$version.zip\n tarName=FireflyIII-$version.tar.gz\n fi\n\n # in both cases, if the release or tag already exists, add ".1" until it no longer exists.\n tagFound=true\n tagCount=1\n while [ "$tagFound" = true ]\n do\n if [ $(git tag -l "$releaseName") ]; then\n echo "Tag $releaseName exists already."\n releaseName="$originalName"."$tagCount"\n echo "Tag for release is now $releaseName"\n tagCount=$((tagCount+1))\n else\n echo "Tag $releaseName does not exist, can continue"\n tagFound=false\n fi\n done\n\n # set some variables\n echo "Release name is $releaseName."\n echo "Original name is $originalName."\n echo "Zip name is $zipName."\n echo "Tar name is $tarName."\n\n # create a new branch to store the difference in.\n BRANCH_NAME=release-$(date +'%s')\n git checkout -b $BRANCH_NAME\n\n echo "Temporary branch name is '$BRANCH_NAME'."\n\n # share variables with next step.\n echo "releaseName=$releaseName" >> "$GITHUB_ENV"\n echo "originalName=$originalName" >> "$GITHUB_ENV"\n echo "zipName=$zipName" >> "$GITHUB_ENV"\n echo "tarName=$tarName" >> "$GITHUB_ENV"\n echo "BRANCH_NAME=$BRANCH_NAME" >> "$GITHUB_ENV"\n env:\n version: ${{ github.event_name == 'schedule' && 'develop' || github.event.inputs.version }}\n - name: Commit all changes\n run: |\n # add all content, except output.txt (this contains the changelog and/or the download instructions)\n echo 'Add all'\n git add -A\n # push to a new branch.\n echo "Auto commit on branch '$(git branch --show-current)'."\n git commit -m "🤖 Auto commit for release '$version' on $(date +'%Y-%m-%d')" || true\n git push\n env:\n version: ${{ github.event_name == 'schedule' && 'develop' || github.event.inputs.version }}\n - name: Extract changelog\n id: extract-changelog\n uses: JC5/firefly-iii-dev@main\n with:\n action: 'ff3:extract-changelog'\n output: 'output'\n env:\n FIREFLY_III_ROOT: /github/workspace\n GH_TOKEN: ""\n - name: Describe new release\n run: |\n\n # describe the development release.\n if [[ "develop" == "$version" ]]; then\n echo 'Describe the latest develop release'\n rm -f output.txt\n touch output.txt\n sudo chown -R runner:docker output.txt\n echo "Weekly development release of Firefly III with the latest fixes, translations and features. Docker users can find this release under the \`develop\` tag." >> output.txt\n echo "" >> output.txt\n echo "This release was created on **$(date +'%Y-%m-%d %H:%M')** and may contain unexpected bugs. Data loss is rare but is not impossible. The releases are signed, and you can verify them using the [Firefly III releases PGP key](https://docs.firefly-iii.org/explanation/more-information/signatures/)." >> output.txt\n echo "" >> output.txt\n echo "* Please read the installation instructions for [Docker](https://docs.firefly-iii.org/how-to/firefly-iii/installation/docker/), [Portainer](https://docs.firefly-iii.org/how-to/firefly-iii/installation/portainer/), [Kubernetes](https://docs.firefly-iii.org/how-to/firefly-iii/installation/kubernetes/) or [self-managed servers](https://docs.firefly-iii.org/how-to/firefly-iii/installation/self-managed/)" >> output.txt\n echo "* Or read the upgrade instructions for [Docker](https://docs.firefly-iii.org/how-to/firefly-iii/upgrade/docker/), [Kubernetes](https://docs.firefly-iii.org/how-to/firefly-iii/upgrade/kubernetes/) or [self-managed servers](https://docs.firefly-iii.org/how-to/firefly-iii/upgrade/self-managed/)" >> output.txt\n echo "" >> output.txt\n echo ":warning: Please be careful with this pre-release, as it may not work as expected." >> output.txt\n fi\n # describe a branch release\n if [[ "$version" == branch* ]]; then\n echo 'Describe a branch release'\n rm -f output.txt\n touch output.txt\n sudo chown -R runner:docker output.txt\n echo "Irregular BRANCH release of Firefly III. This release contains specific features or changes. Docker users can find this release under the \`$version\` tag." >> output.txt\n echo "" >> output.txt\n echo "This release was created on **$(date +'%Y-%m-%d %H:%M')** and may contain unexpected bugs. Data loss is rare but is not impossible. The releases are signed, and you can verify them using the [Firefly III releases PGP key](https://docs.firefly-iii.org/explanation/more-information/signatures/)." >> output.txt\n echo "" >> output.txt\n echo "* Please read the installation instructions for [Docker](https://docs.firefly-iii.org/how-to/firefly-iii/installation/docker/), [Portainer](https://docs.firefly-iii.org/how-to/firefly-iii/installation/portainer/), [Kubernetes](https://docs.firefly-iii.org/how-to/firefly-iii/installation/kubernetes/) or [self-managed servers](https://docs.firefly-iii.org/how-to/firefly-iii/installation/self-managed/)" >> output.txt\n echo "* Or read the upgrade instructions for [Docker](https://docs.firefly-iii.org/how-to/firefly-iii/upgrade/docker/), [Kubernetes](https://docs.firefly-iii.org/how-to/firefly-iii/upgrade/kubernetes/) or [self-managed servers](https://docs.firefly-iii.org/how-to/firefly-iii/upgrade/self-managed/)" >> output.txt\n echo "" >> output.txt\n echo ":warning: Please be careful with this branch pre-release, as it may not work as expected." >> output.txt\n fi\n # describe the main release\n if [[ "develop" != "$version" ]] && [[ "$version" != branch* ]] && [[ "$version" != *alpha* ]] && [[ "$version" != *beta* ]]; then\n echo 'Describe the latest release'\n sudo chown -R runner:docker output.txt\n touch output.txt\n echo '' >> output.txt\n echo "Welcome to release $version of Firefly III. It contains the the latest fixes, translations and features. Docker users can find this release under the \`latest\` tag." >> output.txt\n echo '' >> output.txt\n echo '### Instructions' >> output.txt\n echo '' >> output.txt\n echo "* Installation instructions for [Docker](https://docs.firefly-iii.org/how-to/firefly-iii/installation/docker/), [Portainer](https://docs.firefly-iii.org/how-to/firefly-iii/installation/portainer/), [Kubernetes](https://docs.firefly-iii.org/how-to/firefly-iii/installation/kubernetes/) or [self-managed servers](https://docs.firefly-iii.org/how-to/firefly-iii/installation/self-managed/)" >> output.txt\n echo "* Or read the upgrade instructions for [Docker](https://docs.firefly-iii.org/how-to/firefly-iii/upgrade/docker/), [Kubernetes](https://docs.firefly-iii.org/how-to/firefly-iii/upgrade/kubernetes/) or [self-managed servers](https://docs.firefly-iii.org/how-to/firefly-iii/upgrade/self-managed/)" >> output.txt\n echo "* The releases are signed, and you can verify them using the [Firefly III releases PGP key](https://docs.firefly-iii.org/explanation/more-information/signatures/)." >> output.txt\n\n fi\n\n # describe alpha release\n if [[ "$version" == *alpha* ]]; then\n echo 'Describe an ALPHA release'\n rm -f output.txt\n touch output.txt\n sudo chown -R runner:docker output.txt\n echo "Very early ALPHA release of Firefly III. This release contains specific features or changes. Docker users can find this release under the \`$version\` tag." >> output.txt\n echo '' >> output.txt\n echo "This release was created on **$(date +'%Y-%m-%d %H:%M')** and may contain unexpected bugs. Data loss is rare but is not impossible. The releases are signed, and you can verify them using the [Firefly III releases PGP key](https://docs.firefly-iii.org/explanation/more-information/signatures/)." >> output.txt\n echo '' >> output.txt\n echo '### Instructions' >> output.txt\n echo '' >> output.txt\n echo "* Installation instructions for [Docker](https://docs.firefly-iii.org/how-to/firefly-iii/installation/docker/), [Portainer](https://docs.firefly-iii.org/how-to/firefly-iii/installation/portainer/), [Kubernetes](https://docs.firefly-iii.org/how-to/firefly-iii/installation/kubernetes/) or [self-managed servers](https://docs.firefly-iii.org/how-to/firefly-iii/installation/self-managed/)" >> output.txt\n echo "* Or read the upgrade instructions for [Docker](https://docs.firefly-iii.org/how-to/firefly-iii/upgrade/docker/), [Kubernetes](https://docs.firefly-iii.org/how-to/firefly-iii/upgrade/kubernetes/) or [self-managed servers](https://docs.firefly-iii.org/how-to/firefly-iii/upgrade/self-managed/)" >> output.txt\n echo "* The releases are signed, and you can verify them using the [Firefly III releases PGP key](https://docs.firefly-iii.org/explanation/more-information/signatures/)." >> output.txt\n\n fi\n\n # describe beta release\n if [[ "$version" == *beta* ]]; then\n echo 'Describe a BETA release'\n rm -f output.txt\n touch output.txt\n sudo chown -R runner:docker output.txt\n echo "Very early BETA release of Firefly III. This release contains specific features or changes. Docker users can find this release under the \`$version\` tag." >> output.txt\n echo '' >> output.txt\n echo "This release was created on **$(date +'%Y-%m-%d %H:%M')** and may contain unexpected bugs. Data loss is rare but is not impossible. The releases are signed, and you can verify them using the [Firefly III releases PGP key](https://docs.firefly-iii.org/explanation/more-information/signatures/)." >> output.txt\n echo '' >> output.txt\n echo '### Instructions' >> output.txt\n echo '' >> output.txt\n echo "* Installation instructions for [Docker](https://docs.firefly-iii.org/how-to/firefly-iii/installation/docker/), [Portainer](https://docs.firefly-iii.org/how-to/firefly-iii/installation/portainer/), [Kubernetes](https://docs.firefly-iii.org/how-to/firefly-iii/installation/kubernetes/) or [self-managed servers](https://docs.firefly-iii.org/how-to/firefly-iii/installation/self-managed/)" >> output.txt\n echo "* Or read the upgrade instructions for [Docker](https://docs.firefly-iii.org/how-to/firefly-iii/upgrade/docker/), [Kubernetes](https://docs.firefly-iii.org/how-to/firefly-iii/upgrade/kubernetes/) or [self-managed servers](https://docs.firefly-iii.org/how-to/firefly-iii/upgrade/self-managed/)" >> output.txt\n echo "* The releases are signed, and you can verify them using the [Firefly III releases PGP key](https://docs.firefly-iii.org/explanation/more-information/signatures/)." >> output.txt\n\n fi\n env:\n version: ${{ github.event_name == 'schedule' && 'develop' || github.event.inputs.version }}\n - name: Merge all into working branch\n run: |\n MERGE_INTO=develop\n if [[ "$version" == branch* ]]; then\n MERGE_INTO=$version\n fi\n\n echo "Merge all changes from $BRANCH_NAME back into '$MERGE_INTO' using a PR"\n PR_URL=$(gh pr create -B $MERGE_INTO -H $BRANCH_NAME --title "🤖 Automatic PR to merge all changes into the '$MERGE_INTO' branch." --body '🤖 Created by GitHub action')\n echo "PR URL is '$PR_URL'"\n IFS='/' read -ra parts <<< "$PR_URL"\n PR_NR=$(printf %s\\n "${parts[@]:(-1)}")\n echo "PR number is '$PR_NR'"\n gh pr merge $PR_NR -b "🤖 Automatically merge the PR into the $MERGE_INTO branch." -d --merge\n\n # pull the changes from the $MERGE_INTO branch.\n git checkout $MERGE_INTO\n git merge origin/$MERGE_INTO\n git pull\n git status\n echo "Current branch '$(git branch --show-current)'."\n\n if [[ "develop" != "$version" ]] && [[ "$version" != branch* ]]; then\n git checkout main\n git merge origin/main\n git pull\n git status\n\n echo "Also merge everything into main since this is a release."\n echo 'create PR'\n PR_URL=$(gh pr create -B main -H develop --title "🤖 Automatic PR to merge all changes into the main branch." --body "🤖 Created by GitHub action")\n echo "PR URL is '$PR_URL'"\n\n IFS='/' read -ra parts <<< "$PR_URL"\n PR_NR=$(printf %s\\n "${parts[@]:(-1)}")\n echo "PR number is '$PR_NR'"\n\n echo 'Merge PR'\n gh pr merge $PR_NR -b "🤖 Automatically merge the PR into the main branch." --merge\n git checkout main\n git merge origin/main\n git pull\n git status\n echo "Current branch '$(git branch --show-current)'."\n\n fi\n echo "DONE!"\n env:\n GH_TOKEN: ${{ github.token }}\n version: ${{ github.event_name == 'schedule' && 'develop' || github.event.inputs.version }}\n - name: Create archives\n run: |\n echo "Create zip file $zipName"\n zip -rq $zipName . -x "*.git*" "*.ci*" "*.github*" "*node_modules*" "*output.txt*" "*Procfile*" "*crowdin.yml*" "*sonar-project.properties*"\n touch $tarName\n\n echo "Create tar file $tarName"\n tar --exclude=$tarName --exclude=$zipName --exclude='./.git' --exclude='./.ci' --exclude='./.github' --exclude='./node_modules' --exclude='./output.txt' --exclude='./Procfile' --exclude='../crowdin.yml' --exclude='./sonar-project.properties' -czf $tarName .\n # add sha256 sum\n echo 'Sha sum ...'\n sha256sum -b $zipName > $zipName.sha256\n sha256sum -b $tarName > $tarName.sha256\n\n # add signatures:\n gpg --armor --detach-sign $zipName\n gpg --armor --detach-sign $tarName\n - name: Create release\n run: |\n\n # create a development release:\n if [[ "develop" == "$version" ]]; then\n # pull the changes from the develop branch.\n git checkout develop\n git merge origin/develop\n git pull\n\n # create the release:\n echo "Create develop release under tag '$releaseName'."\n git tag -a $releaseName -m "🤖 Development release '$version' on $(date +'%Y-%m-%d')"\n git push origin $releaseName\n\n gh release create $releaseName -p --verify-tag \\n -t "Development release for $(date +'%Y-%m-%d')" \\n --latest=false \\n -F output.txt\n\n fi\n\n # create a branch release:\n if [[ "$version" == branch* ]]; then\n\n # pull the changes from the branch-* branch.\n git checkout $version\n git merge origin/$version\n git pull\n\n # create the release:\n echo "Create branch release."\n git tag -a $releaseName -m "Branch release '$version' on $(date +'%Y-%m-%d')"\n git push origin $releaseName\n\n gh release create $releaseName -p --verify-tag \\n -t "Branch release for $(date +'%Y-%m-%d')" \\n --latest=false \\n -F output.txt\n\n fi\n\n # Create a production release.\n if [[ "develop" != "$version" ]] && [[ "$version" != branch* ]]; then\n git checkout main\n git merge origin/main\n git pull\n git status\n\n echo "Create prod release."\n git tag -a $releaseName -m "Release $version"\n git push origin $releaseName\n\n # do not tag as latest when alpha or beta.\n if [[ "$version" == *alpha* ]] || [[ "$version" == *beta* ]]; then\n echo 'Mark alpha or beta as NOT the latest.'\n gh release create $releaseName -F output.txt -t "$releaseName" --verify-tag --latest=false\n fi\n\n # tag as latest when NOT alpha or beta.\n if [[ "$version" != *alpha* ]] && [[ "$version" != *beta* ]]; then\n echo 'Mark prod as the latest.'\n gh release create $releaseName -F output.txt -t "$releaseName" --verify-tag --latest=true\n fi\n fi\n env:\n GH_TOKEN: ${{ github.token }}\n version: ${{ github.event_name == 'schedule' && 'develop' || github.event.inputs.version }}\n - name: Upload artifacts\n run: |\n # add zip file to release.\n gh release upload $releaseName $zipName\n gh release upload $releaseName $tarName\n\n # add sha256 sum to release\n gh release upload $releaseName $zipName.sha256\n gh release upload $releaseName $tarName.sha256\n\n # add signatures to release\n gh release upload $releaseName $zipName.asc\n gh release upload $releaseName $tarName.asc\n\n # get current HEAD and add as file to the release\n HEAD=$(git rev-parse HEAD)\n echo $HEAD > HEAD.txt\n gh release upload $releaseName HEAD.txt\n\n # remove all temporary files\n rm -f output.txt\n rm -f HEAD.txt\n rm -f $zipName\n rm -f $zipName.sha256\n rm -f $tarName\n rm -f $tarName.sha256\n env:\n GH_TOKEN: ${{ github.token }}\n version: ${{ github.event_name == 'schedule' && 'develop' || github.event.inputs.version }}\n
dataset_sample\yaml\firefly-iii_firefly-iii\.github\workflows\release.yml
release.yml
YAML
23,738
0.95
0.073022
0.085202
vue-tools
453
2024-01-22T23:33:01.290859
BSD-3-Clause
false
c694c71936db8c1a778a1bec57ee42e1
name: 'Code - Run Sonarcloud'\non:\n pull_request:\n workflow_dispatch:\n push:\n branches:\n - main\n - develop\nenv:\n DB_CONNECTION: sqlite\n APP_KEY: TestTestTestTestTestTestTestTest\njobs:\n sonarcloud:\n name: SonarCloud\n runs-on: ubuntu-latest\n steps:\n - name: Checkout\n uses: actions/checkout@v4\n - name: Setup PHP with Xdebug\n uses: shivammathur/setup-php@v2\n with:\n php-version: '8.4'\n coverage: xdebug\n extensions: >-\n bcmath\n curl\n fileinfo\n iconv\n intl\n json\n sqlite3\n mbstring\n openssl\n pdo\n session\n simplexml\n sodium\n tokenizer\n xml\n xmlwriter\n\n - name: Copy standard configuration\n run: cp .env.testing .env\n\n - name: Install Composer dependencies\n run: composer install --prefer-dist --no-interaction --no-progress --no-scripts\n\n - name: "Create database file"\n run: |\n touch storage/database/database.sqlite\n wget -q https://github.com/firefly-iii/test-fixtures/raw/refs/heads/main/test-database.sqlite -O storage/database/database.sqlite\n\n - name: "Upgrades the database to the latest version"\n run: php artisan firefly-iii:upgrade-database\n\n - name: "Integrity Database Report"\n run: php artisan firefly-iii:report-integrity\n\n - name: "Run tests with coverage"\n run: composer coverage\n\n - name: Fix code coverage paths\n run: sed -i 's@'$GITHUB_WORKSPACE'@/github/workspace/@g' coverage.xml\n\n - name: SonarCloud Scan\n uses: SonarSource/sonarcloud-github-action@master\n env:\n GITHUB_TOKEN: ${{ secrets.GH_ACTIONS_PERSONAL_ACCESS_TOKEN }}\n SONAR_TOKEN: ${{ secrets.SONAR_TOKEN }}\n
dataset_sample\yaml\firefly-iii_firefly-iii\.github\workflows\sonarcloud.yml
sonarcloud.yml
YAML
1,886
0.8
0
0
vue-tools
685
2023-09-17T08:04:23.587765
GPL-3.0
false
97fb3d72fbbc50a49b2f8aced72a6ab2
name: "Issues - Mark and close stale issues"\non:\n schedule:\n - cron: "0 4 * * *"\n workflow_dispatch:\n\npermissions:\n contents: read\n\njobs:\n stale:\n permissions:\n issues: write # for actions/stale to close stale issues\n pull-requests: write # for actions/stale to close stale PRs\n actions: write\n runs-on: ubuntu-latest\n steps:\n - uses: actions/stale@v9\n with:\n repo-token: ${{ secrets.GITHUB_TOKEN }}\n stale-issue-message: |\n Hi there!\n\n This is an automatic reply. `Share and enjoy`\n\n This issue has been automatically marked as stale because it has not had recent activity. It will be closed if no further activity occurs.\n\n Thank you for your contributions.\n stale-pr-message: |\n Hi there!\n\n This is an automatic reply. `Share and enjoy`\n\n This PR has been automatically marked as stale because it has not had recent activity. It will be closed if no further activity occurs.\n\n Thank you for your contributions.\n days-before-stale: 14\n days-before-close: 7\n exempt-all-milestones: true\n exempt-issue-labels: 'triage'\n
dataset_sample\yaml\firefly-iii_firefly-iii\.github\workflows\stale.yml
stale.yml
YAML
1,215
0.8
0.15
0
node-utils
906
2024-03-19T09:00:20.107379
MIT
false
3e9d292bd3f8f70c6f6682a3f318e6ec
env:\n CIRRUS_CLONE_DEPTH: 100\n CI: 1\n\nlinux_task:\n matrix:\n - name: alpine\n container: &step\n image: ghcr.io/krobelus/fish-ci/alpine:latest\n memory: 4GB\n - name: jammy\n container:\n <<: *step\n image: ghcr.io/krobelus/fish-ci/jammy:latest\n # - name: jammy-asan\n # container:\n # <<: *step\n # image: ghcr.io/krobelus/fish-ci/jammy-asan:latest\n # - name: focal-32bit\n # container:\n # <<: *step\n # image: ghcr.io/krobelus/fish-ci/focal-32bit:latest\n tests_script:\n # cirrus at times gives us 32 procs and 2 GB of RAM\n # Unrestriced parallelism results in OOM\n - lscpu || true\n - (cat /proc/meminfo | grep MemTotal) || true\n - mkdir build && cd build\n - cmake -G Ninja -DCMAKE_BUILD_TYPE=Debug -DCTEST_PARALLEL_LEVEL=6 ..\n - ninja -j 6 fish\n - ninja fish_run_tests\n only_if: $CIRRUS_REPO_OWNER == 'fish-shell'\n\nlinux_arm_task:\n matrix:\n - name: focal-arm64\n arm_container:\n image: ghcr.io/fish-shell/fish-ci/focal-arm64\n - name: jammy-armv7-32bit\n arm_container:\n image: ghcr.io/fish-shell/fish-ci/jammy-armv7-32bit\n tests_script:\n # cirrus at times gives us 32 procs and 2 GB of RAM\n # Unrestriced parallelism results in OOM\n - lscpu || true\n - (cat /proc/meminfo | grep MemTotal) || true\n - mkdir build && cd build\n - cmake -G Ninja -DCMAKE_BUILD_TYPE=Debug -DCTEST_PARALLEL_LEVEL=6 ..\n - ninja -j 6 fish\n - file ./fish\n - ninja fish_run_tests\n # CI task disabled during RIIR transition\n only_if: false && $CIRRUS_REPO_OWNER == 'fish-shell'\n\nfreebsd_task:\n matrix:\n # - name: FreeBSD 14\n # freebsd_instance:\n # image_family: freebsd-14-0-snap\n - name: FreeBSD 13\n freebsd_instance:\n image: freebsd-13-2-release-amd64\n # - name: FreeBSD 12.3\n # freebsd_instance:\n # image: freebsd-12-3-release-amd64\n tests_script:\n - pkg install -y cmake-core devel/pcre2 devel/ninja misc/py-pexpect git-lite terminfo-db\n # libclang.so is a required build dependency for rust-c++ ffi bridge\n - pkg install -y llvm\n # BSDs have the following behavior: root may open or access files even if\n # the mode bits would otherwise disallow it. For example root may open()\n # a file with write privileges even if the file has mode 400. This breaks\n # our tests for e.g. cd and path. So create a new unprivileged user to run tests.\n - pw user add -n fish-user -s /bin/csh -d /home/fish-user\n - mkdir -p /home/fish-user\n - chown -R fish-user /home/fish-user\n - mkdir build && cd build\n - chown -R fish-user ..\n - sudo -u fish-user -s whoami\n # FreeBSD's pkg currently has rust 1.66.0 while we need rust 1.70.0+. Use rustup to install\n # the latest, but note that it only installs rust per-user.\n - sudo -u fish-user -s fetch -qo - https://sh.rustup.rs > rustup.sh\n - sudo -u fish-user -s sh ./rustup.sh -y --profile=minimal\n # `sudo -s ...` does not invoke a login shell so we need a workaround to make sure the\n # rustup environment is configured for subsequent `sudo -s ...` commands.\n # For some reason, this doesn't do the job:\n # - sudo -u fish-user sh -c 'echo source \$HOME/.cargo/env >> $HOME/.cshrc'\n - sudo -u fish-user -s cmake -G Ninja -DCMAKE_BUILD_TYPE=Debug -DCTEST_PARALLEL_LEVEL=1 ..\n - sudo -u fish-user sh -c '. $HOME/.cargo/env; ninja -j 6 fish'\n - sudo -u fish-user sh -c '. $HOME/.cargo/env; ninja fish_run_tests'\n only_if: $CIRRUS_REPO_OWNER == 'fish-shell'\n
dataset_sample\yaml\fish-shell_fish-shell\.cirrus.yml
.cirrus.yml
YAML
3,883
0.95
0.065934
0.340909
awesome-app
302
2024-12-07T04:05:29.940416
BSD-3-Clause
false
edebabb1b07946cbc6fc9c1ee65c996a
image: alpine/edge\npackages:\n - cargo\n - clang17-libclang\n - cmake\n - ninja\n - pcre2-dev\n - py3-pexpect\n - python3\n - rust\n - tmux\nsources:\n - https://github.com/fish-shell/fish-shell\ntasks:\n - build: |\n cd fish-shell\n mkdir build\n cd build\n cmake -G Ninja .. \\n -DCMAKE_INSTALL_PREFIX=/usr \\n -DCMAKE_INSTALL_DATADIR=share \\n -DCMAKE_INSTALL_DOCDIR=share/doc/fish \\n -DCMAKE_INSTALL_SYSCONFDIR=/etc\n ninja\n - test: |\n cd fish-shell/build\n ninja test\n
dataset_sample\yaml\fish-shell_fish-shell\.builds\alpine.yml
alpine.yml
YAML
570
0.8
0
0
awesome-app
27
2023-07-12T12:10:25.130136
GPL-3.0
false
7a8eae40b13b3b8fd73ef4221fe6a8da
image: archlinux\npackages:\n - cmake\n - ninja\n - python\n - python-pexpect\n - tmux\nsources:\n - https://git.sr.ht/~faho/fish\ntasks:\n - build: |\n cd fish\n mkdir build || :\n cd build\n cmake -G Ninja .. \\n -DCMAKE_INSTALL_PREFIX=/usr \\n -DCMAKE_INSTALL_DATADIR=share \\n -DCMAKE_INSTALL_DOCDIR=share/doc/fish \\n -DCMAKE_INSTALL_SYSCONFDIR=/etc\n ninja\n - test: |\n cd fish/build\n ninja test\n
dataset_sample\yaml\fish-shell_fish-shell\.builds\arch.yml
arch.yml
YAML
489
0.8
0
0
react-lib
626
2024-11-01T12:53:39.592017
BSD-3-Clause
false
9f5e2d7a731b981695969c001506bcc3
image: freebsd/latest\npackages:\n - cmake\n - gcc\n - gettext\n - gmake\n - llvm\n - terminfo-db\n - ninja\n - pcre2\n - py311-pexpect\n - python\n - rust\n - tmux\nsources:\n - https://github.com/fish-shell/fish-shell\ntasks:\n - build: |\n cd fish-shell\n mkdir build\n cd build\n cmake -GNinja .. \\n -DCMAKE_INSTALL_PREFIX=/usr \\n -DCMAKE_INSTALL_DATADIR=share \\n -DCMAKE_INSTALL_DOCDIR=share/doc/fish \\n -DCMAKE_INSTALL_SYSCONFDIR=/etc\n ninja\n - test: |\n cd fish-shell/build\n ninja test\n
dataset_sample\yaml\fish-shell_fish-shell\.builds\freebsd.yml
freebsd.yml
YAML
593
0.8
0
0
react-lib
464
2024-08-03T09:33:50.161644
BSD-3-Clause
false
57f3b05eed616f67cfbd009310d4d49f
name: Auto-Label PRs\n\non:\n pull_request_target:\n types: [opened, synchronize]\n\njobs:\n label-and-milestone:\n runs-on: ubuntu-latest\n steps:\n # - name: Checkout repository\n # uses: actions/checkout@v2\n\n - name: Set label and milestone\n id: set-label-milestone\n uses: actions/github-script@v7\n with:\n script: |\n const completionsLabel = 'completions';\n const completionsMilestone = 'fish next-3.x';\n\n // Get changed files in the pull request\n const prNumber = context.payload.pull_request.number;\n const { data: files } = await github.rest.pulls.listFiles({\n owner: context.repo.owner,\n repo: context.repo.repo,\n pull_number: prNumber,\n });\n\n // Check if any file matches /share/completions/*.fish and no change is outside of /share/\n const completionsRegex = new RegExp('^share/completions/.*\.fish');\n const isCompletions = files.some(file => completionsRegex.test(file.filename))\n && files.every(file => file.filename.startsWith('share/'));\n\n if (isCompletions) {\n // Add label to PR\n await github.rest.issues.addLabels({\n owner: context.repo.owner,\n repo: context.repo.repo,\n issue_number: prNumber,\n labels: [completionsLabel],\n });\n console.log(`PR ${prNumber} assigned label "${completionsLabel}"`);\n\n // Get the list of milestones\n const { data: milestones } = await github.rest.issues.listMilestones({\n owner: context.repo.owner,\n repo: context.repo.repo,\n });\n\n // Find the milestone id\n const milestone = milestones.find(milestone => milestone.title === completionsMilestone);\n\n if (milestone) {\n // Set the milestone for the PR\n await github.rest.issues.update({\n owner: context.repo.owner,\n repo: context.repo.repo,\n issue_number: prNumber,\n milestone: milestone.number\n });\n console.log(`PR ${prNumber} assigned milestone "${completionsMilestone}"`);\n } else {\n console.error(`Milestone "${completionsMilestone}" not found`);\n }\n }\n
dataset_sample\yaml\fish-shell_fish-shell\.github\workflows\autolabel_prs.yml
autolabel_prs.yml
YAML
2,365
0.8
0.060606
0.140351
react-lib
604
2023-11-24T14:28:36.427492
Apache-2.0
false
e404f3a9d5c20ba1aa5c2158dd953e6c
name: 'Lock threads'\n\non:\n schedule:\n - cron: '0 18 * * 1'\n# │ │ │ │ │\n# min 0-59 ┘ │ │ │ └ weekday 0-6\n# hour 0-23 ┘ │ └ month 1-12\n# └ day 1-31\npermissions:\n contents: read\n\njobs:\n lock:\n permissions:\n issues: write # for dessant/lock-threads to lock issues\n pull-requests: write # for dessant/lock-threads to lock PRs\n runs-on: ubuntu-latest\n steps:\n - uses: dessant/lock-threads@v4\n with:\n github-token: ${{ github.token }}\n issue-inactive-days: '365'\n pr-inactive-days: '365'\n exclude-any-issue-labels: 'question, needs more info'\n
dataset_sample\yaml\fish-shell_fish-shell\.github\workflows\lockthreads.yml
lockthreads.yml
YAML
674
0.8
0.08
0.173913
react-lib
985
2024-06-13T13:58:36.621388
Apache-2.0
false
94024b1182da971429c0a0cc1f5ce188
name: macOS build and codesign\n\non:\n workflow_dispatch: # Enables manual trigger from GitHub UI\n\njobs:\n build-and-code-sign:\n runs-on: macos-latest\n environment: macos-codesign\n steps:\n - uses: actions/checkout@v4\n - name: Install Rust 1.73.0\n uses: dtolnay/rust-toolchain@1.73.0\n with:\n targets: x86_64-apple-darwin\n - name: Install Rust Stable\n uses: dtolnay/rust-toolchain@stable\n with:\n targets: aarch64-apple-darwin\n - name: build-and-codesign\n run: |\n cargo install apple-codesign\n mkdir -p "$FISH_ARTEFACT_PATH"\n echo "$MAC_CODESIGN_APP_P12_BASE64" | base64 --decode > /tmp/app.p12\n echo "$MAC_CODESIGN_INSTALLER_P12_BASE64" | base64 --decode > /tmp/installer.p12\n echo "$MACOS_NOTARIZE_JSON" > /tmp/notarize.json\n ./build_tools/make_pkg.sh -s -f /tmp/app.p12 -i /tmp/installer.p12 -p "$MAC_CODESIGN_PASSWORD" -n -j /tmp/notarize.json\n rm /tmp/installer.p12 /tmp/app.p12 /tmp/notarize.json\n env:\n MAC_CODESIGN_APP_P12_BASE64: ${{ secrets.MAC_CODESIGN_APP_P12_BASE64 }}\n MAC_CODESIGN_INSTALLER_P12_BASE64: ${{ secrets.MAC_CODESIGN_INSTALLER_P12_BASE64 }}\n MAC_CODESIGN_PASSWORD: ${{ secrets.MAC_CODESIGN_PASSWORD }}\n MACOS_NOTARIZE_JSON: ${{ secrets.MACOS_NOTARIZE_JSON }}\n # macOS runners keep having issues loading Cargo.toml dependencies from git (GitHub) instead\n # of crates.io, so give this a try. It's also sometimes significantly faster on all platforms.\n CARGO_NET_GIT_FETCH_WITH_CLI: true\n FISH_ARTEFACT_PATH: /tmp/fish-built\n - uses: actions/upload-artifact@v4\n with:\n name: macOS Artefacts\n path: /tmp/fish-built/*\n if-no-files-found: error\n
dataset_sample\yaml\fish-shell_fish-shell\.github\workflows\mac_codesign.yml
mac_codesign.yml
YAML
1,824
0.8
0.047619
0.05
node-utils
987
2025-04-03T21:29:04.826169
BSD-3-Clause
false
ba4ffa2d0009dfc5f7bde9a5309c7f77
name: make fish_run_tests\n\non: [push, pull_request]\n\nenv:\n CTEST_PARALLEL_LEVEL: "4"\n CMAKE_BUILD_PARALLEL_LEVEL: "4"\n\npermissions:\n contents: read\n\njobs:\n ubuntu:\n\n runs-on: ubuntu-latest\n\n steps:\n - uses: actions/checkout@v4\n - uses: dtolnay/rust-toolchain@1.70\n - name: Install deps\n run: |\n sudo apt install gettext libpcre2-dev python3-pexpect tmux\n # Generate a locale that uses a comma as decimal separator.\n sudo locale-gen fr_FR.UTF-8\n - name: cmake\n run: |\n mkdir build && cd build\n cmake .. -DCMAKE_BUILD_TYPE=RelWithDebInfo\n - name: make\n run: |\n make -C build VERBOSE=1\n - name: make fish_run_tests\n run: |\n make -C build VERBOSE=1 fish_run_tests\n\n ubuntu-32bit-static-pcre2:\n\n runs-on: ubuntu-latest\n\n steps:\n - uses: actions/checkout@v4\n - uses: dtolnay/rust-toolchain@1.70\n with:\n targets: "i586-unknown-linux-gnu" # rust-toolchain wants this comma-separated\n - name: Install deps\n run: |\n sudo apt update\n sudo apt install gettext python3-pexpect g++-multilib tmux\n - name: cmake\n env:\n CFLAGS: "-m32"\n run: |\n mkdir build && cd build\n cmake -DFISH_USE_SYSTEM_PCRE2=OFF -DRust_CARGO_TARGET=i586-unknown-linux-gnu ..\n - name: make\n run: |\n make -C build VERBOSE=1\n - name: make fish_run_tests\n run: |\n make -C build VERBOSE=1 fish_run_tests\n\n ubuntu-asan:\n\n runs-on: ubuntu-latest\n env:\n # Rust has two different memory sanitizers of interest; they can't be used at the same time:\n # * AddressSanitizer detects out-of-bound access, use-after-free, use-after-return,\n # use-after-scope, double-free, invalid-free, and memory leaks.\n # * MemorySanitizer detects uninitialized reads.\n #\n RUSTFLAGS: "-Zsanitizer=address"\n # RUSTFLAGS: "-Zsanitizer=memory -Zsanitizer-memory-track-origins"\n\n steps:\n - uses: actions/checkout@v4\n # All -Z options require running nightly\n - uses: dtolnay/rust-toolchain@nightly\n with:\n # ASAN uses `cargo build -Zbuild-std` which requires the rust-src component\n # this is comma-separated\n components: rust-src\n - name: Install deps\n run: |\n sudo apt install gettext libpcre2-dev python3-pexpect tmux\n - name: cmake\n env:\n CC: clang\n run: |\n mkdir build && cd build\n # Rust's ASAN requires the build system to explicitly pass a --target triple. We read that\n # value from CMake variable Rust_CARGO_TARGET (shared with corrosion).\n cmake .. -DASAN=1 -DRust_CARGO_TARGET=x86_64-unknown-linux-gnu -DCMAKE_BUILD_TYPE=Debug\n - name: make\n run: |\n make -C build VERBOSE=1\n - name: make fish_run_tests\n env:\n FISH_CI_SAN: 1\n ASAN_OPTIONS: check_initialization_order=1:detect_stack_use_after_return=1:detect_leaks=1:fast_unwind_on_malloc=0\n # use_tls=0 is a workaround for LSAN crashing with "Tracer caught signal 11" (SIGSEGV),\n # which seems to be an issue with TLS support in newer glibc versions under virtualized\n # environments. Follow https://github.com/google/sanitizers/issues/1342 and\n # https://github.com/google/sanitizers/issues/1409 to track this issue.\n # UPDATE: this can cause spurious leak reports for __cxa_thread_atexit_impl() under glibc.\n LSAN_OPTIONS: verbosity=0:log_threads=0:use_tls=1:print_suppressions=0\n run: |\n llvm_version=$(clang --version | awk 'NR==1 { split($NF, version, "."); print version[1] }')\n export ASAN_SYMBOLIZER_PATH=/usr/bin/llvm-symbolizer-$llvm_version\n export LSAN_OPTIONS="$LSAN_OPTIONS:suppressions=$PWD/build_tools/lsan_suppressions.txt"\n make -C build VERBOSE=1 fish_run_tests\n\n # Our clang++ tsan builds are not recognizing safe rust patterns (such as the fact that Drop\n # cannot be called while a thread is using the object in question). Rust has its own way of\n # running TSAN, but for the duration of the port from C++ to Rust, we'll keep this disabled.\n\n # ubuntu-threadsan:\n #\n # runs-on: ubuntu-latest\n #\n # steps:\n # - uses: actions/checkout@v4\n # - uses: dtolnay/rust-toolchain@1.70\n # - name: Install deps\n # run: |\n # sudo apt install gettext libpcre2-dev python3-pexpect tmux\n # - name: cmake\n # env:\n # FISH_CI_SAN: 1\n # CC: clang\n # run: |\n # mkdir build && cd build\n # cmake ..\n # - name: make\n # run: |\n # make\n # - name: make fish_run_tests\n # run: |\n # make -C build fish_run_tests\n\n macos:\n\n runs-on: macos-latest\n\n env:\n # macOS runners keep having issues loading Cargo.toml dependencies from git (GitHub) instead\n # of crates.io, so give this a try. It's also sometimes significantly faster on all platforms.\n CARGO_NET_GIT_FETCH_WITH_CLI: true\n steps:\n - uses: actions/checkout@v4\n - uses: dtolnay/rust-toolchain@1.70\n - name: Install deps\n run: |\n # --break-system-packages because homebrew has now declared itself "externally managed".\n # this is CI so we don't actually care.\n sudo pip3 install --break-system-packages pexpect\n brew install tmux\n - name: cmake\n run: |\n mkdir build && cd build\n cmake -DWITH_GETTEXT=NO -DCMAKE_BUILD_TYPE=Debug ..\n - name: make\n run: |\n make -C build VERBOSE=1\n - name: make fish_run_tests\n run: |\n make -C build VERBOSE=1 fish_run_tests\n
dataset_sample\yaml\fish-shell_fish-shell\.github\workflows\main.yml
main.yml
YAML
5,613
0.95
0.03012
0.315436
vue-tools
612
2024-12-16T04:49:45.668601
GPL-3.0
false
3222a28b7db96330cc3c8b910a87bd90
name: Rust checks\n\non: [push, pull_request]\n\npermissions:\n contents: read\n\njobs:\n rustfmt:\n runs-on: ubuntu-latest\n\n steps:\n - uses: actions/checkout@v3\n - uses: dtolnay/rust-toolchain@stable\n - name: cargo fmt\n run: cargo fmt --check --all\n\n clippy:\n runs-on: ubuntu-latest\n\n steps:\n - uses: actions/checkout@v3\n - uses: dtolnay/rust-toolchain@stable\n - name: Install deps\n run: |\n sudo apt install gettext libpcre2-dev\n - name: cmake\n run: |\n cmake -B build\n - name: cargo clippy\n # This used to have --deny=warnings, but that turns rust release day\n # into automatic CI failure day, so we don't do that.\n run: cargo clippy --workspace --all-targets\n\n # Disabling for now because it also checks "advisories",\n # making CI fail for reasons unrelated to the patch\n # cargo-deny:\n # runs-on: ubuntu-latest\n # steps:\n # - uses: actions/checkout@v3\n # - uses: EmbarkStudios/cargo-deny-action@v1\n
dataset_sample\yaml\fish-shell_fish-shell\.github\workflows\rust_checks.yml
rust_checks.yml
YAML
990
0.8
0.04878
0.264706
react-lib
373
2024-08-31T14:44:09.785810
BSD-3-Clause
false
5ad8224bb34578385812c87dd3b28577
name: staticbuilds\n\non:\n # release:\n # types: [published]\n # schedule:\n # - cron: "14 13 * * *"\n workflow_dispatch:\n\nenv:\n CTEST_PARALLEL_LEVEL: "1"\n CMAKE_BUILD_PARALLEL_LEVEL: "4"\n\njobs:\n staticbuilds-linux:\n\n runs-on: ubuntu-latest\n\n permissions:\n contents: read\n\n steps:\n - uses: dtolnay/rust-toolchain@1.70\n - uses: actions/checkout@v4\n with:\n fetch-depth: 0\n - name: Prepare\n run: |\n sudo apt install python3-sphinx\n rustup target add x86_64-unknown-linux-musl\n rustup target add aarch64-unknown-linux-musl\n sudo apt install musl-tools crossbuild-essential-arm64 python3-pexpect tmux -y\n - name: Build\n run: |\n CFLAGS="$CFLAGS -D_FORTIFY_SOURCE=2" CMAKE_WITH_GETTEXT=0 CC=aarch64-linux-gnu-gcc RUSTFLAGS="-C linker=aarch64-linux-gnu-gcc -C link-arg=-lgcc -C link-arg=-D_FORTIFY_SOURCE=0" cargo build --release --target aarch64-unknown-linux-musl --bin fish\n cargo build --release --target x86_64-unknown-linux-musl\n - name: Test\n run: |\n test -e tests/test_driver.py && tests/test_driver.py -f /tmp target/x86_64-unknown-linux-musl/release/\n - name: Compress\n run: |\n tar -cazf fish-static-x86_64-$(git describe).tar.xz -C target/x86_64-unknown-linux-musl/release/ fish\n tar -cazf fish-static-aarch64-$(git describe).tar.xz -C target/aarch64-unknown-linux-musl/release/ fish\n - uses: actions/upload-artifact@v4\n with:\n name: fish-static-linux\n path: |\n fish-*.tar.xz\n retention-days: 14\n staticbuilds-macos:\n\n runs-on: macos-latest\n\n permissions:\n contents: read\n\n steps:\n - uses: dtolnay/rust-toolchain@1.70\n - uses: actions/checkout@v4\n with:\n fetch-depth: 0\n - name: Prepare\n run: |\n sudo pip3 install --break-system-packages sphinx\n rustup target add x86_64-apple-darwin\n rustup target add aarch64-apple-darwin\n - name: Build\n run: |\n PCRE2_SYS_STATIC=1 cargo build --release --target aarch64-apple-darwin --bin fish\n PCRE2_SYS_STATIC=1 cargo build --release --target x86_64-apple-darwin --bin fish\n - name: Compress\n run: |\n tar -cazf fish-macos-aarch64.tar.xz -C target/aarch64-apple-darwin/release/ fish\n tar -cazf fish-macos-x86_64.tar.xz -C target/x86_64-apple-darwin/release/ fish\n - uses: actions/upload-artifact@v4\n with:\n name: fish-static-macos\n path: |\n fish-macos-*.tar.xz\n retention-days: 14\n
dataset_sample\yaml\fish-shell_fish-shell\.github\workflows\staticbuild.yml
staticbuild.yml
YAML
2,602
0.8
0
0.056338
awesome-app
18
2024-10-04T07:20:42.304286
Apache-2.0
false
64788d13601eba1f6e39d96fe8ab86ec
preset: recommended\n\nenabled:\n - logical_not_operators_with_successor_space\n\ndisabled:\n - align_double_arrow\n - blank_line_after_opening_tag\n - multiline_array_trailing_comma\n - new_with_braces\n - phpdoc_align\n - phpdoc_order\n - phpdoc_separation\n - phpdoc_types\n
dataset_sample\yaml\flarum_framework\.styleci.yml
.styleci.yml
YAML
272
0.7
0
0
react-lib
557
2024-10-28T15:54:07.618943
MIT
false
43b2bd6413878c3b5c12576384d69ed9
version: '1.19.5.{build}'\n\ninit:\n- ps: |\n $version = new-object System.Version $env:APPVEYOR_BUILD_VERSION\n $env:flowVersion = "{0}.{1}.{2}" -f $version.Major, $version.Minor, $version.Build\n if ($env:APPVEYOR_REPO_BRANCH -eq "dev")\n {\n $env:prereleaseTag = "{0}.{1}.{2}.{3}" -f $version.Major, $version.Minor, $version.Build, $version.Revision\n }\n- sc config WSearch start= auto # Starts Windows Search service- Needed for running ExplorerTest\n- net start WSearch\n\ncache:\n - '%USERPROFILE%\.nuget\packages -> **.sln, **.csproj' # preserve nuget folder (packages) unless the solution or projects change\n\n\nassembly_info:\n patch: true\n file: SolutionAssemblyInfo.cs\n assembly_version: $(flowVersion)\n assembly_file_version: $(flowVersion)\n assembly_informational_version: $(flowVersion)\n\nimage: Visual Studio 2022\nplatform: Any CPU\nconfiguration: Release\nbefore_build:\n- ps: nuget restore\nbuild:\n project: Flow.Launcher.sln\n verbosity: minimal\ntest_script:\n - dotnet test --no-build -c Release\nafter_test:\n - ps: .\Scripts\post_build.ps1\n\nartifacts:\n- path: 'Output\Release\Flow.Launcher.Plugin.*.nupkg'\n name: Plugin nupkg\n- path: 'Output\Packages\Flow-Launcher-*.exe'\n name: Squirrel Installer\n- path: Output\Packages\Flow-Launcher-Portable.zip\n name: Portable Version\n- path: 'Output\Packages\FlowLauncher-*-full.nupkg'\n name: Squirrel nupkg\n- path: 'Output\Packages\RELEASES'\n name: Squirrel RELEASES\n\ndeploy:\n - provider: NuGet\n artifact: Plugin nupkg\n api_key:\n secure: sCSd5JWgdzJWDa9kpqECut5ACPKZqcoxKU8ERKC00k7VIjig3/+nFV5zzTcGb0w3\n on:\n APPVEYOR_REPO_TAG: true\n\n - provider: GitHub\n repository: Flow-Launcher/Prereleases\n release: v$(prereleaseTag)\n description: 'This is the early access build of our upcoming release. All changes contained here are reviewed, tested and stable to use.\n\nSee our [release](https://github.com/Flow-Launcher/Flow.Launcher/pulls?q=is%3Aopen+is%3Apr+label%3Arelease) Pull Request for details.\n\nFor latest production release visit [here](https://github.com/Flow-Launcher/Flow.Launcher/releases/latest)\n\nPlease report any bugs or issues over at the [main repository](https://github.com/Flow-Launcher/Flow.Launcher/issues)'\n auth_token:\n secure: ij4UeXUYQBDJxn2YRAAhUOjklOGVKDB87Hn5J8tKIzj13yatoI7sLM666QDQFEgv\n artifact: Squirrel Installer, Portable Version, Squirrel nupkg, Squirrel RELEASES\n force_update: true\n on:\n branch: dev\n\n - provider: GitHub\n release: v$(flowVersion)\n auth_token:\n secure: ij4UeXUYQBDJxn2YRAAhUOjklOGVKDB87Hn5J8tKIzj13yatoI7sLM666QDQFEgv\n artifact: Squirrel Installer, Portable Version, Squirrel nupkg, Squirrel RELEASES\n draft: true\n force_update: true\n on:\n branch: master\n\n - provider: GitHub\n release: v$(flowVersion)\n auth_token:\n secure: ij4UeXUYQBDJxn2YRAAhUOjklOGVKDB87Hn5J8tKIzj13yatoI7sLM666QDQFEgv\n artifact: Squirrel Installer, Portable Version, Squirrel nupkg, Squirrel RELEASES\n force_update: true\n on:\n APPVEYOR_REPO_TAG: true\n
dataset_sample\yaml\Flow-Launcher_Flow.Launcher\appveyor.yml
appveyor.yml
YAML
3,065
0.8
0.034884
0
react-lib
836
2024-01-26T21:14:42.721608
GPL-3.0
false
cbd90eeabe7573d3d05f4d524ed39b22
# .NET Desktop\n# Build and run tests for .NET Desktop or Windows classic desktop solutions.\n# Add steps that publish symbols, save build artifacts, and more:\n# https://docs.microsoft.com/azure/devops/pipelines/apps/windows/dot-net\n\ntrigger:\n- master\n- dev\n\npool:\n vmImage: 'windows-2019' #'due to windows SDK dependency for building UWP project'\n\nvariables:\n solution: '**/*.sln'\n buildPlatform: 'Any CPU'\n buildConfiguration: 'Release'\n\nsteps:\n- task: UseDotNet@2\n displayName: 'Install .NET Core sdk'\n inputs:\n packageType: sdk\n version: 3.1.100\n installationPath: $(Agent.ToolsDirectory)/dotnet\n\n- task: NuGetToolInstaller@1\n\n- task: NuGetCommand@2\n inputs:\n restoreSolution: '$(solution)'\n\n- task: VSBuild@1\n inputs:\n solution: '$(solution)'\n platform: '$(buildPlatform)'\n configuration: '$(buildConfiguration)'\n\n- task: VSTest@2\n inputs:\n platform: '$(buildPlatform)'\n configuration: '$(buildConfiguration)'\n
dataset_sample\yaml\Flow-Launcher_Flow.Launcher\azure-pipelines.yml
azure-pipelines.yml
YAML
949
0.8
0.04878
0.121212
vue-tools
845
2023-12-02T23:17:26.005744
GPL-3.0
false
48439bb8cdab580128f453ba5a6b8b42
files:\n - source: Languages/en.xaml\n translation: /%original_path%/%two_letters_code%.xaml\n - source: Properties/Resources.resx\n translation: /%original_path%/Resources.%locale%.resx\ncommit_message: '[ci skip]'\n
dataset_sample\yaml\Flow-Launcher_Flow.Launcher\crowdin.yml
crowdin.yml
YAML
219
0.7
0
0
vue-tools
502
2024-11-05T17:46:30.883116
Apache-2.0
false
e4bbad604482d5a7df29b34a4cec958d
# To get started with Dependabot version updates, you'll need to specify which\n# package ecosystems to update and where the package manifests are located.\n# Please see the documentation for all configuration options:\n# https://help.github.com/github/administering-a-repository/configuration-options-for-dependency-updates\n\nversion: 2\nupdates:\n - package-ecosystem: "nuget" # See documentation for possible values\n directory: "/" # Location of package manifests\n schedule:\n interval: "daily"\n open-pull-requests-limit: 3\n ignore:\n - dependency-name: "squirrel-windows"\n reviewers:\n - "jjw24"\n - "taooceros"\n - "JohnTheGr8"\n - package-ecosystem: "github-actions"\n directory: "/"\n schedule:\n interval: "daily"\n
dataset_sample\yaml\Flow-Launcher_Flow.Launcher\.github\dependabot.yml
dependabot.yml
YAML
760
0.8
0.136364
0.190476
node-utils
15
2023-07-25T23:47:23.240983
Apache-2.0
false
f3fe09953670e4c4c79f5669ffcbf579
# The bot always updates the labels, add/remove as necessary [default: false]\nalwaysReplace: false\n# Treats the text and labels as case sensitive [default: true]\ncaseSensitive: false\n# Array of labels to be applied to the PR [default: []]\ncustomLabels:\n # Finds the `text` within the PR title and body and applies the `label`\n - text: 'bug'\n label: 'bug'\n - text: 'fix'\n label: 'bug'\n - text: 'dependabot'\n label: 'bug'\n - text: 'New Crowdin updates'\n label: 'bug'\n - text: 'New Crowdin updates'\n label: 'kind/i18n'\n - text: 'feature'\n label: 'enhancement'\n - text: 'add new'\n label: 'enhancement'\n - text: 'refactor'\n label: 'enhancement'\n - text: 'refactor'\n label: 'Code Refactor'\n# Search the body of the PR for the `text` [default: true]\nsearchBody: true\n# Search the title of the PR for the `text` [default: true]\nsearchTitle: true\n# Search for whole words only [default: false]\nwholeWords: false\n
dataset_sample\yaml\Flow-Launcher_Flow.Launcher\.github\pr-labeler.yml
pr-labeler.yml
YAML
940
0.8
0.096774
0.225806
python-kit
581
2024-08-10T17:39:01.675952
MIT
false
b7616ebedbbd49e38aba548e249c912d
name: Publish Default Plugins\n\non:\n push:\n branches: ['master']\n paths: ['Plugins/**']\n workflow_dispatch:\n\njobs:\n build:\n runs-on: windows-latest\n\n steps:\n - uses: actions/checkout@v4\n - name: Setup .NET\n uses: actions/setup-dotnet@v4\n with:\n dotnet-version: 7.0.x\n\n - name: Determine New Plugin Updates\n uses: dorny/paths-filter@v3\n id: changes\n with:\n filters: |\n browserbookmark:\n - 'Plugins/Flow.Launcher.Plugin.BrowserBookmark/plugin.json'\n calculator:\n - 'Plugins/Flow.Launcher.Plugin.Calculator/plugin.json'\n explorer:\n - 'Plugins/Flow.Launcher.Plugin.Explorer/plugin.json'\n pluginindicator:\n - 'Plugins/Flow.Launcher.Plugin.PluginIndicator/plugin.json'\n pluginsmanager:\n - 'Plugins/Flow.Launcher.Plugin.PluginsManager/plugin.json'\n processkiller:\n - 'Plugins/Flow.Launcher.Plugin.ProcessKiller/plugin.json'\n program:\n - 'Plugins/Flow.Launcher.Plugin.Program/plugin.json'\n shell:\n - 'Plugins/Flow.Launcher.Plugin.Shell/plugin.json'\n sys:\n - 'Plugins/Flow.Launcher.Plugin.Sys/plugin.json'\n url:\n - 'Plugins/Flow.Launcher.Plugin.Url/plugin.json'\n websearch:\n - 'Plugins/Flow.Launcher.Plugin.WebSearch/plugin.json'\n windowssettings:\n - 'Plugins/Flow.Launcher.Plugin.WindowsSettings/plugin.json'\n base: 'master'\n\n - name: Get BrowserBookmark Version\n if: steps.changes.outputs.browserbookmark == 'true'\n id: updated-version-browserbookmark\n uses: notiz-dev/github-action-json-property@release\n with:\n path: 'Plugins/Flow.Launcher.Plugin.BrowserBookmark/plugin.json'\n prop_path: 'Version'\n\n - name: Build BrowserBookmark\n if: steps.changes.outputs.browserbookmark == 'true'\n run: |\n dotnet publish 'Plugins/Flow.Launcher.Plugin.BrowserBookmark/Flow.Launcher.Plugin.BrowserBookmark.csproj' --framework net7.0-windows -c Release -o "Flow.Launcher.Plugin.BrowserBookmark"\n 7z a -tzip "Flow.Launcher.Plugin.BrowserBookmark.zip" "./Flow.Launcher.Plugin.BrowserBookmark/*"\n rm -r "Flow.Launcher.Plugin.BrowserBookmark"\n\n - name: Publish BrowserBookmark\n if: steps.changes.outputs.browserbookmark == 'true'\n uses: softprops/action-gh-release@v2\n with:\n repository: "Flow-Launcher/Flow.Launcher.Plugin.BrowserBookmark"\n files: "Flow.Launcher.Plugin.BrowserBookmark.zip"\n tag_name: "v${{steps.updated-version-browserbookmark.outputs.prop}}"\n body: Visit Flow's [release notes](https://github.com/Flow-Launcher/Flow.Launcher/releases) for changes.\n env:\n GITHUB_TOKEN: ${{ secrets.PUBLISH_PLUGINS }}\n\n\n - name: Get Calculator Version\n if: steps.changes.outputs.calculator == 'true'\n id: updated-version-calculator\n uses: notiz-dev/github-action-json-property@release\n with:\n path: 'Plugins/Flow.Launcher.Plugin.Calculator/plugin.json'\n prop_path: 'Version'\n\n - name: Build Calculator\n if: steps.changes.outputs.calculator == 'true'\n run: |\n dotnet publish 'Plugins/Flow.Launcher.Plugin.Calculator/Flow.Launcher.Plugin.Calculator.csproj' --framework net7.0-windows -c Release -o "Flow.Launcher.Plugin.Calculator"\n 7z a -tzip "Flow.Launcher.Plugin.Calculator.zip" "./Flow.Launcher.Plugin.Calculator/*"\n rm -r "Flow.Launcher.Plugin.Calculator"\n\n - name: Publish Calculator\n if: steps.changes.outputs.calculator == 'true'\n uses: softprops/action-gh-release@v2\n with:\n repository: "Flow-Launcher/Flow.Launcher.Plugin.Calculator"\n files: "Flow.Launcher.Plugin.Calculator.zip"\n tag_name: "v${{steps.updated-version-calculator.outputs.prop}}"\n body: Visit Flow's [release notes](https://github.com/Flow-Launcher/Flow.Launcher/releases) for changes.\n env:\n GITHUB_TOKEN: ${{ secrets.PUBLISH_PLUGINS }}\n\n\n - name: Get Explorer Version\n if: steps.changes.outputs.explorer == 'true'\n id: updated-version-explorer\n uses: notiz-dev/github-action-json-property@release\n with:\n path: 'Plugins/Flow.Launcher.Plugin.Explorer/plugin.json'\n prop_path: 'Version'\n\n - name: Build Explorer\n if: steps.changes.outputs.explorer == 'true'\n run: |\n dotnet publish 'Plugins/Flow.Launcher.Plugin.Explorer/Flow.Launcher.Plugin.Explorer.csproj' --framework net7.0-windows -c Release -o "Flow.Launcher.Plugin.Explorer"\n 7z a -tzip "Flow.Launcher.Plugin.Explorer.zip" "./Flow.Launcher.Plugin.Explorer/*"\n rm -r "Flow.Launcher.Plugin.Explorer"\n\n - name: Publish Explorer\n if: steps.changes.outputs.explorer == 'true'\n uses: softprops/action-gh-release@v2\n with:\n repository: "Flow-Launcher/Flow.Launcher.Plugin.Explorer"\n files: "Flow.Launcher.Plugin.Explorer.zip"\n tag_name: "v${{steps.updated-version-explorer.outputs.prop}}"\n body: Visit Flow's [release notes](https://github.com/Flow-Launcher/Flow.Launcher/releases) for changes.\n env:\n GITHUB_TOKEN: ${{ secrets.PUBLISH_PLUGINS }}\n\n\n - name: Get PluginIndicator Version\n if: steps.changes.outputs.pluginindicator == 'true'\n id: updated-version-pluginindicator\n uses: notiz-dev/github-action-json-property@release\n with:\n path: 'Plugins/Flow.Launcher.Plugin.PluginIndicator/plugin.json'\n prop_path: 'Version'\n\n - name: Build PluginIndicator\n if: steps.changes.outputs.pluginindicator == 'true'\n run: |\n dotnet publish 'Plugins/Flow.Launcher.Plugin.PluginIndicator/Flow.Launcher.Plugin.PluginIndicator.csproj' --framework net7.0-windows -c Release -o "Flow.Launcher.Plugin.PluginIndicator"\n 7z a -tzip "Flow.Launcher.Plugin.PluginIndicator.zip" "./Flow.Launcher.Plugin.PluginIndicator/*"\n rm -r "Flow.Launcher.Plugin.PluginIndicator"\n\n - name: Publish PluginIndicator\n if: steps.changes.outputs.pluginindicator == 'true'\n uses: softprops/action-gh-release@v2\n with:\n repository: "Flow-Launcher/Flow.Launcher.Plugin.PluginIndicator"\n files: "Flow.Launcher.Plugin.PluginIndicator.zip"\n tag_name: "v${{steps.updated-version-pluginindicator.outputs.prop}}"\n body: Visit Flow's [release notes](https://github.com/Flow-Launcher/Flow.Launcher/releases) for changes.\n env:\n GITHUB_TOKEN: ${{ secrets.PUBLISH_PLUGINS }}\n\n\n - name: Get PluginsManager Version\n if: steps.changes.outputs.pluginsmanager == 'true'\n id: updated-version-pluginsmanager\n uses: notiz-dev/github-action-json-property@release\n with:\n path: 'Plugins/Flow.Launcher.Plugin.PluginsManager/plugin.json'\n prop_path: 'Version'\n\n - name: Build PluginsManager\n if: steps.changes.outputs.pluginsmanager == 'true'\n run: |\n dotnet publish 'Plugins/Flow.Launcher.Plugin.PluginsManager/Flow.Launcher.Plugin.PluginsManager.csproj' --framework net7.0-windows -c Release -o "Flow.Launcher.Plugin.PluginsManager"\n 7z a -tzip "Flow.Launcher.Plugin.PluginsManager.zip" "./Flow.Launcher.Plugin.PluginsManager/*"\n rm -r "Flow.Launcher.Plugin.PluginsManager"\n\n - name: Publish PluginsManager\n if: steps.changes.outputs.pluginsmanager == 'true'\n uses: softprops/action-gh-release@v2\n with:\n repository: "Flow-Launcher/Flow.Launcher.Plugin.PluginsManager"\n files: "Flow.Launcher.Plugin.PluginsManager.zip"\n tag_name: "v${{steps.updated-version-pluginsmanager.outputs.prop}}"\n body: Visit Flow's [release notes](https://github.com/Flow-Launcher/Flow.Launcher/releases) for changes.\n env:\n GITHUB_TOKEN: ${{ secrets.PUBLISH_PLUGINS }}\n\n\n - name: Get ProcessKiller Version\n if: steps.changes.outputs.processkiller == 'true'\n id: updated-version-processkiller\n uses: notiz-dev/github-action-json-property@release\n with:\n path: 'Plugins/Flow.Launcher.Plugin.ProcessKiller/plugin.json'\n prop_path: 'Version'\n\n - name: Build ProcessKiller\n if: steps.changes.outputs.processkiller == 'true'\n run: |\n dotnet publish 'Plugins/Flow.Launcher.Plugin.ProcessKiller/Flow.Launcher.Plugin.ProcessKiller.csproj' --framework net7.0-windows -c Release -o "Flow.Launcher.Plugin.ProcessKiller"\n 7z a -tzip "Flow.Launcher.Plugin.ProcessKiller.zip" "./Flow.Launcher.Plugin.ProcessKiller/*"\n rm -r "Flow.Launcher.Plugin.ProcessKiller"\n\n - name: Publish ProcessKiller\n if: steps.changes.outputs.processkiller == 'true'\n uses: softprops/action-gh-release@v2\n with:\n repository: "Flow-Launcher/Flow.Launcher.Plugin.ProcessKiller"\n files: "Flow.Launcher.Plugin.ProcessKiller.zip"\n tag_name: "v${{steps.updated-version-processkiller.outputs.prop}}"\n body: Visit Flow's [release notes](https://github.com/Flow-Launcher/Flow.Launcher/releases) for changes.\n env:\n GITHUB_TOKEN: ${{ secrets.PUBLISH_PLUGINS }}\n\n\n - name: Get Program Version\n if: steps.changes.outputs.program == 'true'\n id: updated-version-program\n uses: notiz-dev/github-action-json-property@release\n with:\n path: 'Plugins/Flow.Launcher.Plugin.Program/plugin.json'\n prop_path: 'Version'\n\n - name: Build Program\n if: steps.changes.outputs.program == 'true'\n run: |\n dotnet publish 'Plugins/Flow.Launcher.Plugin.Program/Flow.Launcher.Plugin.Program.csproj' --framework net7.0-windows10.0.19041.0 -c Release -o "Flow.Launcher.Plugin.Program"\n 7z a -tzip "Flow.Launcher.Plugin.Program.zip" "./Flow.Launcher.Plugin.Program/*"\n rm -r "Flow.Launcher.Plugin.Program"\n\n - name: Publish Program\n if: steps.changes.outputs.program == 'true'\n uses: softprops/action-gh-release@v2\n with:\n repository: "Flow-Launcher/Flow.Launcher.Plugin.Program"\n files: "Flow.Launcher.Plugin.Program.zip"\n tag_name: "v${{steps.updated-version-program.outputs.prop}}"\n body: Visit Flow's [release notes](https://github.com/Flow-Launcher/Flow.Launcher/releases) for changes.\n env:\n GITHUB_TOKEN: ${{ secrets.PUBLISH_PLUGINS }}\n\n\n - name: Get Shell Version\n if: steps.changes.outputs.shell == 'true'\n id: updated-version-shell\n uses: notiz-dev/github-action-json-property@release\n with:\n path: 'Plugins/Flow.Launcher.Plugin.Shell/plugin.json'\n prop_path: 'Version'\n\n - name: Build Shell\n if: steps.changes.outputs.shell == 'true'\n run: |\n dotnet publish 'Plugins/Flow.Launcher.Plugin.Shell/Flow.Launcher.Plugin.Shell.csproj' --framework net7.0-windows -c Release -o "Flow.Launcher.Plugin.Shell"\n 7z a -tzip "Flow.Launcher.Plugin.Shell.zip" "./Flow.Launcher.Plugin.Shell/*"\n rm -r "Flow.Launcher.Plugin.Shell"\n\n - name: Publish Shell\n if: steps.changes.outputs.shell == 'true'\n uses: softprops/action-gh-release@v2\n with:\n repository: "Flow-Launcher/Flow.Launcher.Plugin.Shell"\n files: "Flow.Launcher.Plugin.Shell.zip"\n tag_name: "v${{steps.updated-version-shell.outputs.prop}}"\n body: Visit Flow's [release notes](https://github.com/Flow-Launcher/Flow.Launcher/releases) for changes.\n env:\n GITHUB_TOKEN: ${{ secrets.PUBLISH_PLUGINS }}\n\n\n - name: Get Sys Version\n if: steps.changes.outputs.sys == 'true'\n id: updated-version-sys\n uses: notiz-dev/github-action-json-property@release\n with:\n path: 'Plugins/Flow.Launcher.Plugin.Sys/plugin.json'\n prop_path: 'Version'\n\n - name: Build Sys\n if: steps.changes.outputs.sys == 'true'\n run: |\n dotnet publish 'Plugins/Flow.Launcher.Plugin.Sys/Flow.Launcher.Plugin.Sys.csproj' --framework net7.0-windows -c Release -o "Flow.Launcher.Plugin.Sys"\n 7z a -tzip "Flow.Launcher.Plugin.Sys.zip" "./Flow.Launcher.Plugin.Sys/*"\n rm -r "Flow.Launcher.Plugin.Sys"\n\n - name: Publish Sys\n if: steps.changes.outputs.sys == 'true'\n uses: softprops/action-gh-release@v2\n with:\n repository: "Flow-Launcher/Flow.Launcher.Plugin.Sys"\n files: "Flow.Launcher.Plugin.Sys.zip"\n tag_name: "v${{steps.updated-version-sys.outputs.prop}}"\n body: Visit Flow's [release notes](https://github.com/Flow-Launcher/Flow.Launcher/releases) for changes.\n env:\n GITHUB_TOKEN: ${{ secrets.PUBLISH_PLUGINS }}\n\n\n - name: Get Url Version\n if: steps.changes.outputs.url == 'true'\n id: updated-version-url\n uses: notiz-dev/github-action-json-property@release\n with:\n path: 'Plugins/Flow.Launcher.Plugin.Url/plugin.json'\n prop_path: 'Version'\n\n - name: Build Url\n if: steps.changes.outputs.url == 'true'\n run: |\n dotnet publish 'Plugins/Flow.Launcher.Plugin.Url/Flow.Launcher.Plugin.Url.csproj' --framework net7.0-windows -c Release -o "Flow.Launcher.Plugin.Url"\n 7z a -tzip "Flow.Launcher.Plugin.Url.zip" "./Flow.Launcher.Plugin.Url/*"\n rm -r "Flow.Launcher.Plugin.Url"\n\n - name: Publish Url\n if: steps.changes.outputs.url == 'true'\n uses: softprops/action-gh-release@v2\n with:\n repository: "Flow-Launcher/Flow.Launcher.Plugin.Url"\n files: "Flow.Launcher.Plugin.Url.zip"\n tag_name: "v${{steps.updated-version-url.outputs.prop}}"\n body: Visit Flow's [release notes](https://github.com/Flow-Launcher/Flow.Launcher/releases) for changes.\n env:\n GITHUB_TOKEN: ${{ secrets.PUBLISH_PLUGINS }}\n\n\n - name: Get WebSearch Version\n if: steps.changes.outputs.websearch == 'true'\n id: updated-version-websearch\n uses: notiz-dev/github-action-json-property@release\n with:\n path: 'Plugins/Flow.Launcher.Plugin.WebSearch/plugin.json'\n prop_path: 'Version'\n\n - name: Build WebSearch\n if: steps.changes.outputs.websearch == 'true'\n run: |\n dotnet publish 'Plugins/Flow.Launcher.Plugin.WebSearch/Flow.Launcher.Plugin.WebSearch.csproj' --framework net7.0-windows -c Release -o "Flow.Launcher.Plugin.WebSearch"\n 7z a -tzip "Flow.Launcher.Plugin.WebSearch.zip" "./Flow.Launcher.Plugin.WebSearch/*"\n rm -r "Flow.Launcher.Plugin.WebSearch"\n\n - name: Publish WebSearch\n if: steps.changes.outputs.websearch == 'true'\n uses: softprops/action-gh-release@v2\n with:\n repository: "Flow-Launcher/Flow.Launcher.Plugin.WebSearch"\n files: "Flow.Launcher.Plugin.WebSearch.zip"\n tag_name: "v${{steps.updated-version-websearch.outputs.prop}}"\n body: Visit Flow's [release notes](https://github.com/Flow-Launcher/Flow.Launcher/releases) for changes.\n env:\n GITHUB_TOKEN: ${{ secrets.PUBLISH_PLUGINS }}\n\n\n - name: Get WindowsSettings Version\n if: steps.changes.outputs.windowssettings == 'true'\n id: updated-version-windowssettings\n uses: notiz-dev/github-action-json-property@release\n with:\n path: 'Plugins/Flow.Launcher.Plugin.WindowsSettings/plugin.json'\n prop_path: 'Version'\n\n - name: Build WindowsSettings\n if: steps.changes.outputs.windowssettings == 'true'\n run: |\n dotnet publish 'Plugins/Flow.Launcher.Plugin.WindowsSettings/Flow.Launcher.Plugin.WindowsSettings.csproj' --framework net7.0-windows -c Release -o "Flow.Launcher.Plugin.WindowsSettings"\n 7z a -tzip "Flow.Launcher.Plugin.WindowsSettings.zip" "./Flow.Launcher.Plugin.WindowsSettings/*"\n rm -r "Flow.Launcher.Plugin.WindowsSettings"\n\n - name: Publish WindowsSettings\n if: steps.changes.outputs.windowssettings == 'true'\n uses: softprops/action-gh-release@v2\n with:\n repository: "Flow-Launcher/Flow.Launcher.Plugin.WindowsSettings"\n files: "Flow.Launcher.Plugin.WindowsSettings.zip"\n tag_name: "v${{steps.updated-version-windowssettings.outputs.prop}}"\n body: Visit Flow's [release notes](https://github.com/Flow-Launcher/Flow.Launcher/releases) for changes.\n env:\n GITHUB_TOKEN: ${{ secrets.PUBLISH_PLUGINS }}\n
dataset_sample\yaml\Flow-Launcher_Flow.Launcher\.github\workflows\default_plugins.yml
default_plugins.yml
YAML
16,784
0.8
0.129032
0
react-lib
978
2024-06-28T11:52:51.025799
BSD-3-Clause
false
4de4c699977cb5f70d555ed7d67c9862
# This workflow will build a .NET project\n# For more information see: https://docs.github.com/en/actions/automating-builds-and-tests/building-and-testing-net\n\nname: Build\n\non:\n workflow_dispatch:\n push:\n branches:\n - dev\n - master\n pull_request:\n\njobs:\n build:\n\n runs-on: windows-latest\n env:\n FlowVersion: 1.19.5\n NUGET_CERT_REVOCATION_MODE: offline\n BUILD_NUMBER: ${{ github.run_number }}\n steps:\n - uses: actions/checkout@v4\n - name: Set Flow.Launcher.csproj version\n id: update\n uses: vers-one/dotnet-project-version-updater@v1.7\n with:\n file: |\n "**/SolutionAssemblyInfo.cs"\n version: ${{ env.FlowVersion }}.${{ env.BUILD_NUMBER }}\n - name: Setup .NET\n uses: actions/setup-dotnet@v4\n with:\n dotnet-version: 7.0.x\n# cache: true\n# cache-dependency-path: |\n# Flow.Launcher/packages.lock.json\n# Flow.Launcher.Core/packages.lock.json \n# Flow.Launcher.Infrastructure/packages.lock.json\n# Flow.Launcher.Plugin/packages.lock.json\n - name: Install vpk\n run: dotnet tool install -g vpk\n - name: Restore dependencies\n run: nuget restore\n - name: Build\n run: dotnet build --no-restore -c Release\n - name: Initialize Service\n run: |\n sc config WSearch start= auto # Starts Windows Search service- Needed for running ExplorerTest\n net start WSearch\n - name: Test\n run: dotnet test --no-build --verbosity normal -c Release\n - name: Perform post_build tasks\n shell: powershell\n run: .\Scripts\post_build.ps1\n - name: Upload Plugin Nupkg\n uses: actions/upload-artifact@v4\n with:\n name: Plugin nupkg\n path: |\n Output\Release\Flow.Launcher.Plugin.*.nupkg\n compression-level: 0\n - name: Upload Setup\n uses: actions/upload-artifact@v4\n with:\n name: Flow Installer\n path: |\n Output\Packages\Flow-Launcher-*.exe\n compression-level: 0\n - name: Upload Portable Version\n uses: actions/upload-artifact@v4\n with:\n name: Portable Version\n path: |\n Output\Packages\Flow-Launcher-Portable.zip\n compression-level: 0\n - name: Upload Full Nupkg\n uses: actions/upload-artifact@v4\n with:\n name: Full nupkg\n path: |\n Output\Packages\FlowLauncher-*-full.nupkg\n\n compression-level: 0\n - name: Upload Release Information\n uses: actions/upload-artifact@v4\n with:\n name: RELEASES\n path: |\n Output\Packages\RELEASES\n compression-level: 0\n
dataset_sample\yaml\Flow-Launcher_Flow.Launcher\.github\workflows\dotnet.yml
dotnet.yml
YAML
2,784
0.8
0.010989
0.093023
node-utils
247
2024-03-29T01:48:36.684262
GPL-3.0
false
f1fe368f5143f7f9508c1184ff2b03e9
# Code generated by gitStream GitHub app - DO NOT EDIT\n\nname: gitStream workflow automation\nrun-name: |\n /:\ gitStream: PR #${{ fromJSON(fromJSON(github.event.inputs.client_payload)).pullRequestNumber }} from ${{ github.event.inputs.full_repository }}\n\non:\n workflow_dispatch:\n inputs:\n client_payload:\n description: The Client payload\n required: true\n full_repository:\n description: the repository name include the owner in `owner/repo_name` format\n required: true\n head_ref:\n description: the head sha\n required: true\n base_ref:\n description: the base ref\n required: true\n installation_id:\n description: the installation id\n required: false\n resolver_url:\n description: the resolver url to pass results to\n required: true\n resolver_token:\n description: Optional resolver token for resolver service\n required: false\n default: ''\n\njobs:\n gitStream:\n timeout-minutes: 5\n runs-on: ubuntu-latest\n name: gitStream workflow automation\n steps:\n - name: Evaluate Rules\n uses: linear-b/gitstream-github-action@v2\n id: rules-engine\n with:\n full_repository: ${{ github.event.inputs.full_repository }}\n head_ref: ${{ github.event.inputs.head_ref }}\n base_ref: ${{ github.event.inputs.base_ref }}\n client_payload: ${{ github.event.inputs.client_payload }}\n installation_id: ${{ github.event.inputs.installation_id }}\n resolver_url: ${{ github.event.inputs.resolver_url }}\n resolver_token: ${{ github.event.inputs.resolver_token }}\n
dataset_sample\yaml\Flow-Launcher_Flow.Launcher\.github\workflows\gitstream.yml
gitstream.yml
YAML
1,666
0.95
0.020408
0.021739
python-kit
837
2023-12-06T14:10:15.532696
GPL-3.0
false
cb8838938bc8028ad018481eeb68ced7
name: Assign PR to creator\n\non:\n pull_request_target:\n types: [opened]\n branches-ignore:\n - l10n_dev\n\npermissions:\n pull-requests: write\n\njobs:\n automation:\n runs-on: ubuntu-latest\n steps:\n - name: Assign PR to creator\n uses: toshimaru/auto-author-assign@v2.1.1\n
dataset_sample\yaml\Flow-Launcher_Flow.Launcher\.github\workflows\pr_assignee.yml
pr_assignee.yml
YAML
290
0.7
0
0
vue-tools
158
2024-09-21T05:08:09.503989
GPL-3.0
false
33b6bf331a4b232e47e15678609f9697
name: Set Milestone\n\n# Assigns the earliest created milestone that matches the below glob pattern.\n\non:\n pull_request_target:\n types: [opened]\n\npermissions:\n pull-requests: write\n\njobs:\n automation:\n runs-on: ubuntu-latest\n\n steps:\n - name: set-milestone\n uses: andrefcdias/add-to-milestone@v1.3.0\n with:\n repo-token: "${{ secrets.GITHUB_TOKEN }}"\n milestone: "+([0-9]).+([0-9]).+([0-9])"\n use-expression: true\n
dataset_sample\yaml\Flow-Launcher_Flow.Launcher\.github\workflows\pr_milestone.yml
pr_milestone.yml
YAML
469
0.8
0
0.058824
vue-tools
708
2024-06-11T20:43:26.800490
MIT
false
5e34a2f7280d11817006e4e228144ab0
name: Check Spelling\n\n# Comment management is handled through a secondary job, for details see:\n# https://github.com/check-spelling/check-spelling/wiki/Feature%3A-Restricted-Permissions\n#\n# `jobs.comment-push` runs when a push is made to a repository and the `jobs.spelling` job needs to make a comment\n# (in odd cases, it might actually run just to collapse a comment, but that's fairly rare)\n# it needs `contents: write` in order to add a comment.\n#\n# `jobs.comment-pr` runs when a pull_request is made to a repository and the `jobs.spelling` job needs to make a comment\n# or collapse a comment (in the case where it had previously made a comment and now no longer needs to show a comment)\n# it needs `pull-requests: write` in order to manipulate those comments.\n\n# Updating pull request branches is managed via comment handling.\n# For details, see: https://github.com/check-spelling/check-spelling/wiki/Feature:-Update-expect-list\n#\n# These elements work together to make it happen:\n#\n# `on.issue_comment`\n# This event listens to comments by users asking to update the metadata.\n#\n# `jobs.update`\n# This job runs in response to an issue_comment and will push a new commit\n# to update the spelling metadata.\n#\n# `with.experimental_apply_changes_via_bot`\n# Tells the action to support and generate messages that enable it\n# to make a commit to update the spelling metadata.\n#\n# `with.ssh_key`\n# In order to trigger workflows when the commit is made, you can provide a\n# secret (typically, a write-enabled github deploy key).\n#\n# For background, see: https://github.com/check-spelling/check-spelling/wiki/Feature:-Update-with-deploy-key\n\non:\n# push:\n# branches:\n# - '**'\n# - '!l10n_dev'\n# tags-ignore:\n# - "**"\n pull_request_target:\n branches:\n - '**'\n # - '!l10n_dev'\n tags-ignore:\n - "**"\n types:\n - 'opened'\n - 'reopened'\n - 'synchronize'\n # issue_comment:\n # types:\n # - 'created'\n\njobs:\n spelling:\n name: Check Spelling\n permissions:\n contents: read\n pull-requests: read\n actions: read\n security-events: write\n outputs:\n followup: ${{ steps.spelling.outputs.followup }}\n runs-on: ubuntu-latest\n if: (contains(github.event_name, 'pull_request') && github.head_ref != 'l10n_dev')\n concurrency:\n group: spelling-${{ github.event.pull_request.number || github.ref }}\n # note: If you use only_check_changed_files, you do not want cancel-in-progress\n cancel-in-progress: false\n steps:\n - name: check-spelling\n id: spelling\n uses: check-spelling/check-spelling@prerelease\n with:\n suppress_push_for_open_pull_request: 1\n checkout: true\n check_file_names: 1\n spell_check_this: check-spelling/spell-check-this@main\n post_comment: 0\n use_magic_file: 1\n experimental_apply_changes_via_bot: 1\n use_sarif: 0 # to show in pr page\n extra_dictionary_limit: 10\n check_commit_messages: commits title description\n only_check_changed_files: 1\n check_extra_dictionaries: ''\n quit_without_error: true\n extra_dictionaries:\n cspell:software-terms/dict/softwareTerms.txt\n cspell:win32/src/win32.txt\n cspell:filetypes/filetypes.txt\n cspell:csharp/csharp.txt\n cspell:dotnet/dict/dotnet.txt\n cspell:python/src/common/extra.txt\n cspell:python/src/python/python-lib.txt\n cspell:aws/aws.txt\n cspell:companies/src/companies.txt\n warnings:\n binary-file,deprecated-feature,large-file,limited-references,noisy-file,non-alpha-in-dictionary,unexpected-line-ending,whitespace-in-dictionary,minified-file,unsupported-configuration,unrecognized-spelling,no-newline-at-eof\n\n\n\n# comment-push:\n# name: Report (Push)\n# # If your workflow isn't running on push, you can remove this job\n# runs-on: ubuntu-latest\n# needs: spelling\n# permissions:\n# contents: write\n# if: (success() || failure()) && needs.spelling.outputs.followup && github.event_name == 'push'\n# steps:\n# - name: comment\n# uses: check-spelling/check-spelling@@v0.0.22\n# with:\n# checkout: true\n# spell_check_this: check-spelling/spell-check-this@main\n# task: ${{ needs.spelling.outputs.followup }}\n\n comment-pr:\n name: Report (PR)\n # If you workflow isn't running on pull_request*, you can remove this job\n runs-on: ubuntu-latest\n needs: spelling\n permissions:\n pull-requests: write\n if: (success() || failure()) && needs.spelling.outputs.followup && contains(github.event_name, 'pull_request')\n steps:\n - name: comment\n uses: check-spelling/check-spelling@prerelease\n with:\n checkout: true\n spell_check_this: check-spelling/spell-check-this@main\n task: ${{ needs.spelling.outputs.followup }}\n experimental_apply_changes_via_bot: 1\n\n # update:\n # name: Update PR\n # permissions:\n # contents: write\n # pull-requests: write\n # actions: read\n # runs-on: ubuntu-latest\n # if: ${{\n # github.event_name == 'issue_comment' &&\n # github.event.issue.pull_request &&\n # contains(github.event.comment.body, '@check-spelling-bot apply')\n # }}\n # concurrency:\n # group: spelling-update-${{ github.event.issue.number }}\n # cancel-in-progress: false\n # steps:\n # - name: apply spelling updates\n # uses: check-spelling/check-spelling@v0.0.22\n # with:\n # experimental_apply_changes_via_bot: 1\n # checkout: true\n # ssh_key: "${{ secrets.CHECK_SPELLING }}"\n
dataset_sample\yaml\Flow-Launcher_Flow.Launcher\.github\workflows\spelling.yml
spelling.yml
YAML
5,665
0.8
0.03125
0.529801
python-kit
494
2024-05-06T12:01:39.465596
Apache-2.0
false
fad18ee809371f206672bcc74df9144a
# For more information, see:\n# https://github.com/actions/stale\nname: Mark stale issues and pull requests\n\non:\n schedule:\n - cron: '30 1 * * *'\n\nenv:\n days-before-stale: 60\n days-before-close: 7\n exempt-issue-labels: 'keep-fresh'\n\njobs:\n stale:\n runs-on: ubuntu-latest\n permissions:\n issues: write\n pull-requests: write\n steps:\n - uses: actions/stale@v9\n with:\n stale-issue-message: 'This issue is stale because it has been open ${{ env.days-before-stale }} days with no activity. Remove stale label or comment or this will be closed in ${{ env.days-before-stale }} days.\n\nAlternatively this issue can be kept open by adding one of the following labels:\n${{ env.exempt-issue-labels }}'\n days-before-stale: ${{ env.days-before-stale }}\n days-before-close: ${{ env.days-before-close }}\n days-before-pr-close: -1\n exempt-all-milestones: true\n close-issue-message: 'This issue was closed because it has been stale for 7 days with no activity. If you feel this issue still needs attention please feel free to reopen.'\n stale-pr-label: 'no-pr-activity'\n exempt-issue-labels: ${{ env.exempt-issue-labels }}\n exempt-pr-labels: 'keep-fresh,awaiting-approval,work-in-progress'\n
dataset_sample\yaml\Flow-Launcher_Flow.Launcher\.github\workflows\stale.yml
stale.yml
YAML
1,290
0.8
0.032258
0.071429
node-utils
942
2025-03-19T08:44:23.664124
MIT
false
d619e609e8ade483bd88393ba04c0040
name: Top-Ranking Issues\non:\n schedule:\n - cron: '0 0 */1 * *'\n workflow_dispatch:\n\njobs:\n ShowAndLabelTopIssues:\n name: Display and label top issues.\n runs-on: ubuntu-latest\n steps:\n - name: Top Issues action \n uses: rickstaa/top-issues-action@v1.3.101\n env:\n github_token: ${{ secrets.GITHUB_TOKEN }}\n with:\n dashboard: true\n dashboard_show_total_reactions: true\n top_list_size: 10\n top_features: true\n top_bugs: true\n dashboard_title: Top-Ranking Issues 📈\n dashboard_label: ⭐ Dashboard\n hide_dashboard_footer: true\n top_issues: false\n
dataset_sample\yaml\Flow-Launcher_Flow.Launcher\.github\workflows\top-ranking-issues.yml
top-ranking-issues.yml
YAML
686
0.7
0
0
python-kit
350
2023-12-28T01:21:22.381203
GPL-3.0
false
554d915efbd1c24e30f97daab52454b8
---\n\nname: Deploy Website On Release\non:\n release:\n types: [published]\n workflow_dispatch:\n\njobs:\n dispatch:\n runs-on: ubuntu-latest\n steps:\n - name: Dispatch event\n run: |\n http_status=$(curl -L -f -s -o /dev/null -w "%{http_code}" \\n -X POST \\n -H "Accept: application/vnd.github+json" \\n -H "Authorization: Bearer ${{ secrets.DEPLOY_FLOW_WEBSITE }}" \\n https://api.github.com/repos/Flow-Launcher/flow-launcher.github.io/dispatches \\n -d '{"event_type":"deploy"}')\n if [ "$http_status" -ne 204 ]; then echo "Error: Deploy trigger failed, HTTP status code is $http_status"; exit 1; fi\n
dataset_sample\yaml\Flow-Launcher_Flow.Launcher\.github\workflows\website_deploy.yml
website_deploy.yml
YAML
683
0.8
0.047619
0
react-lib
623
2023-10-23T16:11:04.970099
GPL-3.0
false
458d4df2d54c3edfeed1afb6bfafe309
name: Publish to Winget\n\non:\n workflow_dispatch:\n\njobs:\n publish:\n runs-on: ubuntu-latest\n steps:\n - uses: vedantmgoyal2009/winget-releaser@v2\n with:\n identifier: Flow-Launcher.Flow-Launcher\n token: ${{ secrets.WINGET_TOKEN }}\n
dataset_sample\yaml\Flow-Launcher_Flow.Launcher\.github\workflows\winget.yml
winget.yml
YAML
265
0.7
0
0
awesome-app
602
2024-01-17T06:46:10.073583
GPL-3.0
false
89c79978c669fb77a4f59de1d2216d76
---\n\n# These are supported funding model platforms\n\ngithub: [flxzt] # Replace with up to 4 GitHub Sponsors-enabled usernames e.g., [user1, user2]\npatreon: # Replace with a single Patreon username\nopen_collective: # Replace with a single Open Collective username\nko_fi: # Replace with a single Ko-fi username\ntidelift: # Replace with a single Tidelift platform-name/package-name e.g., npm/babel\ncommunity_bridge: # Replace with a single Community Bridge project-name e.g., cloud-foundry\nliberapay: flxzt # Replace with a single Liberapay username\nissuehunt: # Replace with a single IssueHunt username\notechie: # Replace with a single Otechie username\nlfx_crowdfunding: # Replace with a single LFX Crowdfunding project-name e.g., cloud-foundry\n# custom: [] # Replace with up to 4 custom sponsorship URLs e.g., ['link1', 'link2']\n
dataset_sample\yaml\flxzt_rnote\.github\FUNDING.yml
FUNDING.yml
YAML
903
0.8
0
0.153846
python-kit
377
2024-10-13T03:31:03.879107
Apache-2.0
false
2a55376108fb356fd0d0f83fe8a6c6da
---\n\nname: CI\n\n"on":\n push:\n branches:\n - main\n pull_request:\n types: [opened, synchronize, reopened, ready_for_review]\n workflow_dispatch:\n workflow_call:\n\nenv:\n CARGO_TERM_COLOR: always\n\njobs:\n check:\n if: github.event.pull_request.draft == false\n runs-on: ubuntu-24.04\n container: fedora:42\n steps:\n\n - name: Checkout\n uses: actions/checkout@v4\n\n - name: Install rust toolchain\n id: toolchain\n uses: dtolnay/rust-toolchain@stable\n with:\n components: rustfmt, clippy\n\n - name: Prerequisites\n run: |\n dnf install -y just lsb_release\n just ci=true prerequisites-dev\n\n - name: Cache\n uses: actions/cache@v4\n env:\n SEGMENT_DOWNLOAD_TIMEOUT_MINS: 10\n with:\n path: |\n _mesonbuild/cargo-home/bin/\n _mesonbuild/cargo-home/registry/index/\n _mesonbuild/cargo-home/registry/cache/\n _mesonbuild/cargo-home/git/db/\n _mesonbuild/target/\n key: "cargo-${{ runner.os }}-${{ steps.toolchain.outputs.cachekey }}-\n ${{ hashFiles('**/Cargo.lock') }}-${{ github.workflow_sha }}"\n restore-keys: cargo-${{ runner.os }}-${{ steps.toolchain.outputs.cachekey }}\n\n - name: Setup\n run: just ci=true setup-dev\n\n - name: Fmt-check\n run: just ci=true fmt-check\n\n - name: Build\n run: just ci=true build\n\n - name: Install\n run: just ci=true install\n\n - name: Test\n run: just ci=true test\n\n - name: Test file compatibility\n run: just ci=true test-file-compatibility\n\n - name: Lint\n run: just ci=true lint\n continue-on-error: true\n\n - name: Upload test report\n uses: actions/upload-artifact@v4\n if: success() || failure()\n with:\n name: test-results\n path: target/nextest/ci/test-report-junit.xml\n
dataset_sample\yaml\flxzt_rnote\.github\workflows\ci.yml
ci.yml
YAML
1,931
0.7
0.025
0
python-kit
589
2024-11-16T11:01:00.857530
Apache-2.0
false
45f40980b9e1b2b0effbc8499846c612
---\n\nname: Generate Dist Archive\n\n"on":\n release:\n types: [published]\n workflow_dispatch:\n\njobs:\n dist:\n runs-on: ubuntu-24.04\n container: fedora:42\n permissions:\n # needed for uploading release artifact\n contents: write\n steps:\n\n # Necessary so that 'Checkout' will clone as repository, which the `meson dist` commands needs,\n # and that the artifact can be uploaded to github as release asset\n - name: Install dependencies\n run: |\n dnf install -y git gh\n\n - name: Checkout\n uses: actions/checkout@v4\n with:\n fetch-depth: 0\n\n - name: Add workspace as git safe directory\n run: git config --global --add safe.directory "$GITHUB_WORKSPACE"\n\n - name: Install rust toolchain\n id: toolchain\n uses: dtolnay/rust-toolchain@stable\n\n - name: Prerequisites\n run: |\n dnf install -y just lsb_release\n just ci=true prerequisites\n\n - name: Setup\n run: just ci=true setup-release\n\n - name: Create tarball\n run: just ci=true create-tarball\n\n - name: Register archive file names\n id: register_archive_file_names\n run: |\n echo "archive=$(basename _mesonbuild/meson-dist/rnote-*.tar.xz | tail -n1)" >> $GITHUB_OUTPUT\n echo "sha=$(basename _mesonbuild/meson-dist/rnote-*.tar.xz.sha256sum | tail -n1)" >> $GITHUB_OUTPUT\n\n - name: Upload dist archive (workflow artifact)\n uses: actions/upload-artifact@v4\n with:\n name: rnote-dist-archive-artifact\n path: |\n _mesonbuild/meson-dist/${{ steps.register_archive_file_names.outputs.archive }}\n _mesonbuild/meson-dist/${{ steps.register_archive_file_names.outputs.sha }}\n include-hidden-files: true\n if-no-files-found: error\n\n - name: Upload dist archive (release asset)\n if: ${{ github.event_name == 'release' }}\n env:\n GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }}\n run: |\n gh release upload ${{ github.ref_name }} \\n _mesonbuild/meson-dist/${{ steps.register_archive_file_names.outputs.archive }}\n gh release upload ${{ github.ref_name }} \\n _mesonbuild/meson-dist/${{ steps.register_archive_file_names.outputs.sha }}\n
dataset_sample\yaml\flxzt_rnote\.github\workflows\dist.yml
dist.yml
YAML
2,299
0.8
0.041667
0.050847
awesome-app
307
2024-08-09T07:16:45.832546
Apache-2.0
false
a95675fc82050640a27919b61d6c503b
---\n\nname: Nightly\n\n"on":\n schedule:\n - cron: "0 8 * * 1"\n workflow_dispatch:\n workflow_call:\n\njobs:\n flatpak:\n runs-on: ubuntu-24.04\n container:\n image: ghcr.io/flathub-infra/flatpak-github-actions:gnome-48\n options: --privileged\n steps:\n\n - name: Checkout\n uses: actions/checkout@v4\n\n - name: Build nightly flatpak\n uses: flatpak/flatpak-github-actions/flatpak-builder@v6\n with:\n manifest-path: build-aux/com.github.flxzt.rnote.Devel.yaml\n cache-key: flatpak-builder-${{ github.sha }}\n arch: x86_64\n build-bundle: true\n bundle: com.github.flxzt.rnote.Devel.flatpak\n
dataset_sample\yaml\flxzt_rnote\.github\workflows\nightly.yml
nightly.yml
YAML
669
0.7
0
0
python-kit
107
2024-07-13T22:20:05.415325
MIT
false
b03030b4ecb4c94859701612a2d587d3
---\n\nname: Release Windows\n\n"on":\n release:\n types: [published]\n workflow_dispatch:\n\njobs:\n build:\n runs-on: windows-2022\n permissions:\n # needed for uploading release artifact\n contents: write\n defaults:\n run:\n shell: msys2 {0}\n steps:\n\n - name: Set installer name\n id: set_installer_name\n shell: bash\n run: |\n echo "name=rnote-win-installer-$(echo ${GITHUB_REF_NAME#v} \\n | sed -e 's/[^A-Za-z0-9._-]/_/g')-x86_64" >> $GITHUB_OUTPUT\n\n - name: Setup MSYS2\n uses: msys2/setup-msys2@v2\n with:\n release: false\n update: true\n install: |\n mingw-w64-x86_64-binutils\n\n - name: Install rust toolchain\n uses: dtolnay/rust-toolchain@stable\n with:\n toolchain: stable-gnu\n\n - name: Configure PATH\n run: echo "export PATH=$PATH:/c/Users/$USER/.cargo/bin:/c/Program\ Files\ \(x86\)/Inno\ Setup\ 6" > ~/.bashrc\n\n - name: Checkout\n uses: actions/checkout@v4\n\n - name: Prerequisites\n run: |\n cargo install --locked just\n just ci=true prerequisites-win\n\n - name: Setup\n run: just ci=true setup-win-installer '${{ steps.set_installer_name.outputs.name }}'\n\n - name: Build\n run: just ci=true build\n\n - name: Build installer\n run: just ci=true build-win-installer\n\n - name: Upload installer (workflow artifact)\n uses: actions/upload-artifact@v4\n with:\n name: rnote-win-installer-artifact\n path: _mesonbuild/${{ steps.set_installer_name.outputs.name }}.exe\n if-no-files-found: error\n\n - name: Upload installer (release asset)\n if: ${{ github.event_name == 'release' }}\n shell: powershell\n env:\n GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }}\n run: gh release upload ${{ github.ref_name }} _mesonbuild/${{ steps.set_installer_name.outputs.name }}.exe\n
dataset_sample\yaml\flxzt_rnote\.github\workflows\release-windows.yml
release-windows.yml
YAML
1,972
0.8
0.041096
0.016949
python-kit
601
2024-02-12T05:14:02.744302
GPL-3.0
false
814f2c3bca5e319ae151c012b3d25e78
---\n\nname: Update Translations\n\n"on":\n push:\n branches:\n - 'main'\n paths:\n - 'crates/rnote-ui/po/LINGUAS'\n - 'crates/rnote-ui/po/zh_Hans.po'\n - 'crates/rnote-ui/po/zh_Hant.po'\n workflow_dispatch:\n workflow_call:\n\nconcurrency:\n group: ${{ github.workflow }}-${{ github.ref }}\n cancel-in-progress: true\n\njobs:\n i18n_zh_Hans2zh_Hant:\n name: zh_Hans -> zh_Hant\n runs-on: ubuntu-24.04\n permissions:\n # needed for pushing the changes\n contents: write\n steps:\n\n - name: Install dependencies\n run: |\n sudo apt-get update\n sudo apt-get install -y just git opencc\n\n - name: Setup repository\n run: |\n git clone -b ${GITHUB_HEAD_REF:-${GITHUB_REF#refs/heads/}} \\n ${{ github.server_url }}/${{ github.repository }} .\n git config --global --add safe.directory "$(pwd)"\n git config --local user.email "github-actions[bot]@users.noreply.github.com"\n git config --local user.name "github-actions[bot]"\n\n - name: Update translations\n run: |\n just update-translations\n\n - name: Commit changes\n id: commit-changes\n run: |\n echo -e "i18n: Update traditional Chinese translation\nreferenced issue: #220" \\n | git commit -a -F - || export failure=$?\n\n if [ -z $failure ]; then\n echo "status=true" >> $GITHUB_OUTPUT\n elif [ $failure = '1' ]; then\n echo 'No commit made, skip push.'\n echo "status=false" >> $GITHUB_OUTPUT\n else\n exit $failure\n fi\n\n - name: Push changes\n if: ${{ steps.commit-changes.outputs.status == 'true' }}\n uses: ad-m/github-push-action@v0.8.0\n with:\n github_token: ${{ secrets.GITHUB_TOKEN }}\n branch: ${{ github.ref }}\n
dataset_sample\yaml\flxzt_rnote\.github\workflows\update-translations.yml
update-translations.yml
YAML
1,843
0.8
0.045455
0.017857
react-lib
500
2024-05-08T10:26:37.198476
Apache-2.0
false
a76f679e7183dcde34efab20c895d61f
name: Build PRs\n\non:\n pull_request:\n branches:\n - main\n\njobs:\n build:\n runs-on: ${{ matrix.os }}\n\n strategy:\n matrix:\n os:\n - ubuntu-latest\n - macOS-latest\n - windows-latest\n java:\n - 17\n fail-fast: false\n\n permissions:\n contents: read\n\n steps:\n - name: Checkout Flyway\n uses: actions/checkout@v3\n - name: Set up JDK ${{ matrix.java }}\n uses: actions/setup-java@v3\n with:\n java-version: ${{ matrix.java }}\n distribution: 'temurin'\n cache: 'maven'\n\n - name: Build with Maven\n run: mvn -B install -e --file pom.xml -pl !flyway-database/flyway-database-mongodb
dataset_sample\yaml\flyway_flyway\.github\workflows\build-pr.yml
build-pr.yml
YAML
694
0.7
0
0
react-lib
675
2024-04-09T14:26:21.555549
MIT
false
fb18e649b34c17f1201e1e58dda6d79f
name: Build Release Tags\n\non:\n release:\n types:\n - created\n\njobs:\n build:\n runs-on: ${{ matrix.os }}\n\n strategy:\n matrix:\n os:\n - ubuntu-latest\n - macOS-latest\n - windows-latest\n java:\n - 17\n\n permissions:\n contents: read\n\n steps:\n - name: Checkout Flyway\n uses: actions/checkout@v3\n - name: Set up JDK ${{ matrix.java }}\n uses: actions/setup-java@v3\n with:\n java-version: ${{ matrix.java }}\n distribution: 'temurin'\n cache: 'maven'\n\n - name: Build with Maven\n run: mvn -B install -e --file pom.xml "-Dgithub.os=${{ matrix.os }}" -pl !flyway-database/flyway-database-mongodb\n\n - name: Smoke Test with Maven\n run: mvn -B exec:java -e --file pom.xml -pl flyway-commandline "-Dexec.mainClass=org.flywaydb.commandline.Main" "-Dexec.args=-url='jdbc:h2:mem:db' info"
dataset_sample\yaml\flyway_flyway\.github\workflows\build-release.yml
build-release.yml
YAML
901
0.7
0
0
node-utils
661
2024-09-03T11:59:07.410410
GPL-3.0
false
22a5a6d28e4d25d378662b993341e3b7
# Sample workflow for building and deploying a Jekyll site to GitHub Pages\nname: Deploy Jekyll with GitHub Pages dependencies preinstalled\n\non:\n # Runs on pushes targeting the default branch\n push:\n branches: ["main"]\n\n # Allows you to run this workflow manually from the Actions tab\n # workflow_dispatch:\n\n# Sets permissions of the GITHUB_TOKEN to allow deployment to GitHub Pages\npermissions:\n contents: read\n pages: write\n id-token: write\n\n# Allow only one concurrent deployment, skipping runs queued between the run in-progress and latest queued.\n# However, do NOT cancel in-progress runs as we want to allow these production deployments to complete.\nconcurrency:\n group: "pages"\n cancel-in-progress: false\n\njobs:\n # Build job\n build:\n runs-on: ubuntu-latest\n steps:\n - name: Checkout\n uses: actions/checkout@v4\n - name: Setup Pages\n uses: actions/configure-pages@v5\n - name: Build with Jekyll\n uses: actions/jekyll-build-pages@v1\n with:\n source: ./docs\n destination: ./_site\n - name: Upload artifact\n uses: actions/upload-pages-artifact@v3\n\n # Deployment job\n deploy:\n environment:\n name: github-pages\n url: ${{ steps.deployment.outputs.page_url }}\n runs-on: ubuntu-latest\n needs: build\n steps:\n - name: Deploy to GitHub Pages\n id: deployment\n uses: actions/deploy-pages@v4
dataset_sample\yaml\flyway_flyway\.github\workflows\jekyll-gh-pages.yml
jekyll-gh-pages.yml
YAML
1,414
0.8
0.02
0.2
awesome-app
9
2023-10-24T09:23:02.250192
Apache-2.0
false
839653e6ce8c97a12bf2140bf76bc3c1
# Welcome to Jekyll!\n#\n# This config file is meant for settings that affect your whole blog, values\n# which you are expected to set up once and rarely edit after that. If you find\n# yourself editing this file very often, consider using Jekyll's data files\n# feature for the data you need to update frequently.\n#\n# For technical reasons, this file is *NOT* reloaded automatically when you use\n# 'bundle exec jekyll serve'. If you change this file, please restart the server process.\nremote_theme: pages-themes/minimal@v0.2.0\n\n# Site settings\n# These are used to personalize your new site. If you look in the HTML files,\n# you will see them accessed via {{ site.title }}, {{ site.email }}, and so on.\n# You can create any custom variable you would like, and they will be accessible\n# in the templates via {{ site.myvariable }}.\ntitle: Contributing to Flyway\n#email: your-email@example.com\ndescription: >- # this means to ignore newlines until "baseurl:"\n Flyway - Database migrations made easy \nlogo: assets/flyway-logo.png\nbaseurl: "/flyway" # the subpath of your site, e.g. /blog\nurl: "" # the base hostname & protocol for your site, e.g. http://example.com\n#twitter_username: jekyllrb\n#github_username: jekyll\n\n# Build settings\nmarkdown: kramdown\ntheme: minima\nplugins:\n - jekyll-feed\n - jekyll-remote-theme # add this line to the plugins list if you already have one\n# Exclude from processing.\n# The following items will not be processed, by default. Create a custom list\n# to override the default setting.\n# exclude:\n# - Gemfile\n# - Gemfile.lock\n# - node_modules\n# - vendor/bundle/\n# - vendor/cache/\n# - vendor/gems/\n# - vendor/ruby/
dataset_sample\yaml\flyway_flyway\docs\_config.yml
_config.yml
YAML
1,655
0.8
0.095238
0.707317
vue-tools
469
2024-08-24T16:17:52.203093
GPL-3.0
false
00c8e942d2929024a5ce6464884d6d9e
flywayVersion: 11.7.2\nenterpriseUrl: https://download.red-gate.com/maven/release/com/redgate/flyway\nkramdown:\n smart_quotes: ["apos", "apos", "quot", "quot"]\n typographic_symbols: { hellip: ... , mdash: --- , ndash: -- , laquo: "<<" , raquo: ">>" , laquo_space: "<< " , raquo_space: " >>" }
dataset_sample\yaml\flyway_flyway\documentation\_config.yml
_config.yml
YAML
292
0.8
0
0
vue-tools
466
2024-06-25T21:50:53.213271
Apache-2.0
false
5238a087e06f35b7d726a0779e7797ac
linters:\n ErbSafety:\n # TODO: [@rhymes] re-enable this and fix the violations,\n # see https://github.com/Shopify/erb-lint#ErbSafety\n enabled: false\n SelfClosingTag:\n enabled: false\n ParserErrors:\n exclude:\n - '**/app/views/pages/_editor_guide_text.html.erb'\n SpaceInHtmlTag:\n exclude:\n - '**/app/views/pages/_editor_guide_text.html.erb'\n AllowedScriptType:\n enabled: true\n allowed_types:\n - 'text/javascript'\n - 'text/x-tmpl'\n - 'application/ld+json'\n allow_blank: true\n disallow_inline_scripts: false\n Rubocop:\n enabled: true\n rubocop_config:\n inherit_from:\n - .rubocop.yml\n Layout/InitialIndentation:\n Enabled: false\n Layout/LineLength:\n Max: 289\n Exclude:\n - '**/app/views/comments/_comment_proper.html.erb'\n Layout/TrailingEmptyLines:\n Enabled: false\n Lint/UselessAssignment:\n Enabled: false\n Rails/OutputSafety:\n Enabled: false\n Exclude:\n - '**/app/views/feedback_messages/index.html.erb'\n - '**/app/views/layouts/_styles.html.erb'\n - '**/app/views/liquid_embeds/show.html.erb'\n - '**/app/views/moderations/mod.html.erb'\n - '**/app/views/pages/onboarding.html.erb'\n - '**/app/views/partnerships/show.html.erb'\n - '**/app/views/partnerships/index.html.erb'\n
dataset_sample\yaml\forem_forem\.erb-lint.yml
.erb-lint.yml
YAML
1,386
0.8
0
0.043478
react-lib
1
2024-10-01T23:51:09.379929
GPL-3.0
false
f08495a9e0418f6febaa5f09a12cd6ec
ports:\n - port: 3000\n onOpen: ignore\n - port: 3035\n onOpen: ignore\n - port: 5432\n onOpen: ignore\n - port: 6379\n onOpen: ignore\n\ntasks:\n - name: Open Site\n command: >\n gp ports await 3000 &&\n printf "Waiting for local Forem development environment to load in the browser..." &&\n gp preview $(gp url 3000) &&\n exit\n - name: Forem Server\n before: |\n cp .env_sample .env\n echo "APP_DOMAIN=\"$(gp url 3000 | cut -f 3 -d /)\"" >> .env\n echo 'APP_PROTOCOL="https://"' >> .env\n echo 'COMMUNITY_NAME="DEV(Gitpod)"' >> .env\n gem install dip\n gem install solargraph\n init: dip provision\n command: dip up web\n\ngithub:\n prebuilds:\n # enable for the master/default branch (defaults to true)\n master: true\n # enable for all branches in this repo (defaults to false)\n branches: false\n # enable for pull requests coming from this repo (defaults to true)\n pullRequests: true\n # enable for pull requests coming from forks (defaults to false)\n pullRequestsFromForks: true\n # add a "Review in Gitpod" button as a comment to pull requests (defaults to true)\n addComment: false\n # add a "Review in Gitpod" button to pull requests (defaults to false)\n addBadge: false\n # add a label once the prebuild is ready to pull requests (defaults to false)\n addLabel: false\n # add a check to pull requests (defaults to true)\n addCheck: true\n
dataset_sample\yaml\forem_forem\.gitpod.yml
.gitpod.yml
YAML
1,436
0.8
0.108696
0.181818
python-kit
683
2024-11-12T14:16:45.430462
Apache-2.0
false
b0bddc24cc64b8f2d8a60f55fa673572
# TODO: [@thepracticaldev/oss] test cops that are commented out\n\ninherit_from: .rubocop_todo.yml\n\nrequire:\n - rubocop-performance\n - rubocop-rails\n - rubocop-rspec\n - rubocop-capybara\n\nAllCops:\n Exclude:\n - bin/**/*\n - db/schema.rb\n - db/migrate/*.rb\n - node_modules/**/*\n - tmp/**/*\n - vendor/**/*\n - .pryrc\n DisplayStyleGuide: true\n ExtraDetails: true\n NewCops: enable # opt-in to new cops by default\n TargetRubyVersion: 3.0\n\n#################### Bundler ###########################\n\nBundler/GemVersion:\n Description: 'Requires or forbids specifying gem versions.'\n Enabled: true\n EnforcedStyle: 'required'\n AllowedGems: ['acts_as_follower']\n\nBundler/OrderedGems:\n Description: >-\n Gems within groups in the Gemfile should be alphabetically sorted.\n Enabled: true\n ConsiderPunctuation: true\n\n#################### Layout ###########################\n\nGemspec/DeprecatedAttributeAssignment:\n Description: 'Checks that deprecated attribute attributes (like date) are not set in a gemspec file.'\n Enabled: true\n\n#################### Layout ###########################\n\nLint/AmbiguousAssignment:\n Description: 'Checks for mistyped shorthand assignments.'\n Enabled: true\n\nLayout/ClassStructure:\n Description: 'Enforces a configured order of definitions within a class body.'\n StyleGuide: '#consistent-classes'\n Enabled: true\n\nLayout/DotPosition:\n Description: 'Checks the position of the dot in multi-line method calls.'\n StyleGuide: '#consistent-multi-line-chains'\n EnforcedStyle: leading\n\nLint/EmptyInPattern:\n Description: 'Checks for the presence of `in` pattern branches without a body.'\n Enabled: true\n\nLayout/EmptyLinesAroundAttributeAccessor:\n Description: "Keep blank lines around attribute accessors."\n StyleGuide: '#empty-lines-around-attribute-accessor'\n Enabled: true\n\n# Layout/FirstArrayElementLineBreak:\n# Description: >-\n# Checks for a line break before the first element in a\n# multi-line array.\n# Enabled: false\n\n# Layout/FirstHashElementLineBreak:\n# Description: >-\n# Checks for a line break before the first element in a\n# multi-line hash.\n# Enabled: false\n\n# Layout/FirstMethodArgumentLineBreak:\n# Description: >-\n# Checks for a line break before the first argument in a\n# multi-line method call.\n# Enabled: false\n\n# Layout/FirstMethodParameterLineBreak:\n# Description: >-\n# Checks for a line break before the first parameter in a\n# multi-line method parameter definition.\n# Enabled: false\n\n# Layout/HeredocArgumentClosingParenthesis:\n# Description: >-\n# Checks for the placement of the closing parenthesis in a\n# method call that passes a HEREDOC string as an argument.\n# Enabled: false\n# StyleGuide: '#heredoc-argument-closing-parentheses'\n\nLayout/LineLength:\n Description: 'Checks that line length does not exceed the configured limit.'\n AutoCorrect: true # this is false by default\n Exclude:\n - Gemfile\n - app/lib/constants/site_config.rb\n - spec/workers/users/record_field_test_event_worker_spec.rb\n\n# Layout/MultilineArrayLineBreaks:\n# Description: >-\n# Checks that each item in a multi-line array literal\n# starts on a separate line.\n# Enabled: false\n\n# Layout/MultilineAssignmentLayout:\n# Description: 'Check for a newline after the assignment operator in multi-line assignments.'\n# StyleGuide: '#indent-conditional-assignment'\n# Enabled: false\n\n# Layout/MultilineHashKeyLineBreaks:\n# Description: >-\n# Checks that each item in a multi-line hash literal\n# starts on a separate line.\n# Enabled: false\n\n# Layout/MultilineMethodArgumentLineBreaks:\n# Description: >-\n# Checks that each argument in a multi-line method call\n# starts on a separate line.\n# Enabled: false\n\nLayout/MultilineOperationIndentation:\n Description: >-\n Checks indentation of binary operations that span more than\n one line.\n Enabled: true\n EnforcedStyle: indented\n\nLayout/MultilineMethodCallIndentation:\n Description: >-\n Checks indentation of method calls with the dot operator\n that span more than one line.\n Enabled: true\n EnforcedStyle: indented\n\nLayout/SpaceAroundMethodCallOperator:\n Description: 'Checks method call operators to not have spaces around them.'\n Enabled: true\n\nLayout/SpaceBeforeBrackets:\n Description: 'Checks for receiver with a space before the opening brackets.'\n StyleGuide: '#space-in-brackets-access'\n Enabled: true\n\n#################### Lint ##################################\n\nLint/AmbiguousBlockAssociation:\n Description: >-\n Checks for ambiguous block association with method when param passed without\n parentheses.\n StyleGuide: '#syntax'\n Enabled: true\n Exclude:\n - "spec/**/*"\n\nLint/BinaryOperatorWithIdenticalOperands:\n Description: 'This cop checks for places where binary operator has identical operands.'\n Enabled: true\n\nLint/ConstantResolution:\n Description: 'Check that constants are fully qualified with `::`.'\n Enabled: false\n\nLint/DeprecatedConstants:\n Description: 'Checks for deprecated constants.'\n Enabled: true\n\nLint/DeprecatedOpenSSLConstant:\n Description: "Don't use algorithm constants for `OpenSSL::Cipher` and `OpenSSL::Digest`."\n Enabled: true\n\nLint/DuplicateBranch:\n Description: Checks that there are no repeated bodies within `if/unless`, `case-when` and `rescue` constructs.\n Enabled: false\n\nLint/DuplicateElsifCondition:\n Description: 'Do not repeat conditions used in if `elsif`.'\n Enabled: true\n\nLint/DuplicateRegexpCharacterClassElement:\n Description: 'Checks for duplicate elements in Regexp character classes.'\n Enabled: true\n\nLint/DuplicateRescueException:\n Description: 'Checks that there are no repeated exceptions used in `rescue` expressions.'\n Enabled: true\n\nLint/EmptyConditionalBody:\n Description: 'This cop checks for the presence of `if`, `elsif` and `unless` branches without a body.'\n Enabled: true\n\nLint/EmptyBlock:\n Description: 'This cop checks for blocks without a body.'\n Enabled: true\n\nLint/EmptyClass:\n Description: 'Checks for classes and metaclasses without a body.'\n Enabled: true\n\nLint/FloatComparison:\n Description: 'Checks for the presence of precise comparison of floating point numbers.'\n StyleGuide: '#float-comparison'\n Enabled: true\n\n# Lint/HeredocMethodCallPosition:\n# Description: >-\n# Checks for the ordering of a method call where\n# the receiver of the call is a HEREDOC.\n# Enabled: false\n\nLint/MissingSuper:\n Description: >-\n This cop checks for the presence of constructors and lifecycle callbacks\n without calls to `super`'.\n Enabled: true\n Exclude:\n - 'app/components/**/*.rb'\n - 'app/policies/**/*.rb'\n\nLint/MixedRegexpCaptureTypes:\n Description: 'Do not mix named captures and numbered captures in a Regexp literal.'\n Enabled: true\n\nLint/NumberedParameterAssignment:\n Description: 'Checks for uses of numbered parameter assignment.'\n Enabled: true\n\n# Lint/NumberConversion:\n# Description: 'Checks unsafe usage of number conversion methods.'\n# Enabled: false\n\nLint/OrAssignmentToConstant:\n Description: 'Checks unintended or-assignment to constant.'\n Enabled: true\n\nLint/OutOfRangeRegexpRef:\n Description: 'Checks for out of range reference for Regexp because it always returns nil.'\n Enabled: true\n\nLint/RaiseException:\n Description: Checks for `raise` or `fail` statements which are raising `Exception` class.\n StyleGuide: '#raise-exception'\n Enabled: true\n\nLint/RedundantDirGlobSort:\n Description: 'Checks for redundant `sort` method to `Dir.glob` and `Dir[]`.'\n Enabled: true\n\nLint/SelfAssignment:\n Description: 'Checks for self-assignments.'\n Enabled: true\n\nLint/StructNewOverride:\n Description: 'Disallow overriding the `Struct` built-in methods via `Struct.new`.'\n Enabled: true\n\nLint/SymbolConversion:\n Description: 'Checks for unnecessary symbol conversions.'\n Enabled: true\n\nLint/ToEnumArguments:\n Description: 'This cop ensures that `to_enum`/`enum_for`, called for the current method, has correct arguments.'\n Enabled: true\n\nLint/TopLevelReturnWithArgument:\n Description: 'This cop detects top level return statements with argument.'\n Enabled: true\n\nLint/TripleQuotes:\n Description: 'Checks for useless triple quote constructs.'\n Enabled: true\n\nLint/UnexpectedBlockArity:\n Description: 'Looks for blocks that have fewer arguments that the calling method expects.'\n Enabled: true\n\nLint/UnmodifiedReduceAccumulator:\n Description: Checks for `reduce` or `inject` blocks that do not update the accumulator each iteration.\n Enabled: true\n\nLint/UnreachableLoop:\n Description: 'This cop checks for loops that will have at most one iteration.'\n Enabled: true\n\n#################### Metrics ###############################\n\nMetrics/AbcSize:\n Description: >-\n A calculated magnitude based on number of assignments,\n branches, and conditions.\n Enabled: false\n\nMetrics/BlockLength:\n Description: 'Avoid long blocks with many lines.'\n Enabled: true\n Exclude:\n - 'db/seeds.rb'\n - 'Guardfile'\n - 'spec/**/*'\n\nMetrics/ClassLength:\n Description: 'Avoid classes longer than 100 lines of code.'\n Enabled: false\n\nMetrics/CyclomaticComplexity:\n Description: >-\n A complexity metric that is strongly correlated to the number\n of test cases needed to validate a method.\n Enabled: true\n Max: 13\n\nMetrics/MethodLength:\n Description: 'Avoid methods longer than 10 lines of code.'\n StyleGuide: '#short-methods'\n Enabled: false\n\nMetrics/ModuleLength:\n Description: 'Avoid modules longer than 100 lines of code.'\n Enabled: false\n\nMetrics/ParameterLists:\n Description: 'Avoid parameter lists longer than three or four parameters.'\n StyleGuide: '#too-many-params'\n Enabled: false\n\nMetrics/PerceivedComplexity:\n Description: >-\n A complexity metric geared towards measuring complexity for a\n human reader.\n Enabled: true\n Max: 14\n\n#################### Naming ##############################\n\nNaming/AccessorMethodName:\n Description: Check the naming of accessor methods for get_/set_.\n StyleGuide: '#accessor_mutator_method_names'\n Enabled: false\n\nNaming/InclusiveLanguage:\n Description: 'Recommend the use of inclusive language instead of problematic terms.'\n Enabled: false\n\nNaming/PredicateName:\n Description: 'Check the names of predicate methods.'\n StyleGuide: '#bool-methods-qmark'\n Enabled: true\n ForbiddenPrefixes:\n - is_\n Exclude:\n - spec/**/*\n\nNaming/VariableNumber:\n Description: 'Use the configured style when numbering symbols, methods and variables.'\n StyleGuide: '#snake-case-symbols-methods-vars-with-numbers'\n Enabled: false\n\n#################### Style ###############################\n\nStyle/AsciiComments:\n Description: 'Use only ascii symbols in comments.'\n StyleGuide: '#english-comments'\n Enabled: false\n\nStyle/AccessorGrouping:\n Description: 'Checks for grouping of accessors in `class` and `module` bodies.'\n Enabled: true\n\nStyle/ArgumentsForwarding:\n Description: 'Use arguments forwarding.'\n StyleGuide: '#arguments-forwarding'\n Enabled: false\n\nStyle/ArrayCoercion:\n Description: >-\n Use Array() instead of explicit Array check or [*var], when dealing\n with a variable you want to treat as an Array, but you're not certain it's an array.\n StyleGuide: '#array-coercion'\n Enabled: true\n\n# Style/AutoResourceCleanup:\n# Description: 'Suggests the usage of an auto resource cleanup version of a method (if available).'\n# Enabled: false\n\nStyle/BisectedAttrAccessor:\n Description: >-\n Checks for places where `attr_reader` and `attr_writer`\n for the same method can be combined into single `attr_accessor`.\n Enabled: true\n\nStyle/CaseLikeIf:\n Description: 'This cop identifies places where `if-elsif` constructions can be replaced with `case-when`.'\n StyleGuide: '#case-vs-if-else'\n Enabled: true\n\nStyle/ClassAndModuleChildren:\n Description: 'Checks style of children classes and modules.'\n StyleGuide: '#namespace-definition'\n Enabled: true\n SafeAutoCorrect: true\n\nStyle/CollectionCompact:\n Description: 'Use `{Array,Hash}#{compact,compact!}` instead of custom logic to reject nils.'\n Enabled: true\n\nStyle/CollectionMethods:\n Description: 'Preferred collection methods.'\n StyleGuide: '#map-find-select-reduce-include-size'\n Enabled: true\n PreferredMethods:\n find: detect\n\n# Style/ConstantVisibility:\n# Description: >-\n# Check that class- and module constants have\n# visibility declarations.\n# Enabled: false\n\n# Style/DateTime:\n# Description: 'Use Time over DateTime.'\n# StyleGuide: '#no-datetime'\n# Enabled: false\n\nStyle/Documentation:\n Description: 'Document classes and non-namespace modules.'\n Enabled: false\n\nStyle/DocumentDynamicEvalDefinition:\n Description: >-\n When using `class_eval` (or other `eval`) with string interpolation,\n add a comment block showing its appearance if interpolated.\n StyleGuide: '#eval-comment-docs'\n Enabled: true\n\nStyle/ExplicitBlockArgument:\n Description: >-\n Consider using explicit block argument to avoid writing block literal\n that just passes its arguments to another block.\n StyleGuide: '#block-argument'\n Enabled: true\n\nStyle/Encoding:\n Description: 'Use UTF-8 as the source file encoding.'\n Enabled: false\n\nStyle/EndlessMethod:\n Description: 'Avoid the use of multi-lined endless method definitions.'\n StyleGuide: '#endless-methods'\n Enabled: pending\n\nStyle/ExponentialNotation:\n Description: 'When using exponential notation, favor a mantissa between 1 (inclusive) and 10 (exclusive).'\n StyleGuide: '#exponential-notation'\n Enabled: true\n EnforcedStyle: scientific\n\nStyle/FormatStringToken:\n Description: 'Use a consistent style for format string tokens.'\n Exclude:\n - 'config/routes.rb'\n\nStyle/FrozenStringLiteralComment:\n Description: >-\n Add the frozen_string_literal comment to the top of files\n to help transition to frozen string literals by default.\n Enabled: true\n EnforcedStyle: never\n\nStyle/GlobalStdStream:\n Description: 'Enforces the use of `$stdout/$stderr/$stdin` instead of `STDOUT/STDERR/STDIN`.'\n StyleGuide: '#global-stdout'\n Enabled: true\n\nStyle/HashAsLastArrayItem:\n Description: >-\n Checks for presence or absence of braces around hash literal as a last\n array item depending on configuration.\n StyleGuide: '#hash-literal-as-last-array-item'\n Enabled: true\n EnforcedStyle: braces\n\nStyle/HashConversion:\n Description: 'Avoid Hash[] in favor of ary.to_h or literal hashes.'\n Enabled: true\n\nStyle/HashEachMethods:\n Description: 'Use Hash#each_key and Hash#each_value.'\n StyleGuide: '#hash-each'\n Enabled: true\n\nStyle/HashExcept:\n Description: >-\n Checks for usages of `Hash#reject`, `Hash#select`, and `Hash#filter` methods\n that can be replaced with `Hash#except` method.\n Enabled: true\n\nStyle/HashLikeCase:\n Description: >-\n Checks for places where `case-when` represents a simple 1:1\n mapping and can be replaced with a hash lookup.\n Enabled: true\n\nStyle/HashSyntax:\n Description: >-\n Prefer Ruby 1.9 hash syntax { a: 1, b: 2 } over 1.8 syntax\n { :a => 1, :b => 2 }.\n StyleGuide: '#hash-literals'\n Enabled: true\n EnforcedStyle: ruby19_no_mixed_keys\n\nStyle/HashTransformKeys:\n Description: 'Prefer `transform_keys` over `each_with_object` and `map`.'\n StyleGuide: '#hash-transform-methods'\n Enabled: true\n\nStyle/HashTransformValues:\n Description: 'Prefer `transform_values` over `each_with_object` and `map`.'\n StyleGuide: '#hash-transform-methods'\n Enabled: true\n\nStyle/IfUnlessModifier:\n Description: >-\n Favor modifier if/unless usage when you have a\n single-line body.\n StyleGuide: '#if-as-a-modifier'\n Enabled: false\n\nStyle/IfWithBooleanLiteralBranches:\n Description: 'Checks for redundant `if` with boolean literal branches.'\n Enabled: true\n\n# Style/ImplicitRuntimeError:\n# Description: >-\n# Use `raise` or `fail` with an explicit exception class and\n# message, rather than just a message.\n# Enabled: false\n\n# Style/InlineComment:\n# Description: 'Avoid trailing inline comments.'\n# Enabled: false\n\nStyle/InPatternThen:\n Description: 'Checks for `in;` uses in `case` expressions.'\n StyleGuide: '#no-in-pattern-semicolons'\n Enabled: true\n\n# Style/IpAddresses:\n# Description: "Don't include literal IP addresses in code."\n# Enabled: false\n\n# Style/MethodCallWithArgsParentheses:\n# Description: 'Use parentheses for method calls with arguments.'\n# StyleGuide: '#method-invocation-parens'\n# Enabled: false\n\n# Style/MethodCalledOnDoEndBlock:\n# Description: 'Avoid chaining a method call on a do...end block.'\n# StyleGuide: '#single-line-blocks'\n# Enabled: false\n\nStyle/MultilineInPatternThen:\n Description: 'Do not use `then` for multi-line `in` statement.'\n Enabled: true\n\nStyle/NegatedIfElseCondition:\n Description: >-\n This cop checks for uses of `if-else` and ternary operators with a negated condition\n which can be simplified by inverting condition and swapping branches.\n Enabled: true\n\nStyle/Next:\n Description: 'Use `next` to skip iteration instead of a condition at the end.'\n StyleGuide: '#no-nested-conditionals'\n Enabled: true\n\nStyle/NilLambda:\n Description: 'Prefer `-> {}` to `-> { nil }`.'\n Enabled: true\n\nStyle/OptionalBooleanParameter:\n Description: 'Use keyword arguments when defining method with boolean argument.'\n StyleGuide: '#boolean-keyword-arguments'\n Enabled: true\n\nStyle/OptionHash:\n Description: "Don't use option hashes when you can use keyword arguments."\n Enabled: true\n\nStyle/QuotedSymbols:\n Description: 'Use a consistent style for quoted symbols.'\n Enabled: true\n\nStyle/RedundantArgument:\n Description: 'Check for a redundant argument passed to certain methods.'\n Enabled: true\n\nStyle/RedundantAssignment:\n Description: 'Checks for redundant assignment before returning.'\n Enabled: true\n\nStyle/RedundantFetchBlock:\n Description: >-\n Use `fetch(key, value)` instead of `fetch(key) { value }`\n when value has Numeric, Rational, Complex, Symbol or String type, `false`, `true`, `nil` or is a constant.\n Reference: 'https://github.com/JuanitoFatas/fast-ruby#hashfetch-with-argument-vs-hashfetch--block-code'\n Enabled: true\n\nStyle/RedundantFileExtensionInRequire:\n Description: >-\n Checks for the presence of superfluous `.rb` extension in\n the filename provided to `require` and `require_relative`.\n StyleGuide: '#no-explicit-rb-to-require'\n Enabled: true\n\nStyle/RedundantRegexpCharacterClass:\n Description: 'Checks for unnecessary single-element Regexp character classes.'\n Enabled: true\n\nStyle/RedundantRegexpEscape:\n Description: 'Checks for redundant escapes in Regexps.'\n Enabled: true\n\nStyle/ReturnNil:\n Description: 'Use return instead of return nil.'\n Enabled: true\n\nStyle/Send:\n Description: 'Prefer `Object#__send__` or `Object#public_send` to `send`, as `send` may overlap with existing methods.'\n StyleGuide: '#prefer-public-send'\n Enabled: true\n\nStyle/SingleArgumentDig:\n Description: 'Avoid using single argument dig method.'\n Enabled: true\n\nStyle/SingleLineBlockParams:\n Description: 'Enforces the names of some block params.'\n Enabled: true\n\nStyle/SlicingWithRange:\n Description: 'Checks array slicing is done with endless ranges when suitable.'\n Enabled: true\n\nStyle/StringChars:\n Description: 'Checks for uses of `String#split` with empty string or regexp literal argument.'\n Enabled: true\n\nStyle/StringConcatenation:\n Description: 'Checks for places where string concatenation can be replaced with string interpolation.'\n StyleGuide: '#string-interpolation'\n Enabled: true\n\nStyle/StringLiterals:\n Description: 'Checks if uses of quotes match the configured preference.'\n StyleGuide: '#consistent-string-literals'\n Enabled: true\n EnforcedStyle: double_quotes\n ConsistentQuotesInMultiline: true\n\nStyle/SwapValues:\n Description: 'This cop enforces the use of shorthand-style swapping of 2 variables.'\n StyleGuide: '#values-swapping'\n Enabled: true\n\nStyle/TopLevelMethodDefinition:\n Description: 'This cop looks for top-level method definitions.'\n Enabled: false\n# We're disabling it for the time being until a new version of rubocop\n# (> 1.31.2) is released with a fix for false positives that are coming up.\n# These files below were the original files excluded from this rule.\n# Exclude:\n# - scripts/release\n# - scripts/stage_release\n\nStyle/TrailingCommaInArguments:\n Description: 'Checks for trailing comma in argument lists.'\n StyleGuide: '#no-trailing-params-comma'\n Enabled: true\n EnforcedStyleForMultiline: comma\n\nStyle/TrailingCommaInArrayLiteral:\n Description: 'Checks for trailing comma in array literals.'\n StyleGuide: '#no-trailing-array-commas'\n Enabled: true\n EnforcedStyleForMultiline: comma\n\nStyle/TrailingCommaInBlockArgs:\n Description: 'Checks for useless trailing commas in block arguments.'\n Enabled: true\n\nStyle/UnlessLogicalOperators:\n Description: >-\n Checks for use of logical operators in an unless condition.\n Enabled: false\n\n# Performance cops from rubocop-performance\n# https://github.com/rubocop-hq/rubocop-performance/blob/master/config/default.yml\nPerformance/AncestorsInclude:\n Description: 'Use `A <= B` instead of `A.ancestors.include?(B)`.'\n Reference: 'https://github.com/JuanitoFatas/fast-ruby#ancestorsinclude-vs--code'\n Enabled: true\n\nPerformance/BigDecimalWithNumericArgument:\n Description: 'Convert numeric argument to string before passing to BigDecimal.'\n Enabled: true\n\nPerformance/CaseWhenSplat:\n Description: >-\n Reordering `when` conditions with a splat to the end\n of the `when` branches can improve performance.\n Enabled: true\n\nPerformance/ChainArrayAllocation:\n Description: >-\n Instead of chaining array methods that allocate new arrays, mutate an\n existing array.\n Reference: 'https://twitter.com/schneems/status/1034123879978029057'\n Enabled: false\n\nPerformance/IoReadlines:\n Description: 'Use `IO.each_line` (`IO#each_line`) instead of `IO.readlines` (`IO#readlines`).'\n Reference: 'https://docs.gitlab.com/ee/development/performance.html#reading-from-files-and-other-data-sources'\n Enabled: true\n\nPerformance/MapCompact:\n Description: 'Use `filter_map` instead of `collection.map(&:do_something).compact`.'\n Enabled: true\n\nPerformance/OpenStruct:\n Description: 'Use `Struct` instead of `OpenStruct`.'\n Enabled: true\n\nPerformance/RedundantEqualityComparisonBlock:\n Description: >-\n Checks for uses `Enumerable#all?`, `Enumerable#any?`, `Enumerable#one?`,\n or `Enumerable#none?` are compared with `===` or similar methods in block.\n Enabled: true\n\nPerformance/RedundantSortBlock:\n Description: 'Use `sort` instead of `sort { |a, b| a <=> b }`.'\n Enabled: true\n\nPerformance/RedundantSplitRegexpArgument:\n Description: 'This cop identifies places where `split` argument can be replaced from a deterministic regexp to a string.'\n Enabled: true\n\nPerformance/RedundantStringChars:\n Description: 'Checks for redundant `String#chars`.'\n Enabled: true\n\nPerformance/ReverseFirst:\n Description: 'Use `last(n).reverse` instead of `reverse.first(n)`.'\n Enabled: true\n\nPerformance/SelectMap:\n Description: 'Use `filter_map` instead of `ary.select(&:foo).map(&:bar)`.'\n Enabled: true\n\nPerformance/SortReverse:\n Description: 'Use `sort.reverse` instead of `sort { |a, b| b <=> a }`.'\n Enabled: true\n\nPerformance/Squeeze:\n Description: "Use `squeeze('a')` instead of `gsub(/a+/, 'a')`."\n Reference: 'https://github.com/JuanitoFatas/fast-ruby#remove-extra-spaces-or-other-contiguous-characters-code'\n Enabled: true\n\nPerformance/StringInclude:\n Description: 'Use `String#include?` instead of a regex match with literal-only pattern.'\n Enabled: true\n\n# Rails cops from rubocop-rails\n# https://github.com/rubocop-hq/rubocop-rails/blob/master/config/default.yml\n# TODO: [@thepracticaldev/oss] enable these Rails cops\n\nRails/ActiveRecordCallbacksOrder:\n Description: 'Order callback declarations in the order in which they will be executed.'\n StyleGuide: 'https://rails.rubystyle.guide/#callbacks-order'\n Enabled: true\n\nRails/AddColumnIndex:\n Description: >-\n Rails migrations don't make use of a given `index` key, but also\n doesn't given an error when it's used, so it makes it seem like an\n index might be used.\n Enabled: true\n\nRails/Date:\n Exclude:\n - scripts/release\n - scripts/stage_release\n\nRails/DefaultScope:\n Description: 'Avoid use of `default_scope`.'\n StyleGuide: 'https://rails.rubystyle.guide#avoid-default-scope'\n Enabled: true\n\nRails/EagerEvaluationLogMessage:\n Description: 'Checks that blocks are used for interpolated strings passed to `Rails.logger.debug`.'\n Reference: 'https://guides.rubyonrails.org/debugging_rails_applications.html#impact-of-logs-on-performance'\n Enabled: true\n\nRails/EnvironmentVariableAccess:\n Description: 'Do not access `ENV` directly after initialization.'\n Enabled: false\n\nRails/ExpandedDateRange:\n Description: 'Checks for expanded date range.'\n Enabled: true\n\nRails/FilePath:\n EnforcedStyle: slashes\n\nRails/FindById:\n Description: >-\n Favor the use of `find` over `where.take!`, `find_by!`, and `find_by_id!` when you\n need to retrieve a single record by primary key when you expect it to be found.\n StyleGuide: 'https://rails.rubystyle.guide/#find'\n Enabled: true\n\nRails/I18nLocaleAssignment:\n Description: 'Prefer the usage of `I18n.with_locale` instead of manually updating `I18n.locale` value.'\n Enabled: true\n\nRails/Inquiry:\n Description: "Prefer Ruby's comparison operators over Active Support's `Array#inquiry` and `String#inquiry`."\n StyleGuide: 'https://rails.rubystyle.guide/#inquiry'\n Enabled: true\n\nRails/LexicallyScopedActionFilter:\n Exclude:\n - app/controllers/api/**/*\n\nRails/MailerName:\n Description: 'Mailer should end with `Mailer` suffix.'\n StyleGuide: 'https://rails.rubystyle.guide/#mailer-name'\n Enabled: true\n\nRails/MatchRoute:\n Description: >-\n Don't use `match` to define any routes unless there is a need to map multiple request types\n among [:get, :post, :patch, :put, :delete] to a single action using the `:via` option.\n StyleGuide: 'https://rails.rubystyle.guide/#no-match-routes'\n Enabled: true\n\nRails/NegateInclude:\n Description: 'Prefer `collection.exclude?(obj)` over `!collection.include?(obj)`.'\n Enabled: true\n\nRails/Pluck:\n Description: 'Prefer `pluck` over `map { ... }`.'\n Enabled: true\n\nRails/PluckId:\n Description: 'Use `ids` instead of `pluck(:id)` or `pluck(primary_key)`.'\n StyleGuide: 'https://rails.rubystyle.guide/#ids'\n Enabled: true\n\nRails/PluckInWhere:\n Description: 'Use `select` instead of `pluck` in `where` query methods.'\n Enabled: true\n\nRails/RenderInline:\n Description: 'Prefer using a template over inline rendering.'\n StyleGuide: 'https://rails.rubystyle.guide/#inline-rendering'\n Enabled: true\n\nRails/RenderPlainText:\n Description: 'Prefer `render plain:` over `render text:`.'\n StyleGuide: 'https://rails.rubystyle.guide/#plain-text-rendering'\n Enabled: true\n\n# TODO: enable this once all loader related deprecations on console/server startup are dealt with\nRails/RequireDependency:\n Description: 'Do not use `require_dependency` when running in Zeitwerk mode. `require_dependency` is for autoloading in classic mode.'\n Reference: 'https://guides.rubyonrails.org/autoloading_and_reloading_constants.html'\n Enabled: false\n\nRails/ReversibleMigrationMethodDefinition:\n Description: 'Checks whether the migration implements either a `change` method or both an `up` and a `down` method.'\n Enabled: true\n Include:\n - db/migrate/*.rb\n\nRails/ShortI18n:\n Description: 'Use the short form of the I18n methods: `t` instead of `translate` and `l` instead of `localize`.'\n StyleGuide: 'https://rails.rubystyle.guide/#short-i18n'\n Enabled: true\n\nRails/SkipsModelValidations:\n Description: >-\n Use methods that skips model validations with caution.\n See reference for more information.\n Reference: 'https://guides.rubyonrails.org/active_record_validations.html#skipping-validations'\n Enabled: false\n\nRails/SquishedSQLHeredocs:\n Enabled: false\n\nRails/TimeZoneAssignment:\n Description: 'Prefer the usage of `Time.use_zone` instead of manually updating `Time.zone` value.'\n Reference: 'https://thoughtbot.com/blog/its-about-time-zones'\n Enabled: true\n\nRails/UnusedIgnoredColumns:\n Description: 'Remove a column that does not exist from `ignored_columns`.'\n Enabled: true\n\nRails/WhereExists:\n Description: 'Prefer `exists?(...)` over `where(...).exists?`.'\n Enabled: true\n\n# RSpec cops from rubocop-rspec\n# https://github.com/rubocop-hq/rubocop-rspec/blob/master/config/default.yml\nRSpec/DescribeClass:\n Description: Check that the first argument to the top level describe is a constant.\n Enabled: true\n StyleGuide: https://www.rubydoc.info/gems/rubocop-rspec/RuboCop/Cop/RSpec/DescribeClass\n Exclude:\n - '**/spec/features/**/*'\n - '**/spec/requests/**/*'\n - '**/spec/routing/**/*'\n - '**/spec/system/**/*'\n - '**/spec/views/**/*'\n\nRSpec/DescribedClassModuleWrapping:\n Description: Avoid opening modules and defining specs within them.\n Enabled: true\n StyleGuide: https://www.rubydoc.info/gems/rubocop-rspec/RuboCop/Cop/RSpec/DescribedClassModuleWrapping\n\nRSpec/ExampleLength:\n Description: Checks for long examples.\n Enabled: false\n\nRSpec/IdenticalEqualityAssertion:\n Description: Checks for equality assertions with identical expressions on both sides.\n Enabled: true\n StyleGuide: https://www.rubydoc.info/gems/rubocop-rspec/RuboCop/Cop/RSpec/IdenticalEqualityAssertion\n\nRSpec/MessageExpectation:\n Description: Checks for consistent message expectation style.\n Enabled: true\n EnforcedStyle: allow\n\nRSpec/MultipleMemoizedHelpers:\n Description: Checks if example groups contain too many `let` and `subject` calls.\n Enabled: false\n StyleGuide: https://www.rubydoc.info/gems/rubocop-rspec/RuboCop/Cop/RSpec/MultipleMemoizedHelpers\n\nRSpec/MultipleExpectations:\n Description: Checks if examples contain too many `expect` calls.\n Enabled: true\n Max: 8\n StyleGuide: https://www.rubydoc.info/gems/rubocop-rspec/RuboCop/Cop/RSpec/MultipleExpectations\n\nRSpecRails/AvoidSetupHook:\n Description: Checks that tests use RSpec `before` hook over Rails `setup` method.\n Enabled: true\n StyleGuide: https://www.rubydoc.info/gems/rubocop-rspec/RuboCop/Cop/RSpec/Rails/AvoidSetupHook\n\nRSpec/NoExpectationExample:\n Enabled: false\n AllowedPatterns:\n - ^expect_\n - ^assert_\n - sidekiq_assert_\n\nRSpec/IndexedLet:\n Enabled: false\n
dataset_sample\yaml\forem_forem\.rubocop.yml
.rubocop.yml
YAML
31,296
0.95
0.090909
0.135032
vue-tools
210
2024-08-13T12:01:31.622264
Apache-2.0
false
792252fbe18bd1f447a6e1fd9bf6792a
# This configuration was generated by\n# `rubocop --auto-gen-config --no-auto-gen-timestamp`\n# using RuboCop version 1.21.0.\n# The point is for the user to remove these configuration records\n# one by one as the offenses are removed from the code base.\n# Note that changes in the inspected code, or installation of new\n# versions of RuboCop, may require this file to be generated again.\n# https://github.com/openstreetmap/openstreetmap-website/issues/2472\n\nrequire:\n - rubocop-performance\n - rubocop-rails\n - rubocop-rspec\n\n# Offense count: 8\n# Configuration parameters: Include.\n# Include: app/models/**/*.rb\nRails/HasManyOrHasOneDependent:\n Exclude:\n - 'app/models/article.rb'\n - 'app/models/organization.rb'\n - 'app/models/user.rb'\n
dataset_sample\yaml\forem_forem\.rubocop_todo.yml
.rubocop_todo.yml
YAML
746
0.95
0.045455
0.55
awesome-app
493
2024-11-19T11:00:22.038344
Apache-2.0
false
9a819c1ac10d320d277c66c3330fcc55
---\ninclude:\n- "**/*.rb"\nexclude:\n- spec/**/*\n- test/**/*\n- vendor/**/*\n- ".bundle/**/*"\nrequire: []\ndomains: []\nreporters:\n- rubocop\n- require_not_found\nformatter:\n rubocop:\n cops: safe\n except: []\n only: []\n extra_args: []\nrequire_paths: []\nplugins:\n - solargraph-rails\nmax_files: 5000\n
dataset_sample\yaml\forem_forem\.solargraph.yml
.solargraph.yml
YAML
302
0.95
0
0
awesome-app
923
2023-08-09T13:09:29.856335
BSD-3-Clause
false
5f257e9b3a9f76963ade89e909738c79
nodeLinker: node-modules\n\nyarnPath: .yarn/releases/yarn-4.1.0.cjs\n\nlogFilters:\n - code: "YN0002"\n level: "discard"\n
dataset_sample\yaml\forem_forem\.yarnrc.yml
.yarnrc.yml
YAML
119
0.7
0
0
awesome-app
236
2025-04-05T16:16:25.521774
Apache-2.0
false
db6006475fbd6174f1dacdea75e2c0be
# NB: Run the following command to verify this file is valid\n# > cat codecov.yml | curl --data-binary @- https://codecov.io/validate\n\ncomment: false\ncodecov:\n ci:\n - "!buildkite"\n require_ci_to_pass: no\n notify:\n wait_for_ci: no\nignore:\n - "vendor"\n - "bin"\n - "**/*.svg"\n - "lib/sitemap_generator"\n - "lib/generators"\n - "lib/tasks/custom_seeds.rake"\ncoverage:\n status:\n patch:\n default:\n target: 60%\n project: false\nflag_management:\n default_rules:\n carryforward: false\n
dataset_sample\yaml\forem_forem\codecov.yml
codecov.yml
YAML
510
0.95
0
0.08
awesome-app
369
2024-04-05T11:10:44.711431
BSD-3-Clause
false
96fb2eeed172e0359e7d414cbf9fabab
services:\n rails:\n image: quay.io/forem/forem:development\n container_name: forem_rails\n ports:\n - "3000:3000"\n depends_on:\n - bundle\n - db\n - redis\n - yarn\n healthcheck:\n test: ["CMD", "curl" , "-f", "http://localhost:3000/"]\n interval: 30s\n timeout: 10s\n retries: 3\n start_period: 10s\n environment:\n RAILS_ENV: development\n DATABASE_URL: postgresql://forem:forem@db:5432/PracticalDeveloper_development\n REDIS_SESSIONS_URL: redis://redis:6379\n REDIS_SIDEKIQ_URL: redis://redis:6379\n REDIS_URL: redis://redis:6379\n RACK_TIMEOUT_WAIT_TIMEOUT: 10000\n RACK_TIMEOUT_SERVICE_TIMEOUT: 10000\n STATEMENT_TIMEOUT: 10000\n APP_DOMAIN: rails\n volumes:\n - .:/opt/apps/forem:z\n entrypoint: ["dockerize", "-wait", "tcp://db:5432", "-wait", "tcp://redis:6379", "-wait", "file:///opt/apps/forem/vendor/bundle/.bundle_finished", "-timeout", "2700s"]\n command: [ "bash", "-c", "./scripts/entrypoint.sh bootstrap && bundle exec rails server -b 0.0.0.0 -p 3000"]\n\n bundle:\n image: quay.io/forem/forem:development\n container_name: forem_bundle\n environment:\n RAILS_ENV: development\n REDIS_SESSIONS_URL: redis://redis:6379\n REDIS_SIDEKIQ_URL: redis://redis:6379\n REDIS_URL: redis://redis:6379\n DATABASE_URL: postgresql://forem:forem@db:5432/PracticalDeveloper_development\n volumes:\n - .:/opt/apps/forem:z\n command: ["./scripts/bundle.sh"]\n\n yarn:\n image: quay.io/forem/forem:development\n container_name: forem_yarn\n environment:\n RAILS_ENV: development\n REDIS_SESSIONS_URL: redis://redis:6379\n REDIS_SIDEKIQ_URL: redis://redis:6379\n REDIS_URL: redis://redis:6379\n DATABASE_URL: postgresql://forem:forem@db:5432/PracticalDeveloper_development\n volumes:\n - .:/opt/apps/forem:z\n command: [ "bash", "-c", "yarn install --dev"]\n\n webpacker:\n image: quay.io/forem/forem:development\n container_name: forem_webpacker\n depends_on:\n - rails\n - yarn\n environment:\n RAILS_ENV: development\n REDIS_SESSIONS_URL: redis://redis:6379\n REDIS_SIDEKIQ_URL: redis://redis:6379\n REDIS_URL: redis://redis:6379\n DATABASE_URL: postgresql://forem:forem@db:5432/PracticalDeveloper_development\n volumes:\n - .:/opt/apps/forem:z\n entrypoint: ["dockerize", "-wait", "file:///opt/apps/forem/node_modules/.bin/webpack-dev-server", "-timeout", "300s"]\n command: ["./bin/webpack-dev-server"]\n\n seed:\n image: quay.io/forem/forem:development\n container_name: forem_seed\n depends_on:\n rails:\n condition: service_healthy\n redis:\n condition: service_healthy\n db:\n condition: service_healthy\n environment:\n RAILS_ENV: development\n REDIS_SESSIONS_URL: redis://redis:6379\n REDIS_SIDEKIQ_URL: redis://redis:6379\n REDIS_URL: redis://redis:6379\n DATABASE_URL: postgresql://forem:forem@db:5432/PracticalDeveloper_development\n volumes:\n - .:/opt/apps/forem:z\n command: ["bundle", "exec", "rake","db:seed"]\n\n sidekiq:\n image: quay.io/forem/forem:development\n container_name: forem_sidekiq\n depends_on:\n rails:\n condition: service_healthy\n redis:\n condition: service_healthy\n db:\n condition: service_healthy\n environment:\n RAILS_ENV: development\n REDIS_SESSIONS_URL: redis://redis:6379\n REDIS_SIDEKIQ_URL: redis://redis:6379\n REDIS_URL: redis://redis:6379\n DATABASE_URL: postgresql://forem:forem@db:5432/PracticalDeveloper_development\n volumes:\n - .:/opt/apps/forem:z\n command: ["bundle", "exec", "sidekiq","-c","2"]\n\n db:\n image: postgres:11-alpine\n container_name: forem_postgresql\n healthcheck:\n test: [ "CMD", "pg_isready", "-d" ,"forem", "-U", "forem" ]\n interval: 10s\n timeout: 5s\n retries: 5\n environment:\n POSTGRES_USER: forem\n POSTGRES_PASSWORD: forem\n POSTGRES_DB: PracticalDeveloper_development\n ports:\n - "5432:5432"\n volumes:\n - db_data:/var/lib/postgresql/data:Z\n\n redis:\n image: redis:6.0.9-alpine\n healthcheck:\n test: [ "CMD", "redis-cli", "--raw", "incr", "ping" ]\n interval: 20s\n timeout: 5s\n retries: 3\n start_period: 10s\n container_name: forem_redis\n ports:\n - "6379:6379"\n\nvolumes:\n db_data:\n
dataset_sample\yaml\forem_forem\container-compose.yml
container-compose.yml
YAML
4,399
0.8
0
0
awesome-app
51
2024-09-06T07:17:26.511922
GPL-3.0
false
7e68a3efa519bc697a00cf684a4c9ef8
version: '7.1'\n\n# Define default environment variables to pass\n# to Docker Compose\nenvironment:\n RAILS_ENV: development\n\ncompose:\n files:\n - docker-compose.yml\n project_name: forem\n\ninteraction:\n # This command spins up a Rails container with the required dependencies (such as databases),\n # and opens a terminal within it.\n runner:\n description: Open a Bash shell within a Rails container (with dependencies up)\n service: rails\n command: /bin/bash\n\n # Run a Rails container without any dependent services (useful for non-Rails scripts)\n bash:\n description: Run an arbitrary script within a container (or open a shell without deps)\n service: rails\n command: /bin/bash\n compose_run_options: [ no-deps ]\n\n # A shortcut to run Bundler commands\n bundle:\n description: Run Bundler commands\n service: rails\n command: bundle\n compose_run_options: [ no-deps ]\n\n # A shortcut to run RSpec (which overrides the RAILS_ENV)\n rspec:\n description: Run Rails unit tests\n service: rails\n environment:\n RAILS_ENV: test\n command: bundle exec rspec --exclude-pattern 'system/**/*_spec.rb'\n subcommands:\n system:\n description: Run Rails system tests\n service: rspec_system\n command: bundle exec rspec --pattern 'system/**/*_spec.rb'\n\n rails:\n description: Run Rails commands\n service: rails\n command: bundle exec rails\n subcommands:\n s:\n description: Run Rails server at http://localhost:3000\n service: web\n compose:\n run_options: [ service-ports, use-aliases ]\n\n yarn:\n description: Run Yarn commands\n service: rails\n command: yarn\n compose_run_options: [ no-deps ]\n\n psql:\n description: Run Postgres psql console\n service: postgres\n default_args: practicaldeveloper_development\n command: psql -h postgres -U postgres\n\n 'redis-cli':\n description: Run Redis console\n service: redis\n command: redis-cli -h redis\n\nprovision:\n # You may include this command if you would like to remove all volumes\n # - dip compose down --volumes\n #\n - dip compose up -d postgres\n - dip compose up -d redis\n - dip bash -c bin/setup\n - dip rails db:test:prepare RAILS_ENV=test\n
dataset_sample\yaml\forem_forem\dip.yml
dip.yml
YAML
2,222
0.95
0.024096
0.138889
react-lib
824
2024-10-08T07:12:24.124987
MIT
false
c9f245631555cb8b0102a4e41386c2de
x-app: &app\n build:\n target: development\n context: .\n args:\n PG_MAJOR: '13'\n image: ghcr.io/forem/forem:1.0.0-development\n environment: &env\n NODE_ENV: ${NODE_ENV:-development}\n RAILS_ENV: ${RAILS_ENV:-development}\n tmpfs:\n - /tmp\n - /app/tmp/pids\n\nx-backend: &backend\n <<: *app\n stdin_open: true\n tty: true\n volumes:\n - ${LOCAL_WORKSPACE_FOLDER:-.}:/app:cached\n - bundle:/usr/local/bundle\n - cypress:/root/.cache/Cypress\n - rails_cache:/app/tmp/cache\n - assets:/app/public/assets\n - node_modules:/app/node_modules\n - builds:/app/public/builds\n - history:/usr/local/hist\n - ${LOCAL_WORKSPACE_FOLDER:-.}/.dockerdev/.psqlrc:/root/.psqlrc:ro\n environment: &backend_environment\n <<: *env\n CHROME_URL: http://chrome:3333\n REDIS_URL: redis://redis:6379/\n DATABASE_URL: postgres://postgres:postgres@postgres:5432\n DATABASE_URL_TEST: postgres://postgres:postgres@postgres:5432\n MALLOC_ARENA_MAX: 2\n WEB_CONCURRENCY: ${WEB_CONCURRENCY:-1}\n BOOTSNAP_CACHE_DIR: /usr/local/bundle/_bootsnap\n XDG_DATA_HOME: /app/tmp/cache\n YARN_CACHE_FOLDER: /app/node_modules/.yarn-cache\n HISTFILE: /usr/local/hist/.bash_history\n PSQL_HISTFILE: /usr/local/hist/.psql_history\n IRB_HISTFILE: /usr/local/hist/.irb_history\n depends_on:\n postgres:\n condition: service_healthy\n redis:\n condition: service_healthy\n\nservices:\n devcontainer:\n <<: *backend\n environment:\n MALLOC_ARENA_MAX: 2\n WEB_CONCURRENCY: ${WEB_CONCURRENCY:-1}\n REDIS_URL: redis://redis:6379/\n DATABASE_URL: postgres://postgres:postgres@postgres:5432\n DATABASE_URL_TEST: postgres://postgres:postgres@postgres:5432\n CHROME_URL: http://chrome:3333\n volumes:\n - ${LOCAL_WORKSPACE_FOLDER:-.}:/workspaces/forem:cached\n - bundle:/usr/local/bundle\n - cypress:/root/.cache/Cypress\n - rails_cache:/workspaces/forem/tmp/cache\n - assets:/workspaces/forem/public/assets\n - node_modules:/workspaces/forem/node_modules\n - history:/usr/local/hist\n - ${LOCAL_WORKSPACE_FOLDER:-.}/.dockerdev/.psqlrc:/root/.psqlrc:ro\n - /var/run/docker.sock:/var/run/docker-host.sock\n command: sleep infinity\n tmpfs:\n - /workspaces/forem/tmp/pids\n ports:\n - '3000:3000'\n\n rails:\n <<: *backend\n command: bundle exec rails\n\n web:\n <<: *backend\n command: bundle exec rails server -b 0.0.0.0\n ports:\n - '3000:3000'\n depends_on:\n esbuild:\n condition: service_started\n sidekiq:\n condition: service_started\n\n sidekiq:\n <<: *backend\n command: bundle exec sidekiq\n\n postgres:\n image: postgres:13\n volumes:\n - ${LOCAL_WORKSPACE_FOLDER:-.}/.dockerdev/.psqlrc:/root/.psqlrc:ro\n - postgres:/var/lib/postgresql/data\n - history:/usr/local/hist\n environment:\n PSQL_HISTFILE: /usr/local/hist/.psql_history\n POSTGRES_PASSWORD: postgres\n ports:\n - 5432\n healthcheck:\n test: pg_isready -U postgres -h 127.0.0.1\n interval: 5s\n\n redis:\n image: redis:7.0-alpine\n volumes:\n - redis:/data\n ports:\n - 6379\n healthcheck:\n test: redis-cli ping\n interval: 1s\n timeout: 3s\n retries: 30\n\n esbuild:\n <<: *app\n command: yarn build --watch\n volumes:\n - ${LOCAL_WORKSPACE_FOLDER:-.}:/app:cached\n - bundle:/usr/local/bundle\n - node_modules:/app/node_modules\n - builds:/app/assets/builds\n environment:\n <<: *env\n WEBPACKER_DEV_SERVER_HOST: 0.0.0.0\n YARN_CACHE_FOLDER: /app/node_modules/.yarn-cache\n\n chrome:\n image: browserless/chrome:latest\n ports:\n - "3333:3333"\n # Mount application source code to support file uploading\n # (otherwise Chrome won't be able to find files).\n # NOTE: Make sure you use absolute paths in `#attach_file`.\n volumes:\n - ${LOCAL_WORKSPACE_FOLDER:-.}:/app:cached\n environment:\n PORT: 3333\n CONNECTION_TIMEOUT: 600000\n\n rspec_system:\n <<: *backend\n depends_on:\n chrome:\n condition: service_started\n\nvolumes:\n bundle:\n cypress:\n node_modules:\n history:\n rails_cache:\n postgres:\n redis:\n assets:\n builds:\n\n
dataset_sample\yaml\forem_forem\docker-compose.yml
docker-compose.yml
YAML
4,187
0.8
0
0.019868
python-kit
462
2025-01-22T07:25:46.419249
Apache-2.0
false
3a2f5fea3aec71e36f7c58e0024f0eb5
steps:\n - command: ./scripts/build_containers.sh\n label: ":hammer: Build containers!"\n key: build-containers\n plugins:\n - docker-login#v2.0.1:\n username: forem+buildkite\n password-env: QUAY_LOGIN_PASSWORD\n server: quay.io\n
dataset_sample\yaml\forem_forem\.buildkite\pipeline.containers.yml
pipeline.containers.yml
YAML
264
0.8
0
0
react-lib
404
2023-11-07T11:01:25.269589
GPL-3.0
false
6e04b291bd4d65f887f91c9d107720d4
version: 2\nupdates:\n # RubyGems dependency updates (typically for Rails and other Ruby gems)\n - package-ecosystem: "bundler" # for RubyGems\n directory: "/" # path to the directory containing the Gemfile\n schedule:\n interval: "weekly" # frequency of update checks\n day: "monday" # specify the day to check for updates\n time: "04:00" # specify the time of day (in UTC) to check for updates\n open-pull-requests-limit: 5 # limit the number of open pull requests\n labels:\n - "dependencies" # label to assign to pull requests\n - "ruby"\n milestone: 1 # ID of the milestone to assign to the pull requests if needed\n\n # JavaScript dependency updates (for both npm and Yarn)\n - package-ecosystem: "npm" # for JavaScript packages\n directory: "/" # path to the directory containing the package.json and yarn.lock files\n schedule:\n interval: "weekly"\n day: "tuesday"\n time: "04:00"\n open-pull-requests-limit: 5\n labels:\n - "dependencies"\n - "javascript"\n milestone: 1\n\n # Configuration for GitHub Actions\n - package-ecosystem: "github-actions"\n directory: "/"\n schedule:\n interval: "monthly"\n day: "monday" # change 'first' to a valid day of the week\n time: "04:00"\n labels:\n - "dependencies"\n - "github-actions"\n
dataset_sample\yaml\forem_forem\.github\dependabot.yml
dependabot.yml
YAML
1,320
0.8
0.210526
0.083333
python-kit
566
2025-05-18T17:38:59.348116
BSD-3-Clause
false
a522758684d498fe5f1b86e6d984788e
blank_issues_enabled: false\ncontact_links:\n - name: Feature Request\n url: https://github.com/forem/forem/discussions/categories/feature-requests\n about: Have a feature request? Please let us know via GitHub Discussions. \n - name: Forem Q&A\n url: https://github.com/forem/forem/discussions/categories/q-a\n about: Have a general questions? Please let us know via GitHub Discussions.\n - name: Self-Host Bug Report\n url: https://github.com/forem/selfhost/issues/new\n about: Create a report to help us improve the Self-Host repository.\n
dataset_sample\yaml\forem_forem\.github\ISSUE_TEMPLATE\config.yml
config.yml
YAML
554
0.8
0
0
python-kit
758
2025-01-11T22:18:31.039501
GPL-3.0
false
d5db73a428ece56018c2882464a8ab01
---\nname: Build ghcr.io/forem/ruby Container Image\non:\n workflow_call:\n # Allow manual runs through GitHub GUI in case of emergency.\n workflow_dispatch:\n push:\n branches:\n - 'main'\n paths:\n - 'Containerfile.base'\n - '.ruby-version-next'\n pull_request:\n branches:\n - 'main'\n paths:\n - 'Containerfile.base'\n - '.ruby-version-next'\n\njobs:\n build-image:\n runs-on: ubuntu-latest\n steps:\n - name: Checkout\n uses: actions/checkout@v3\n with:\n fetch-depth: "2" # Get current and preceding commit only\n - name: Detect relevant changed files in this job\n id: containerfile-changed\n uses: tj-actions/changed-files@v37\n with:\n files: Containerfile.base\n - name: Do not push to GHCR if this commit does not target the main branch\n if: ${{ github.event_name != 'push' && github.event_name != 'workflow_dispatch' }}\n run: echo "SKIP_PUSH=1" >> $GITHUB_ENV\n - name: Set up QEMU for cross-compiling to ARM64\n uses: docker/setup-qemu-action@v2\n - name: Set up Docker BuildX\n id: buildx\n uses: docker/setup-buildx-action@v2\n - name: Login to GitHub Container Registry\n if: ${{ github.event_name == 'push' || github.event_name == 'workflow_dispatch' }}\n uses: docker/login-action@v2\n with:\n registry: ghcr.io\n username: ${{ github.repository_owner }}\n password: ${{ github.token }}\n - name: Build Images\n env:\n EXTERNAL_QEMU: "1"\n run: scripts/build_base_ruby_image.sh\n
dataset_sample\yaml\forem_forem\.github\workflows\build-base-ruby-image.yml
build-base-ruby-image.yml
YAML
1,596
0.8
0.078431
0.02
awesome-app
477
2024-03-15T23:04:59.683380
MIT
false
74ee0b7819743c41d4b5683cbbc99021
name: Buildkite\non:\n issue_comment:\n types: [created]\njobs:\n add_ci_label:\n name: "Add CI label to pull request"\n if: github.event.issue.pull_request != '' && contains(github.event.comment.body, '/ci') && (github.event.comment.author_association == 'MEMBER' || github.event.comment.author_association == 'OWNER' || github.event.comment.author_association == 'CONTRIBUTOR')\n runs-on: ubuntu-latest\n steps:\n - uses: actions/checkout@v3\n - uses: actions-ecosystem/action-add-labels@v1\n with:\n github_token: ${{ secrets.github_token }}\n labels: ci\n\n build_containers:\n name: "Run forem/build-containers pipeline"\n if: github.event.issue.pull_request != '' && contains(github.event.comment.body, '/ci') && (github.event.comment.author_association == 'MEMBER' || github.event.comment.author_association == 'OWNER' || github.event.comment.author_association == 'CONTRIBUTOR')\n runs-on: ubuntu-latest\n steps:\n - uses: actions/checkout@v3\n - run: ./scripts/create_buildkite_pr_build.sh\n env:\n BUILDKITE_API_ACCESS_TOKEN: ${{ secrets.buildkite_api_access_token }}\n PIPELINE: "forem/build-containers"\n GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }}\n PULL_REQUEST_ID: ${{ github.event.issue.number }}\n
dataset_sample\yaml\forem_forem\.github\workflows\buildkite.yml
buildkite.yml
YAML
1,302
0.7
0.071429
0
python-kit
538
2024-02-25T10:41:03.601577
BSD-3-Clause
false
c6fa00a91c34a6f8fff5a7500cc3f0bc
name: CD\n\non:\n push:\n branches:\n - main\n\njobs:\n deploy:\n runs-on: ubuntu-latest\n concurrency: ${{ matrix.environment }}\n environment: ${{ matrix.environment }}\n\n strategy:\n matrix:\n environment: [ production, staging ]\n\n steps:\n - name: Install Heroku CLI\n run: |\n curl https://cli-assets.heroku.com/install.sh | sh \n\n - uses: actions/checkout@v4\n \n - uses: akhileshns/heroku-deploy@v3.13.15\n with:\n heroku_api_key: ${{ secrets.HEROKU_API_KEY }}\n heroku_app_name: ${{ secrets.HEROKU_APP_NAME }}\n heroku_email: ${{ secrets.HEROKU_EMAIL }}\n \n - uses: honeybadger-io/github-notify-deploy-action@v1\n with:\n api_key: ${{ secrets.HONEYBADGER_API_KEY_RUBY }}\n if: matrix.environment == 'production'\n \n - uses: honeybadger-io/github-notify-deploy-action@v1\n with:\n api_key: ${{ secrets.HONEYBADGER_API_KEY_JAVASCRIPT }}\n if: matrix.environment == 'production'\n
dataset_sample\yaml\forem_forem\.github\workflows\cd.yml
cd.yml
YAML
1,025
0.8
0.051282
0
vue-tools
553
2024-10-20T07:48:17.731889
MIT
false
7bf653cedb76661b91f7d0f56062c4f3
name: CI\n\non:\n pull_request:\n branches:\n - main\n merge_group:\n branches:\n - main\nconcurrency:\n group: ${{ github.workflow }}-${{ github.ref }}\n cancel-in-progress: ${{ github.ref != 'refs/heads/main' }}\n\nenv:\n COVERAGE: true\n RAILS_ENV: test\n NODE_ENV: test\n DATABASE_URL_TEST: postgres://postgres:postgres@localhost:5432/Forem_test\n DATABASE_NAME_TEST: Forem_test\n KNAPSACK_PRO_FIXED_QUEUE_SPLIT: true\n POSTGRES_PASSWORD: postgres\n KNAPSACK_PRO_LOG_LEVEL: info\n YARN_ENABLE_HARDENED_MODE: 0\n\njobs:\n build:\n runs-on: ubuntu-latest\n env:\n E2E: true\n\n steps:\n - uses: actions/checkout@v4\n - name: Setup Ruby\n uses: ruby/setup-ruby@v1\n with:\n bundler-cache: true\n - name: Install ImageMagick\n run: sudo apt-get update && sudo apt-get install -y imagemagick\n - name: Cache pre-compiled assets\n uses: actions/cache@v4\n id: assetscache\n with:\n path: |\n public/assets\n key: ${{ runner.os }}-compiled-assets-v3-${{ hashFiles( 'app/assets/**', 'app/javascript/**', '**/package.json', '**/yarn.lock') }}\n restore-keys: ${{ runner.os }}-compiled-assets-v3-\n - uses: actions/setup-node@v4\n with:\n node-version-file: '.nvmrc'\n cache: yarn\n if: steps.assetscache.outputs.cache-hit != 'true'\n - run: yarn install --immutable\n if: steps.assetscache.outputs.cache-hit != 'true'\n - run: bundle exec rails assets:precompile\n if: steps.assetscache.outputs.cache-hit != 'true'\n\n rspec:\n runs-on: ubuntu-latest\n needs: [build]\n timeout-minutes: 20\n env:\n KNAPSACK_PRO_CI_NODE_TOTAL: ${{ matrix.ci_node_total }}\n KNAPSACK_PRO_CI_NODE_INDEX: ${{ matrix.ci_node_index }}\n KNAPSACK_PRO_TEST_SUITE_TOKEN_RSPEC: ${{ secrets.KNAPSACK_PRO_TEST_SUITE_TOKEN_RSPEC }}\n\n services:\n postgres:\n image: postgres:13-alpine\n env:\n POSTGRES_PASSWORD: postgres\n ports:\n - 5432:5432\n redis:\n image: redis\n ports:\n - 6379:6379\n\n strategy:\n fail-fast: false\n matrix:\n ci_node_total: [15]\n ci_node_index: [0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14]\n\n steps:\n - uses: actions/checkout@v4\n - name: Restore compiled assets\n uses: actions/cache/restore@v4\n with:\n fail-on-cache-miss: true\n path: |\n public/assets\n key: ${{ runner.os }}-compiled-assets-v3-${{ hashFiles('app/assets/**', 'app/javascript/**', '**/package.json', '**/yarn.lock') }}\n restore-keys: ${{ runner.os }}-compiled-assets-v3-\n - uses: actions/setup-node@v4\n with:\n node-version-file: '.nvmrc'\n cache: yarn\n - name: Setup Ruby\n uses: ruby/setup-ruby@v1\n with:\n bundler-cache: true\n - name: Install ImageMagick\n run: sudo apt-get update && sudo apt-get install -y imagemagick\n - run: cp .env_sample .env\n - run: bundle exec rails db:test:prepare\n - name: RSpec\n run: bin/knapsack_pro_rspec\n - name: Upload RSpec artifacts\n uses: actions/upload-artifact@v4\n if: failure()\n with:\n name: rspec-artifacts-${{ matrix.ci_node_index }}\n path: tmp/capybara\n - name: Rename folder\n run: mv coverage/simplecov coverage/simplecov-${{ matrix.ci_node_index }}\n - name: Upload test coverage result\n uses: actions/upload-artifact@v4\n with:\n name: coverage-rspec-${{ matrix.ci_node_index }}\n path: coverage/\n
dataset_sample\yaml\forem_forem\.github\workflows\ci.yml
ci.yml
YAML
3,622
0.8
0.033333
0
react-lib
941
2025-04-10T06:09:20.153342
GPL-3.0
false
591cff7e23194868649636ccfa343072
name: "CLA Assistant"\non:\n issue_comment:\n types: [created]\n pull_request_target:\n types: [opened,closed,synchronize]\n merge_group:\n branches:\n - main\n workflow_call:\n\npermissions:\n actions: write\n contents: write\n pull-requests: write\n statuses: write\n\njobs:\n CLAAssistant:\n runs-on: ubuntu-latest\n steps:\n - name: "CLA Assistant"\n if: ((github.event.comment.body == 'recheck' || github.event.comment.body == 'I have read the CLA Document and I hereby sign the CLA') || github.event_name == 'pull_request_target') && github.repository_owner == 'forem'\n uses: contributor-assistant/github-action@v2.3.0\n env:\n GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }}\n PERSONAL_ACCESS_TOKEN: ${{ secrets.CLA_PERSONAL_ACCESS_TOKEN }}\n with:\n path-to-signatures: 'signatures/version1/cla.json'\n path-to-document: 'https://github.com/forem/forem/blob/main/CLA.md'\n branch: 'main' # branch should not be protected\n allowlist: ${{ secrets.CLA_ALLOWLIST }}\n remote-repository-name: ${{ secrets.CLA_REPOSITORY }}\n lock-pullrequest-aftermerge: false\n
dataset_sample\yaml\forem_forem\.github\workflows\cla.yml
cla.yml
YAML
1,160
0.8
0.029412
0
vue-tools
760
2023-08-15T03:30:10.087645
BSD-3-Clause
false
588915d2658b53861719258a52e7871d
name: cleanup caches by a branch\non:\n pull_request:\n types:\n - closed\n\njobs:\n cleanup:\n runs-on: ubuntu-latest\n steps:\n - name: Cleanup\n run: |\n gh extension install actions/gh-actions-cache\n\n echo "Fetching list of cache key"\n cacheKeysForPR=$(gh actions-cache list -R $REPO -B $BRANCH -L 100 | cut -f 1 )\n\n ## Setting this to not fail the workflow while deleting cache keys.\n set +e\n echo "Deleting caches..."\n for cacheKey in $cacheKeysForPR\n do\n gh actions-cache delete $cacheKey -R $REPO -B $BRANCH --confirm\n done\n echo "Done"\n env:\n GH_TOKEN: ${{ secrets.GITHUB_TOKEN }}\n REPO: ${{ github.repository }}\n BRANCH: refs/pull/${{ github.event.pull_request.number }}/merge\n
dataset_sample\yaml\forem_forem\.github\workflows\cleanup-cache.yml
cleanup-cache.yml
YAML
840
0.8
0.068966
0.038462
awesome-app
416
2024-01-01T13:51:18.899307
Apache-2.0
false
3f60297c7ed39bf7cadbada4ec8b88df
name: "CodeQL"\n\non:\n push:\n branches: [main]\n pull_request:\n # The branches below must be a subset of the branches above\n branches: [main]\n schedule:\n - cron: '0 9 * * 6'\n\npermissions:\n contents: read\n\njobs:\n analyze:\n permissions:\n actions: read # for github/codeql-action/init to get workflow details\n contents: read # for actions/checkout to fetch code\n security-events: write # for github/codeql-action/autobuild to send a status report\n name: Analyze\n runs-on: ubuntu-latest\n\n strategy:\n fail-fast: false\n matrix:\n # Override automatic language detection by changing the below list\n # Supported options are ['csharp', 'cpp', 'go', 'java', 'javascript', 'python']\n language: ['javascript']\n # Learn more...\n # https://docs.github.com/en/github/finding-security-vulnerabilities-and-errors-in-your-code/configuring-code-scanning#overriding-automatic-language-detection\n\n steps:\n - name: Checkout repository\n uses: actions/checkout@v3\n with:\n # We must fetch at least the immediate parents so that if this is\n # a pull request then we can checkout the head.\n fetch-depth: 2\n\n # If this run was triggered by a pull request event, then checkout\n # the head of the pull request instead of the merge commit.\n - run: git checkout HEAD^2\n if: ${{ github.event_name == 'pull_request' }}\n\n # Initializes the CodeQL tools for scanning.\n - name: Initialize CodeQL\n uses: github/codeql-action/init@v2\n with:\n languages: ${{ matrix.language }}\n\n # Autobuild attempts to build any compiled languages (C/C++, C#, or Java).\n # If this step fails, then you should remove it and run the build manually (see below)\n - name: Autobuild\n uses: github/codeql-action/autobuild@v2\n\n # ℹ️ Command-line programs to run using the OS shell.\n # 📚 https://docs.github.com/en/actions/using-workflows/workflow-syntax-for-github-actions#jobsjob_idstepsrun\n\n # ✏️ If the Autobuild fails above, remove it and uncomment the following three lines\n # and modify them (or add more) to build your code if your project\n # uses a compiled language\n\n #- run: |\n # make bootstrap\n # make release\n\n - name: Perform CodeQL Analysis\n uses: github/codeql-action/analyze@v2\n
dataset_sample\yaml\forem_forem\.github\workflows\codeql-analysis.yml
codeql-analysis.yml
YAML
2,360
0.8
0.115942
0.350877
python-kit
645
2023-11-05T12:26:11.962613
Apache-2.0
false
40e1f33d6433f7c85ddfeede11495bb3
name: Create CI cache\n\non:\n push:\n branches:\n - main\n\njobs:\n build-cache:\n runs-on: ubuntu-latest\n env:\n E2E: true\n RAILS_ENV: test\n NODE_ENV: test\n\n steps:\n - uses: actions/checkout@v4\n - name: Setup Ruby\n uses: ruby/setup-ruby@v1\n with:\n bundler-cache: true\n - name: Cache pre-compiled assets\n uses: actions/cache@v4\n id: assetscache\n with:\n path: |\n public/assets\n key: ${{ runner.os }}-compiled-assets-v3-${{ hashFiles( 'app/assets/**', 'app/javascript/**', '**/package.json', '**/yarn.lock') }}\n restore-keys: ${{ runner.os }}-compiled-assets-v3-\n - uses: actions/setup-node@v4\n with:\n node-version-file: '.nvmrc'\n cache: yarn\n if: steps.assetscache.outputs.cache-hit != 'true'\n - run: yarn install --immutable\n if: steps.assetscache.outputs.cache-hit != 'true'\n - run: bundle exec rails assets:precompile\n if: steps.assetscache.outputs.cache-hit != 'true'\n
dataset_sample\yaml\forem_forem\.github\workflows\create-cache.yml
create-cache.yml
YAML
1,054
0.8
0.078947
0
node-utils
106
2024-03-23T23:30:18.364642
Apache-2.0
false
2f08fa3ed744fc7dff292f4f652f2029
# This workflow posts an automated comment on every new issue\n# https://github.com/marketplace/actions/create-or-update-comment (https://github.com/peter-evans/create-or-update-comment)\n\nname: Automatic Comment\non:\n issues:\n types: [opened]\npermissions:\n contents: read\n\njobs:\n comment:\n permissions:\n issues: write # for peter-evans/create-or-update-comment to create or update comment\n pull-requests: write # for peter-evans/create-or-update-comment to create or update comment\n name: Comment\n runs-on: ubuntu-latest\n steps:\n - name: Automatic Comment\n uses: peter-evans/create-or-update-comment@v2\n with:\n issue-number: ${{ github.event.issue.number }}\n body: |\n Thanks for the issue, we will take it into consideration! Our team of engineers is busy working on many types of features, please give us time to get back to you.\n \n To our amazing contributors: [issues labeled `bug`](https://github.com/forem/forem/issues?q=is%3Aissue+is%3Aopen+label%3Abug) are always up for grabs, but for feature requests, please wait until we add a `ready for dev` before starting to work on it.\n\n If this is a feature request from an external contributor (not core team at Forem), please close the issue and re-post via [GitHub Discussions](https://github.com/forem/forem/discussions/categories/feature-requests).\n\n To claim an issue to work on, please leave a comment. If you've claimed the issue and need help, please ping @forem-team. The OSS Community Manager or the engineers on OSS rotation will follow up.\n\n For full info on how to contribute, please check out our [contributors guide](https://developers.forem.com/contributing-guide/forem).\n
dataset_sample\yaml\forem_forem\.github\workflows\issue.yml
issue.yml
YAML
1,770
0.8
0.1875
0.076923
python-kit
42
2024-12-02T10:28:35.826905
MIT
false
e86b99bbad9b4d76032b7160c7a4e870
name: Pull Request\non:\n pull_request_target:\n types: [opened]\njobs:\n pull_request_comment:\n name: Notify third-party contributor\n if: github.event.pull_request.head.repo.full_name != github.repository\n runs-on: ubuntu-latest\n steps:\n - name: Add comment to PR if coming from third-party fork\n uses: mshick/add-pr-comment@v1\n with:\n message: |\n Thank you for opening this PR! We appreciate you!\n\n For all pull requests coming from third-party forks we will need to\n review the PR before we can process it through our CI pipelines.\n\n A Forem Team member will review this contribution and get back to\n you as soon as possible!\n repo-token: ${{ secrets.GITHUB_TOKEN }}\n repo-token-user-login: 'github-actions[bot]'\n
dataset_sample\yaml\forem_forem\.github\workflows\pr.yml
pr.yml
YAML
829
0.7
0.130435
0
awesome-app
3
2025-06-04T09:51:44.016933
BSD-3-Clause
false
ed81c5aa5be7b2640bc291d251a74dbe
# see https://github.com/ankane/blazer for more info\n\ndata_sources:\n main:\n url: <%= ENV["BLAZER_DATABASE_URL"] %>\n\n # statement timeout, in seconds\n # none by default\n timeout: 30\n\n # caching settings\n # can greatly improve speed\n # off by default\n cache:\n mode: slow # or all\n expires_in: 60 # min\n slow_threshold: 15 # sec, only used in slow mode\n\n # wrap queries in a transaction for safety\n # not necessary if you use a read-only user\n # true by default\n # use_transaction: false\n\n smart_variables:\n # zone_id: "SELECT id, name FROM zones ORDER BY name ASC"\n # period: ["day", "week", "month"]\n # status: {0: "Active", 1: "Archived"}\n tag: "SELECT name FROM tags ORDER BY name ASC"\n\n linked_columns:\n # user_id: "/admin/users/{value}"\n\n smart_columns:\n status: {0: "enqueued", 1: "working", 2: "succeeded", 3: "failed"}\n input_types: {0: "text_field", 1: "text_area", 2: "check_box", 3: "color_field"}\n\n# create audits\naudit: true\n\n# change the time zone\n# time_zone: "Pacific Time (US & Canada)"\n\n# class name of the user model\n# user_class: User\n\n# method name for the current user\n# user_method: current_user\n\n# method name for the display name\n# user_name: name\n\n# custom before_action to use for auth\n# before_action_method: require_admin\n\n# email to send checks from\n# from_email: blazer@example.org\n\n# webhook for Slack\n# slack_webhook_url: <%= ENV["BLAZER_SLACK_WEBHOOK_URL"] %>\n\ncheck_schedules:\n - "1 day"\n - "1 hour"\n - "5 minutes"\n\n# enable anomaly detection\n# note: with trend, time series are sent to https://trendapi.org\n# anomaly_checks: trend / r\n\n# enable forecasting\n# note: with trend, time series are sent to https://trendapi.org\n# forecasting: trend\n\n# enable map\n# mapbox_access_token: <%= ENV["MAPBOX_ACCESS_TOKEN"] %>\n
dataset_sample\yaml\forem_forem\config\blazer.yml
blazer.yml
YAML
1,847
0.95
0.106667
0.660714
react-lib
981
2025-05-27T03:13:34.933106
Apache-2.0
false
7927f24581c488329b11073c416a7869
development:\n adapter: async\n\ntest:\n adapter: async\n\nproduction:\n adapter: redis\n url: <%= ENV.fetch("REDIS_URL") { "redis://localhost:6379/1" } %>\n channel_prefix: practical_developer_production\n
dataset_sample\yaml\forem_forem\config\cable.yml
cable.yml
YAML
201
0.8
0
0
awesome-app
273
2023-12-02T05:32:36.605473
GPL-3.0
false
a68e6d9dc24044381a95d8f1a6636c27
# PostgreSQL. Versions 9.1 and up are supported.\n#\n# Install the pg driver:\n# gem install pg\n# On OS X with Homebrew:\n# gem install pg -- --with-pg-config=/usr/local/bin/pg_config\n# On OS X with MacPorts:\n# gem install pg -- --with-pg-config=/opt/local/lib/postgresql84/bin/pg_config\n# On Windows:\n# gem install pg\n# Choose the win32 build.\n# Install PostgreSQL and put its /bin directory on your path.\n#\n# Configure Using Gemfile\n# gem 'pg'\n#\ndefault: &default\n adapter: postgresql\n encoding: unicode\n # For details on connection pooling, see Rails configuration guide\n # http://guides.rubyonrails.org/configuring.html#database-pooling\n pool: <%= ENV.fetch("DATABASE_POOL_SIZE") { ENV.fetch("RAILS_MAX_THREADS", 5).to_i } %>\n connect_timeout: 2\n checkout_timeout: 2\n variables:\n statement_timeout: <%= ENV.fetch("STATEMENT_TIMEOUT", 2500).to_i %>\n\ndevelopment:\n <<: *default\n url: <%= ENV.fetch("DATABASE_URL", "postgres:///Forem_development") %>\n database: <%= ENV.fetch("DATABASE_NAME", "Forem_development") %>\n variables:\n statement_timeout: <%= ENV.fetch("STATEMENT_TIMEOUT", 10_000).to_i %>\n\n # The specified database role being used to connect to postgres.\n # To create additional roles in postgres see `$ createuser --help`.\n # When left blank, postgres will use the default role. This is\n # the same name as the operating system user that initialized the database.\n #username: PracticalDeveloper\n\n # The password associated with the postgres role (username).\n #password:\n\n # Connect on a TCP socket. Omitted by default since the client uses a\n # domain socket that doesn't need configuration. Windows does not have\n # domain sockets, so uncomment these lines.\n #host: localhost\n\n # The TCP port the server listens on. Defaults to 5432.\n # If your server runs on a different port number, change accordingly.\n #port: 5432\n\n # Schema search path. The server defaults to $user,public\n #schema_search_path: myapp,sharedapp,public\n\n # Minimum log levels, in increasing order:\n # debug5, debug4, debug3, debug2, debug1,\n # log, notice, warning, error, fatal, and panic\n # Defaults to warning.\n #min_messages: notice\n\n# Warning: The database defined as "test" will be erased and\n# re-generated from your development database when you run "rake".\n# Do not set this db to the same as development or production.\ntest:\n <<: *default\n url: <%= ENV.fetch("DATABASE_URL_TEST", "postgres:///Forem_test") %>\n database: <%= ENV.fetch("DATABASE_NAME_TEST", "Forem_test") %><%= ENV["TEST_ENV_NUMBER"] %>\n variables:\n statement_timeout: <%= ENV.fetch("STATEMENT_TIMEOUT", 10_000).to_i %>\n\n# As with config/secrets.yml, you never want to store sensitive information,\n# like your database password, in your source code. If your source code is\n# ever seen by anyone, they now have access to your database.\n#\n# Instead, provide the password as a unix environment variable when you boot\n# the app. Read http://guides.rubyonrails.org/configuring.html#configuring-a-database\n# for a full rundown on how to provide these environment variables in a\n# production deployment.\n#\n# On Heroku and other platform providers, you may have a full connection URL\n# available as an environment variable. For example:\n#\n# DATABASE_URL="postgres://myuser:mypass@localhost/somedatabase"\n#\n# You can use this database configuration with:\n#\n# production:\n# url: <%= ENV["DATABASE_URL"] %>\n#\nproduction:\n <<: *default\n url: <%= ENV["DATABASE_URL"] %>\n database: <%= ENV["DATABASE_NAME"] %>\n
dataset_sample\yaml\forem_forem\config\database.yml
database.yml
YAML
3,539
0.8
0.010638
0.717647
node-utils
760
2023-10-17T19:28:14.458402
BSD-3-Clause
false
7b762afed1ccd9e33daedffd5114ea32
# i18n-tasks finds and manages missing and unused translations: https://github.com/glebm/i18n-tasks\n\n# The "main" locale.\nbase_locale: en\n## All available locales are inferred from the data by default. Alternatively, specify them explicitly:\n# locales: [es, fr]\n## Reporting locale, default: en. Available: en, ru.\n# internal_locale: en\n\n# Read and write translations.\ndata:\n ## Translations are read from the file system. Supported format: YAML, JSON.\n ## Provide a custom adapter:\n # adapter: I18n::Tasks::Data::FileSystem\n\n # Locale files or `File.find` patterns where translations are read from:\n read:\n ## Default:\n - config/locales/%{locale}.yml\n ## More files:\n - config/locales/**/*.%{locale}.yml\n - config/locales/**/%{locale}.yml\n\n # Locale files to write new keys to, based on a list of key pattern => file rules. Matched from top to bottom:\n # `i18n-tasks normalize -p` will force move the keys according to these rules\n write:\n ## For example, write devise and simple form keys to their respective files:\n # - ['{devise, simple_form}.*', 'config/locales/\1.%{locale}.yml']\n ## Catch-all default:\n # - config/locales/%{locale}.yml\n\n # External locale data (e.g. gems).\n # This data is not considered unused and is never written to.\n external:\n ## Example (replace %#= with %=):\n # - "<%#= %x[bundle info vagrant --path].chomp %>/templates/locales/%{locale}.yml"\n\n ## Specify the router (see Readme for details). Valid values: conservative_router, pattern_router, or a custom class.\n # router: conservative_router\n\n yaml:\n write:\n # do not wrap lines at 80 characters\n line_width: -1\n\n ## Pretty-print JSON:\n # json:\n # write:\n # indent: ' '\n # space: ' '\n # object_nl: "\n"\n # array_nl: "\n"\n\n# Find translate calls\nsearch:\n ## Paths or `File.find` patterns to search in:\n # paths:\n # - app/\n\n ## Root directories for relative keys resolution.\n # relative_roots:\n # - app/controllers\n # - app/helpers\n # - app/mailers\n # - app/presenters\n # - app/views\n\n ## Files or `File.fnmatch` patterns to exclude from search. Some files are always excluded regardless of this setting:\n ## %w(*.jpg *.png *.gif *.svg *.ico *.eot *.otf *.ttf *.woff *.woff2 *.pdf *.css *.sass *.scss *.less *.yml *.json)\n exclude:\n - app/assets/images\n - app/assets/fonts\n - app/assets/videos\n - app/javascript/storybook-static\n\n ## Alternatively, the only files or `File.fnmatch patterns` to search in `paths`:\n ## If specified, this settings takes priority over `exclude`, but `exclude` still applies.\n # only: ["*.rb", "*.html.slim"]\n\n ## If `strict` is `false`, guess usages such as t("categories.#{category}.title"). The default is `true`.\n # strict: true\n\n ## Multiple scanners can be used. Their results are merged.\n ## The options specified above are passed down to each scanner. Per-scanner options can be specified as well.\n ## See this example of a custom scanner: https://github.com/glebm/i18n-tasks/wiki/A-custom-scanner-example\n\n## Translation Services\n# translation:\n# # Google Translate\n# # Get an API key and set billing info at https://code.google.com/apis/console to use Google Translate\n# google_translate_api_key: "AbC-dEf5"\n# # DeepL Pro Translate\n# # Get an API key and subscription at https://www.deepl.com/pro to use DeepL Pro\n# deepl_api_key: "48E92789-57A3-466A-9959-1A1A1A1A1A1A"\n\n## Do not consider these keys missing:\nignore_missing:\n - date.*\n\n # TODO: add translations for these\n - devise.*\n\n # these are loaded from kaminari default gem\n - views.*\n# - 'errors.messages.{accepted,blank,invalid,too_short,too_long}'\n# - '{devise,simple_form}.*'\n\n## Consider these keys used:\n# ignore_unused:\n# - 'activerecord.attributes.*'\n# - '{devise,kaminari,will_paginate}.*'\n# - 'simple_form.{yes,no}'\n# - 'simple_form.{placeholders,hints,labels}.*'\n# - 'simple_form.{error_notification,required}.:'\n\n## Exclude these keys from the `i18n-tasks eq-base' report:\n# ignore_eq_base:\n# all:\n# - common.ok\n# fr,es:\n# - common.brand\n\n## Exclude these keys from the `i18n-tasks check-consistent-interpolations` report:\n# ignore_inconsistent_interpolations:\n# - 'activerecord.attributes.*'\n\n## Ignore these keys completely:\n# ignore:\n# - kaminari.*\n\n## Sometimes, it isn't possible for i18n-tasks to match the key correctly,\n## e.g. in case of a relative key defined in a helper method.\n## In these cases you can use the built-in PatternMapper to map patterns to keys, e.g.:\n#\n# <%# I18n::Tasks.add_scanner 'I18n::Tasks::Scanners::PatternMapper',\n# only: %w(*.html.haml *.html.slim),\n# patterns: [['= title\b', '.page_title']] %>\n#\n# The PatternMapper can also match key literals via a special %{key} interpolation, e.g.:\n#\n# <%# I18n::Tasks.add_scanner 'I18n::Tasks::Scanners::PatternMapper',\n# patterns: [['\bSpree\.t[( ]\s*%{key}', 'spree.%{key}']] %>\n
dataset_sample\yaml\forem_forem\config\i18n-tasks.yml
i18n-tasks.yml
YAML
4,928
0.95
0.035211
0.823529
python-kit
861
2025-05-01T19:30:10.969006
MIT
false
c5f9692203ad8b3b29bf27d505b6fd4c
---\nlike:\n position: 1\n name: Like\n icon: sparkle-heart\nunicorn:\n position: 2\n name: Unicorn\n icon: multi-unicorn\nexploding_head:\n position: 3\n name: Exploding Head\n icon: exploding-head\nraised_hands:\n position: 4\n name: Raised Hands\n icon: raised-hands\nfire:\n position: 5\n name: Fire\n icon: fire\nreadinglist:\n position: 5\n icon: save\n published: false\nthumbsup:\n privileged: true\n score: 5.0\nthumbsdown:\n privileged: true\n score: -10.0\nvomit:\n privileged: true\n name: Vomit\n score: -50.0\nthinking:\n published: false\nhands:\n published: false\n
dataset_sample\yaml\forem_forem\config\reactions.yml
reactions.yml
YAML
569
0.7
0
0
react-lib
321
2025-01-12T11:57:13.510877
GPL-3.0
false
b4ed71a5e0fff8b59f4a0c8ab58b31be
feeds_import:\n description: "Imports feed items as articles (runs hourly on the 20th minute after the hour)"\n cron: "20 * * * *"\n class: "Feeds::ImportArticlesWorker"\nlog_worker_queue_stats:\n description: "Records Sidekiq stats in Datadog (runs every 10 minutes)"\n cron: "*/10 * * * *"\n class: "Metrics::RecordBackgroundQueueStatsWorker"\nrecord_daily_usage:\n description: "Records daily usage stats (runs daily at 11:00 UTC)"\n cron: "0 11 * * *"\n class: "Metrics::RecordDailyUsageWorker"\nrecord_daily_notifications:\n description: "Records daily notifications stats (runs daily at 11:00 UTC)"\n cron: "0 11 * * *"\n class: "Metrics::RecordDailyNotificationsWorker"\nrecord_data_counts:\n description: "Records the size of the most important tables in the database (runs hourly on the 10th minute after the hour)"\n cron: "10 * * * *"\n class: "Metrics::RecordDataCountsWorker"\ncheck_data_update_script_statuses:\n description: "Records the statuses of data update scripts (runs hourly on the 30th minute after the hour)"\n cron: "30 * * * *"\n class: "Metrics::CheckDataUpdateScriptStatuses"\naward_yearly_club_badges:\n description: "Awards 'yearly club' badges to users (runs daily at 00:00 UTC)"\n cron: "0 0 * * *"\n class: "BadgeAchievements::BadgeAwardWorker"\n args:\n - ""\n - award_yearly_club\n - ""\naward_beloved_comment_badges:\n description: "Awards 'beloved comment' badges to users (runs every 12 hours on the 5th minute after the hour)"\n cron: "5 */12 * * *"\n class: "BadgeAchievements::BadgeAwardWorker"\n args:\n - ""\n - award_beloved_comment\n - ""\naward_four_week_streak_badge:\n description: "Awards 'four week publishing streak' badges to users (runs every 12 hours on the 10th minute after the hour)"\n cron: "10 */12 * * *"\n class: "BadgeAchievements::BadgeAwardWorker"\n args:\n - ""\n - award_four_week_streak\n - ""\naward_eight_week_streak_badge:\n description: "Awards 'eight week publishing streak' badges to users (runs every 12 hours on the 15th minute after the hour)"\n cron: "15 */12 * * *"\n class: "BadgeAchievements::BadgeAwardWorker"\n args:\n - ""\n - award_eight_week_streak\n - ""\naward_sixteen_week_streak_badge:\n description: "Awards 'sixteen week publishing streak' badges to users (runs every 12 hours on the 20th minute after the hour)"\n cron: "20 */12 * * *"\n class: "BadgeAchievements::BadgeAwardWorker"\n args:\n - ""\n - award_sixteen_week_streak\n - ""\naward_weekly_tag_badges:\n description: "Awards 'weekly beloved article for a tag' badges to users (runs at 11:00 UTC on Thursday)"\n cron: "0 11 * * 4"\n class: "BadgeAchievements::BadgeAwardWorker"\n args:\n - ""\n - award_tag\n - ""\naward_contributor_badges_from_github:\n description: "Awards 'GitHub contributor' badges to users (runs hourly on the 20th minute after the hour)"\n cron: "20 * * * *"\n class: "BadgeAchievements::BadgeAwardWorker"\n args:\n - ""\n - award_contributor_from_github\n - ""\naward_community_wellness_badges:\n description: "Awards 'Community Wellness' badges to users (runs daily at 00:45 UTC)"\n cron: "45 0 * * *"\n class: "BadgeAchievements::BadgeAwardWorker"\n args:\n - ""\n - award_community_wellness\n - ""\naward_thumbs_up_badges:\n description: "Awards Thumbs Up Milestone badge to users (runs daily at 01:00 UTC) "\n cron: "0 1 * * *"\n class: "BadgeAchievements::BadgeAwardWorker"\n args:\n - ""\n - award_thumbs_up\n - ""\naward_first_post_badges:\n description: "Awards First Post badges to users (runs daily at 02:00 UTC) "\n cron: "0 2 * * *"\n class: "BadgeAchievements::BadgeAwardWorker"\n args:\n - ""\n - award_first_post\n - ""\nresave_supported_tags:\n description: "Resaves supported tags to recalculate scores (runs daily at 00:25 UTC)"\n cron: "25 0 * * *"\n class: "Tags::ResaveSupportedTagsWorker"\nexpire_old_listings:\n description: "Expires old listings (runs daily at 00:30 UTC)"\n cron: "30 0 * * *"\n class: "Listings::ExpireOldListingsWorker"\nsend_welcome_notifications:\n description: "Sends welcome notifications to new users (runs daily at 16:30 UTC)"\n cron: "0 16 * * *"\n class: "Broadcasts::SendWelcomeNotificationsWorker"\nhourly_feed_cache_bust:\n description: "Busts the edge cache of the feed (runs hourly on the hour)"\n cron: "0 * * * *"\n class: "BustCachePathWorker"\n args:\n - "/feed.xml"\ndaily_home_cache_bust:\n description: "Busts the edge cache of the homepage (runs daily at 00:00 UTC)"\n cron: "0 0 * * *"\n class: "BustCachePathWorker"\n args:\n - "/"\nsend_email_digest:\n description: "Sends the email digest to users (runs at 11:30 UTC on Wednesday, Thursday, Friday, and Saturday)"\n cron: "30 11 * * 1,2,3,4,5"\n class: "Emails::EnqueueDigestWorker"\nremove_old_notifications:\n description: "Deletes old notifications from the database (runs daily at 05:00 UTC)"\n cron: "0 5 * * *"\n class: "Notifications::RemoveOldNotificationsWorker"\nremove_old_emails:\n description: "Deletes old emails we don't need to retain from the database (runs hourly at the 18th minute after the hour)"\n cron: "18 * * * *"\n class: "Emails::RemoveOldEmailsWorker"\nsync_credits_counter_cache:\n description: "Synchronizes counter caches for credits (runs daily at 16:00 UTC)"\n cron: "0 16 * * *"\n class: "Credits::SyncCounterCache"\nget_podcast_episodes:\n description: "Fetches podcast episodes asynchronously (runs hourly on the 5th minute after the hour)"\n cron: "5 * * * *"\n class: "Podcasts::EnqueueGetEpisodesWorker"\nupdate_latest_github_repos:\n description: "Fetches the latest info about stored GitHub repositories (runs hourly, 45 min after the hour)"\n cron: "45 * * * *"\n class: "GithubRepos::UpdateLatestWorker"\npush_notifications_cleanup:\n description: "Cleans up Push Notifications from Redis (runs every 8 hours on the 20th minute after the hour)"\n cron: "20 */8 * * *"\n class: "PushNotifications::CleanupWorker"\ncapture_query_stats:\n description: "Collects Postgres query stats for PGHero (runs every 5 minutes)"\n cron: "*/5 * * * *"\n class: "CaptureQueryStatsWorker"\nnotify_about_published_articles:\n description: "Sends notifications about the new published articles (runs every minute)"\n cron: "*/5 * * * *"\n class: "Articles::PublishWorker"\nbillboard_event_rollup:\n description: "Compact rows in the display_ad_events table"\n cron: "5 3 * * *"\n class: "BillboardEventRollupWorker"\naudience_segment_refresh:\n description: "Refresh audience segmentation for all segments"\n cron: "10 3 * * *"\n class: "AudienceSegmentRefreshAllWorker"\ndrip_email_worker:\n description: "Send drip emails to users based on their registration date"\n cron: "37 * * * *" # Every hour on the 37 minute\n class: "Emails::DripEmailWorker"\n
dataset_sample\yaml\forem_forem\config\schedule.yml
schedule.yml
YAML
6,703
0.95
0.210227
0
awesome-app
231
2025-04-10T22:08:03.741990
BSD-3-Clause
false
9ef7e6e895a41e8d20697da9947ad3c6
# Be sure to restart your server when you modify this file.\n\n# Your secret key is used for verifying the integrity of signed cookies.\n# If you change this key, all old signed cookies will become invalid!\n\n# Make sure the secret is at least 30 characters and all random,\n# no regular words or you'll be exposed to dictionary attacks.\n# You can use `rails secret` to generate a secure secret key.\n\n# Make sure the secrets in this file are kept private\n# if you're sharing your code publicly.\n\ndevelopment:\n secret_key_base: a60edc976c913b19fd9fc8118936fbe1df2b07f4eecc5ad32f975e33cd4ea36b150c1ce933b681b90874a46568041629003dcbfc07238f7dca91741bcd1ec870\n\ntest:\n secret_key_base: 42dd7834039ebbea271af22635a6782ee15e519b14629c5276bfcdd4cff841e9926994784bb43a335a8f8c9739bb254ea3afe831839d4dc65654ec7516ec25f0\n\n\n# Do not keep production secrets in the repository,\n# instead read values from the environment.\nproduction:\n secret_key_base: <%= ENV["SECRET_KEY_BASE"] %>\n\n
dataset_sample\yaml\forem_forem\config\secrets.yml
secrets.yml
YAML
967
0.8
0.083333
0.625
awesome-app
912
2024-05-29T22:43:45.558152
MIT
false
747d6dc05460f32f7ef10907afbbe38a
:queues:\n - ["default", 1]\n - ["low_priority", 10]\n - ["medium_priority", 100]\n - ["high_priority", 1000]\n - ["scheduler", 1000]\n - ["mailers", 1000]\n
dataset_sample\yaml\forem_forem\config\sidekiq.yml
sidekiq.yml
YAML
156
0.7
0
0
python-kit
672
2024-05-24T15:29:39.498148
Apache-2.0
false
616ef99e4a529855fd961b2ed1da110e
test:\n service: Disk\n root: <%= Rails.root.join("tmp/storage") %>\n\nlocal:\n service: Disk\n root: <%= Rails.root.join("storage") %>\n\n# Use rails credentials:edit to set the AWS secrets (as aws:access_key_id|secret_access_key)\n# amazon:\n# service: S3\n# access_key_id: <%= Rails.application.credentials.dig(:aws, :access_key_id) %>\n# secret_access_key: <%= Rails.application.credentials.dig(:aws, :secret_access_key) %>\n# region: us-east-1\n# bucket: your_own_bucket\n\n# Remember not to checkin your GCS keyfile to a repository\n# google:\n# service: GCS\n# project: your_project\n# credentials: <%= Rails.root.join("path/to/gcs.keyfile") %>\n# bucket: your_own_bucket\n\n# Use rails credentials:edit to set the Azure Storage secret (as azure_storage:storage_access_key)\n# microsoft:\n# service: AzureStorage\n# storage_account_name: your_account_name\n# storage_access_key: <%= Rails.application.credentials.dig(:azure_storage, :storage_access_key) %>\n# container: your_container_name\n\n# mirror:\n# service: Mirror\n# primary: local\n# mirrors: [ amazon, google, microsoft ]\n
dataset_sample\yaml\forem_forem\config\storage.yml
storage.yml
YAML
1,093
0.8
0
0.793103
python-kit
932
2024-11-02T20:59:19.889130
Apache-2.0
false
1df46a81af448338bf0103361f6d5d09
---\nen:\n devise:\n confirmations:\n confirmed: "Your email address has been successfully confirmed."\n send_instructions: "You will receive an email with instructions for how to confirm your email address in a few minutes."\n send_paranoid_instructions: "If your email address exists in our database, you will receive an email with instructions for how to confirm your email address in a few minutes."\n failure:\n already_authenticated: "You are already signed in."\n inactive: "Your account is not activated yet."\n invalid: "Unable to login."\n last_attempt: "You have one more attempt before your account is locked."\n locked: "Unable to login."\n not_found_in_database: "Unable to login."\n timeout: "Your session expired. Please sign in again to continue."\n unauthenticated: "You need to sign in or sign up before continuing."\n unconfirmed: "You have to confirm your email address before continuing."\n magic_link_invalid: "Invalid or expired login link."\n mailer:\n confirmation_instructions:\n subject: "Confirmation instructions"\n email_changed:\n subject: "Email Changed"\n password_change:\n subject: "Password Changed"\n reset_password_instructions:\n subject: "Reset password instructions"\n unlock_instructions:\n subject: "Unlock instructions"\n magic_link:\n subject: "Here's your magic login link ✨"\n omniauth_callbacks:\n failure: "Could not authenticate you from %{kind} because \"%{reason}\"."\n success: "Successfully authenticated from %{kind} account."\n passwords:\n no_token: "You can't access this page without coming from a password reset email. If you do come from a password reset email, please make sure you used the full URL provided."\n reset_instructions_sent: "Your password reset instructions have been sent."\n reset_password:\n email_placeholder: "you@email.com"\n forgot_password: "Send me a Sign-in Link"\n forgot_password_description: "Enter the email address associated with your account, and we'll send you a one-time link or password reset."\n go_back: "Go back"\n send_reset_link_button: "Send password reset link"\n send_instructions: "You will receive an email with instructions on how to reset your password in a few minutes."\n send_paranoid_instructions: "If your email address exists in our database, you will receive a password recovery link at your email address in a few minutes."\n updated: "Your password has been changed successfully. You are now signed in."\n updated_not_active: "Your password has been changed successfully."\n registrations:\n agreement:\n sign_in_html: "By signing in, you are agreeing to our <a href=\"%{privacy_path}\">privacy policy</a>, <a href=\"%{terms_path}\">terms of use</a> and <a href=\"%{code_of_conduct_path}\">code of conduct</a>."\n sign_up_html: "By signing up, you are agreeing to our <a href=\"%{privacy_path}\">privacy policy</a>, <a href=\"%{terms_path}\">terms of use</a> and <a href=\"%{code_of_conduct_path}\">code of conduct</a>."\n already_have_an_account_html: "Already have an account? <a href=\"%{sign_up_path}\">Log in</a>."\n create_account_html: "New to %{community_name}? <a href=\"%{sign_up_path}\">Create account</a>."\n destroyed: "Bye! Your account has been successfully cancelled. We hope to see you again soon."\n errors:\n bummer: "Sorry to be a bummer..."\n mobile_app_no_new_account_html: "Unfortunately, we do not support creating new accounts right now on our mobile app. If you want create a new account to join %{community_name}, please do that on the web at <a href=\"%{path}\">%{path}></a>"\n invite_only_disclaimer_html: "Since this is an invite-only community, you cannot join without an invitation. If you would like to request an invitation, please contact the community admin at %{contact_link}"\n or: "OR"\n signed_up: "Welcome! You have signed up successfully."\n signed_up_but_inactive: "You have signed up successfully. However, we could not sign you in because your account is not yet activated."\n signed_up_but_locked: "You have signed up successfully. However, we could not sign you in because your account is locked."\n signed_up_but_unconfirmed: "A message with a confirmation link has been sent to your email address. Please follow the link to activate your account."\n title:\n invite_only_commuty: "%{community_name} is invite only."\n join_community: "Join the %{community_name}"\n welcome_back_community: "Join the %{community_name}"\n update_needs_confirmation: "You updated your account successfully, but we need to verify your new email address. Please check your email and follow the confirmation link to confirm your new email address."\n updated: "Your account has been updated successfully."\n updated_but_not_signed_in: "Your account has been updated successfully, but since your password was changed, you need to sign in again."\n sessions:\n already_signed_out: "Signed out successfully."\n signed_in: "Signed in successfully."\n signed_out: "Signed out successfully."\n unlocks:\n send_instructions: "You will receive an email with instructions for how to unlock your account in a few minutes."\n send_paranoid_instructions: "If your account exists, you will receive an email with instructions for how to unlock it in a few minutes."\n unlocked: "Your account has been unlocked successfully. Please sign in to continue."\n passwordless:\n not_found_in_database: "Could not find a user for that email address"\n magic_link_sent: "A login link has been sent to your email address. Please follow the link to log in to your account."\n magic_link_sent_paranoid: "If your account exists, you will receive an email with a login link. Please follow the link to log in to your account."\n errors:\n messages:\n already_confirmed: "was already confirmed, please try signing in"\n confirmation_period_expired: "needs to be confirmed within %{period}, please request a new one"\n expired: "has expired, please request a new one"\n not_found: "not found"\n not_locked: "was not locked"\n not_saved:\n one: "1 error prohibited this %{resource} from being saved:"\n other: "%{count} errors prohibited this %{resource} from being saved:"\n
dataset_sample\yaml\forem_forem\config\locales\devise.en.yml
devise.en.yml
YAML
6,458
0.7
0.065217
0
python-kit
363
2024-03-19T17:08:11.939831
GPL-3.0
false
addeac50ac84612533b1aeeed9affaa8
---\nen:\n devise:\n failure:\n invited: You have a pending invitation, accept it to finish creating your account.\n invitations:\n edit:\n header: Set your password\n submit_button: Let's Get Started\n invitation_removed: Your invitation was removed.\n invitation_token_invalid: The invitation token provided is not valid!\n new:\n header: Send invitation\n submit_button: Send an invitation\n no_invitations_remaining: No invitations remaining\n send_instructions: An invitation email has been sent to %{email}.\n updated: Your password was set successfully. You are now signed in.\n updated_not_active: Your password was set successfully.\n mailer:\n invitation_instructions:\n accept_instructions: You can accept the invitation by clicking this link\n accept: Accept Invitation\n accept_until: This invitation will expire after %{due_date}.\n hello: Hello\n ignore: If you don't want to accept the invitation, please ignore this email. Your account won't be created until you access the link above and set your password.\n someone_invited_you: You’ve been invited to join the %{community_name} community at %{url}.\n subject: Invitation instructions\n time:\n formats:\n devise:\n mailer:\n invitation_instructions:\n accept_until_format: "%B %d, %Y %I:%M %p"\n
dataset_sample\yaml\forem_forem\config\locales\devise_invitable.en.yml
devise_invitable.en.yml
YAML
1,407
0.7
0
0
python-kit
480
2024-05-16T15:53:33.465992
BSD-3-Clause
false
49f7e455173bd990db9d07fe0f86d6e4
---\nfr:\n devise:\n failure:\n invited: Vous avez une invitation en attente, acceptez-la pour terminer la création de votre compte.\n invitations:\n edit:\n header: Confirmation\n new_password: Mot de passe\n new_password_confirmation: Confirmation du mot de passe\n submit_button: Confirmer\n invitation_removed: Votre invitation a été supprimée.\n invitation_token_invalid: Le jeton d'invitation fourni n'est pas valide!\n new:\n header: Nouvel utilisateur\n legend: Envoyer l’invitation\n submit_button: Envoyer\n no_invitations_remaining: Il n'y a plus d'invitations restantes\n send_instructions: Un e-mail d'invitation a été envoyé à %{email}.\n updated: Votre mot de passe a été défini avec succès. Vous êtes maintenant connecté.\n updated_not_active: Votre mot de passe a été défini avec succès.\n mailer:\n invitation_instructions:\n accept_instructions: Vous pouvez accepter l'invitation en cliquant sur ce lien\n accept: Accepter l'invitation\n accept_until: Cette invitation expirera après %{due_date}.\n hello: Bonjour\n ignore: Si vous ne souhaitez pas accepter cette invitation, veuillez ignorer cet e-mail.<br />Votre compte ne sera pas créé tant que vous n'accéderez pas au lien ci-dessous et que vous ayez défini votre mot de passe.\n someone_invited_you: Vous avez été invité à rejoindre la communauté %{community_name} sur %{url}.\n subject: Vous avez reçu une invitation\n time:\n formats:\n devise:\n mailer:\n invitation_instructions:\n accept_until_format: "%B %d, %Y %I:%M %p"\n
dataset_sample\yaml\forem_forem\config\locales\devise_invitable.fr.yml
devise_invitable.fr.yml
YAML
1,693
0.7
0
0
vue-tools
217
2024-08-29T15:37:06.015037
GPL-3.0
false
df464d94debfc3bde4b05fd47bbccce3
---\nen:\n contact_prompts:\n if_any_questions_html: <a href="/contact">Contact us</a> if you have any questions.\n if_continued_trouble_html: <a href="/contact">Contact us</a> if you continue having trouble.\n if_we_can_help_html: <a href="/contact">Contact us</a> if there is anything we can help with.\n core:\n add_comment: Add comment\n beta: beta\n comment: Comment\n copy_link: Copy link\n edit_profile: Edit profile\n follow: Follow\n follow_back: Follow back\n following: Following\n like: Like\n loading: loading...\n reaction: Reaction\n report_abuse: Report abuse\n search: Search\n success_settings: Successfully updated settings.\n counted_organization:\n one: "%{count} organization"\n other: "%{count} organizations"\n counted_user:\n one: "%{count} person"\n other: "%{count} people"\n not_following: "You're not following anyone"\n following_everyone: "You're following %{details} (everyone)"\n you_are_following: "You're following"\n and: "and"\n datetime:\n distance_in_words_ago: # https://github.com/openstreetmap/openstreetmap-website/issues/2255\n about_x_hours:\n one: about 1 hour ago\n other: about %{count} hours ago\n about_x_months:\n one: about 1 month ago\n other: about %{count} months ago\n about_x_years:\n one: about 1 year ago\n other: about %{count} years ago\n almost_x_years:\n one: almost 1 year ago\n other: almost %{count} years ago\n half_a_minute: half a minute ago\n less_than_x_seconds:\n one: less than 1 second ago\n other: less than %{count} seconds ago\n less_than_x_minutes:\n one: less than a minute ago\n other: less than %{count} minutes ago\n over_x_years:\n one: over 1 year ago\n other: over %{count} years ago\n x_seconds:\n one: 1 second ago\n other: "%{count} seconds ago"\n x_minutes:\n one: 1 minute ago\n other: "%{count} minutes ago"\n x_days:\n one: 1 day ago\n other: "%{count} days ago"\n x_months:\n one: 1 month ago\n other: "%{count} months ago"\n x_years:\n one: 1 year ago\n other: "%{count} years ago"\n expired_ago:\n about_x_hours:\n one: Expired about 1 hour ago\n other: Expired about %{count} hours ago\n about_x_months:\n one: Expired about 1 month ago\n other: Expired about %{count} months ago\n about_x_years:\n one: Expired about 1 year ago\n other: Expired about %{count} years ago\n almost_x_years:\n one: Expired almost 1 year ago\n other: Expired almost %{count} years ago\n half_a_minute: Expired half a minute ago\n less_than_x_seconds:\n one: Expired less than 1 second ago\n other: Expired less than %{count} seconds ago\n less_than_x_minutes:\n one: Expired less than a minute ago\n other: Expired less than %{count} minutes ago\n over_x_years:\n one: Expired over 1 year ago\n other: Expired over %{count} years ago\n x_seconds:\n one: Expired 1 second ago\n other: Expired %{count} seconds ago\n x_minutes:\n one: Expired 1 minute ago\n other: Expired %{count} minutes ago\n x_days:\n one: Expired 1 day ago\n other: Expired %{count} days ago\n x_months:\n one: Expired 1 month ago\n other: Expired %{count} months ago\n x_years:\n one: Expired 1 year ago\n other: Expired %{count} years ago\n expires_in:\n about_x_hours:\n one: Expires in about 1 hour\n other: Expires in about %{count} hours\n about_x_months:\n one: Expires in about 1 month\n other: Expires in about %{count} months\n about_x_years:\n one: Expires in about 1 year\n other: Expires in about %{count} years\n almost_x_years:\n one: Expires in almost 1 year\n other: Expires in almost %{count} years\n half_a_minute: Expires in half a minute\n less_than_x_seconds:\n one: Expires in less than 1 second\n other: Expires in less than %{count} seconds\n less_than_x_minutes:\n one: Expires in less than a minute\n other: Expires in less than %{count} minutes\n over_x_years:\n one: Expires in over 1 year\n other: Expires in over %{count} years\n x_seconds:\n one: Expires in 1 second\n other: Expires in %{count} seconds\n x_minutes:\n one: Expires in 1 minute\n other: Expires in %{count} minutes\n x_days:\n one: Expires in 1 day\n other: Expires in %{count} days\n x_months:\n one: Expires in 1 month\n other: Expires in %{count} months\n x_years:\n one: Expires in 1 year\n other: Expires in %{count} years\n billboard:\n promoted: Promoted\n menu:\n aria_label: Toggle dropdown menu\n icon: Dropdown menu\n close: Close\n manage_preferences: Manage preferences\n what_is_a_billboard: What's a billboard?\n report_billboard: Report billboard\n errors:\n messages:\n accepted: must be accepted\n bad_protocol: must start with %{protocols}\n bad_uri: is an invalid url\n blank: can't be blank\n confirmation: doesn't match %{attribute}\n contains_prohibited_characters: contains non-alphanumeric or prohibited unicode characters\n empty: can't be empty\n equal_to: must be equal to %{count}\n even: must be even\n exclusion: is reserved\n general: 'Error: %{errors}'\n greater_than: must be greater than %{count}\n greater_than_or_equal_to: must be greater than or equal to %{count}\n inclusion: is not included in the list\n invalid: is invalid\n less_than: must be less than %{count}\n less_than_or_equal_to: must be less than or equal to %{count}\n model_invalid: 'Validation failed: %{errors}'\n not_a_number: is not a number\n not_an_integer: must be an integer\n odd: must be odd\n other_than: must be other than %{count}\n present: must be blank\n required: must exist\n taken: has already been taken\n too_long:\n one: is too long (maximum is 1 character)\n other: is too long (maximum is %{count} characters)\n too_short:\n one: is too short (minimum is 1 character)\n other: is too short (minimum is %{count} characters)\n try_again_email: 'An error occurred. Please try again or send an email to: %{email}'\n wrong_length:\n one: is the wrong length (should be 1 character)\n other: is the wrong length (should be %{count} characters)\n time:\n formats:\n admin_user: "%Y-%m-%d, %H:%M"\n comment: "%B %d, %Y"\n email_verified: "%b %e '%y, %H:%M"\n github: "%b %d, %Y"\n json: "%b %e, %Y"\n medium: "%b %-d, %Y"\n members: "%d %b"\n members_with_year: "%d %b, %Y"\n reddit: "%b %e '%y"\n short: "%b %-e"\n short_with_yy: "%b %-d '%y"\n short_with_year: "%b %-e, %Y"\n stackexchange: "%b %e '%y"\n
dataset_sample\yaml\forem_forem\config\locales\en.yml
en.yml
YAML
7,059
0.95
0.019324
0
vue-tools
918
2025-05-16T01:16:52.016236
BSD-3-Clause
false
236012abed630e4d7604748b9d35010c
---\nfr:\n contact_prompts:\n if_any_questions_html: <a href="/contact">Contactez-nous</a> si vous avez des questions.\n if_continued_trouble_html: <a href="/contact">Contactez-nous</a> si vous continuez à avoir des problèmes.\n if_we_can_help_html: <a href="/contact">Contactez-nous</a> si nous pouvons vous aider.\n core:\n add_comment: Ajouter un commentaire\n beta: bêta\n comment: Commentaire\n copy_link: Copier le lien\n edit_profile: Editer le profil\n follow: Suivre\n follow_back: Suivre aussi\n following: Abonné\n like: Aime\n loading: Chargement en cours...\n reaction: Réaction\n report_abuse: Signaler un abus\n search: Recherche\n success_settings: Successfully updated settings.\n counted_organization:\n one: "%{count} organisation"\n other: "%{count} organisations"\n counted_user:\n one: "%{count} personne"\n other: "%{count} personnes"\n not_following: "Vous ne suivez personne"\n following_everyone: "Vous suivez %{details} (toutes)"\n you_are_following: "Vous suivez"\n and: "et"\n date:\n abbr_month_names:\n -\n - janv\n - févr\n - mars\n - avril\n - mai\n - juin\n - juil\n - aout\n - sept\n - oct\n - nov\n - déc\n datetime:\n distance_in_words_ago: # https://github.com/openstreetmap/openstreetmap-website/issues/2255\n about_x_hours:\n one: il y a environ une heure\n other: il y a environ %{count} heures\n about_x_months:\n one: il y a environ un mois\n other: il y a environ %{count} mois\n about_x_years:\n one: il y a environ 1 an\n other: il y a environ %{count} ans\n almost_x_years:\n one: il y a presque un an\n other: il y a presque %{count} ans\n half_a_minute: il y a une demi-minute\n less_than_x_seconds:\n one: il y a moins d’1 seconde\n other: il y a moins de %{count} secondes\n less_than_x_minutes:\n one: il y a moins d’une minute\n other: il y a moins de %{count} minutes\n over_x_years:\n one: il y a plus d’un an\n other: il y a plus de %{count} ans\n x_seconds:\n one: il y a une seconde\n other: il y a %{count} secondes\n x_minutes:\n one: il y a une minute\n other: il y a %{count} minutes\n x_days:\n one: hier\n other: il y a %{count} jours\n x_months:\n one: il y a un mois\n other: il y a %{count} mois\n x_years:\n one: l’année dernière\n other: il y a %{count} ans\n expired_ago:\n about_x_hours:\n one: Expiré il y a environ 1 heure\n other: Expiré il y a environ %{count} heures\n about_x_months:\n one: Expiré il y a environ 1 mois\n other: Expiré il y a environ %{count} mois\n about_x_years:\n one: Expiré il y a environ 1 an\n other: Expiré il y a environ %{count} ans\n almost_x_years:\n one: Expiré il y a presque 1 an\n other: Expiré il y a presque %{count} an\n half_a_minute: Expiré il y a une demi-minute\n less_than_x_seconds:\n one: Expiré il y a moins d'une seconde\n other: Expiré il y a moins de %{count} secondes\n less_than_x_minutes:\n one: Expiré il y a moins d'une minute\n other: Expiré il y a moins de %{count} minutes\n over_x_years:\n one: Expiré il y a plus de 1 an\n other: Expiré il y a plus de %{count} ans\n x_seconds:\n one: Expiré il y a plus de 1 seconde\n other: Expiré il y a %{count} secondes\n x_minutes:\n one: Expiré il y a plus de 1 minute\n other: Expiré il y a %{count} minutes\n x_days:\n one: Expiré il y a 1 jour\n other: Expiré il y a %{count} jours\n x_months:\n one: Expiré il y a 1 mois\n other: Expiré %{count} mois auparavant\n x_years:\n one: Expiré il y a 1 an\n other: Expiré il y a %{count} ans\n expires_in:\n about_x_hours:\n one: Expire dans environ 1 heure\n other: Expire dans environ %{count} heures\n about_x_months:\n one: Expire dans environ 1 mois\n other: Expire dans environ %{count} mois\n about_x_years:\n one: Expire dans environ 1 an\n other: Expire dans environ %{count} années\n almost_x_years:\n one: Expire dans presque 1 an\n other: Expire dans presque %{count} années\n half_a_minute: Expire dans une demi-minute\n less_than_x_seconds:\n one: Expire dans moins d'une seconde\n other: Expire dans moins de %{count} secondes\n less_than_x_minutes:\n one: Expire dans moins d'une minute\n other: Expire dans moins de %{count} minutes\n over_x_years:\n one: Expire dans plus d'un an\n other: Expire dans plus de %{count} ans\n x_seconds:\n one: Expire dans 1 seconde\n other: Expire dans %{count} secondes\n x_minutes:\n one: Expire dans 1 minute\n other: Expire dans %{count} minutes\n x_days:\n one: Expire dans 1 jour\n other: Expire dans %{count} jours\n x_months:\n one: Expire dans 1 mois\n other: Expire dans %{count} mois\n x_years:\n one: Expire dans 1 an\n other: Expire dans %{count} ans\n billboard:\n promoted: Promu\n menu:\n aria_label: Basculer le menu déroulant\n icon: Menu déroulant\n close: Fermer\n manage_preferences: Gérer les préférences\n what_is_a_billboard: Qu'est-ce qu'un panneau publicitaire?\n report_billboard: Report billboard\n errors:\n messages:\n accepted: doit être accepté\n already_confirmed: a déjà été confirmé, veuillez essayer de vous connecter\n bad_protocol: doit commencer par %{protocols}\n bad_uri: est une URL invalide\n blank: ne peut pas être vide\n confirmation: ne correspond pas à %{attribute}\n confirmation_period_expired: doit être confirmé dans %{period}, veuillez en demander un nouveau\n contains_prohibited_characters: contient des caractères unicode non alphanumériques ou interdits\n empty: ne peut pas être vide\n equal_to: doit être égal à %{count}\n even: doit être pair\n exclusion: est réservé\n expired: a expiré, veuillez en demander un nouveau\n general: 'Error: %{errors}'\n greater_than: doit être supérieur à %{count}\n greater_than_or_equal_to: doit être supérieur ou égal à %{count}\n inclusion: n'est pas inclus dans la liste\n invalid: est invalide\n less_than: doit être inférieur à %{count}\n less_than_or_equal_to: doit être inférieur ou égal à %{count}\n model_invalid: 'Échec de la validation: %{errors}'\n not_a_number: n'est pas un nombre\n not_an_integer: Doit être un entier\n not_found: pas trouvé\n not_locked: n'était pas verrouillé\n not_saved:\n one: 1 erreur a interdit l'enregistrement de cette %{resource}\n other: "%{count} erreurs ont interdit l'enregistrement de cette %{resource}:"\n odd: doit être étrange\n other_than: doit être différent de %{count}\n present: doit être vide\n required: doit exister\n taken: a déjà été pris\n too_long:\n one: est trop long (le maximum est de 1 caractère)\n other: est trop long (le maximum est de %{count} caractères)\n too_short:\n one: est trop court (au moins 1 caractère)\n other: est trop court (le minimum est de %{count} caractères)\n try_again_email: "Une erreur s'est produite. Veuillez réessayer ou envoyer un e-mail à: %{email}"\n wrong_length:\n one: est la mauvaise longueur (devrait être 1 caractère)\n other: est la mauvaise longueur (devrait être %{count} caractères)\n time:\n formats:\n admin_user: "%Y-%m-%d, %H:%M"\n comment: "%B %d, %Y"\n email_verified: "%b %e '%y, %H:%M"\n github: "%b %d, %Y"\n json: "%b %e, %Y"\n medium: "%b %-d, %Y"\n members: "%d %b"\n members_with_year: "%d %b, %Y"\n reddit: "%b %e '%y"\n short: "%-e %b"\n short_with_yy: "%-e %b '%y"\n short_with_year: "%-e %b, %Y"\n stackexchange: "%b %e '%y"\n
dataset_sample\yaml\forem_forem\config\locales\fr.yml
fr.yml
YAML
8,183
0.95
0
0
react-lib
28
2024-04-28T05:23:52.487136
Apache-2.0
false
d2b28d03f737495318025a07e9089c34
---\nen:\n views:\n pagination:\n aria_next: "Next page"\n aria_previous: "Previous page"\n helpers:\n page_entries_info:\n more_pages:\n display_entries: "%{first}&nbsp;-&nbsp;%{last} of %{total}"\n
dataset_sample\yaml\forem_forem\config\locales\kaminari.en.yml
kaminari.en.yml
YAML
219
0.7
0
0
python-kit
703
2024-08-14T15:06:35.450702
GPL-3.0
false
c7c95b6382bacca128f50e002dcf3e94
---\nfr:\n views:\n pagination:\n aria_next: "Page suivante"\n aria_previous: "Page précédente"\n first: "&laquo; Premier"\n last: Dernier &raquo;\n next: Suivant &rsaquo;\n previous: "&lsaquo; Précédent"\n truncate: "&hellip;"\n helpers:\n page_entries_info:\n more_pages:\n display_entries: "%{first}&nbsp;-&nbsp;%{last} sur %{total}"\n
dataset_sample\yaml\forem_forem\config\locales\kaminari.fr.yml
kaminari.fr.yml
YAML
382
0.7
0
0
vue-tools
907
2024-03-06T16:10:58.153793
GPL-3.0
false
cbab0e83e0d3e958d5b382e186a4b24a
---\nen:\n concerns:\n image_uploads:\n too_long: filename too long - the max is %{max} characters.\n is_not_file: invalid file type. Please upload a valid image.\n
dataset_sample\yaml\forem_forem\config\locales\concerns\en.yml
en.yml
YAML
172
0.7
0
0
python-kit
336
2024-01-05T13:30:19.365963
BSD-3-Clause
false
06395c5b6140fe56d7eeef81376dcaa9
---\nfr:\n concerns:\n image_uploads:\n too_long: nom de fichier trop long - le maximum est de %{max} caractères.\n is_not_file: Type de fichier non valide. Veuillez télécharger une image valide.\n
dataset_sample\yaml\forem_forem\config\locales\concerns\fr.yml
fr.yml
YAML
208
0.7
0
0
node-utils
551
2025-03-13T22:46:33.479641
GPL-3.0
false
0404ee738e3b1fc216e17ad1eff7e431
---\nen:\n api_secrets_controller:\n generated: 'Your API Key has been generated: %{secret}'\n revoked: Your API Key has been revoked.\n application_controller:\n bad_request: 'Error: Bad Request'\n not_authorized: 'Error: not authorized'\n please_sign_in: Please sign in\n articles_controller:\n deleted: Article was successfully deleted.\n comments_controller:\n create:\n success: created\n failure: comment already exists\n authorization_error: Your privileges have been suspended.\n delete:\n error: Something went wrong; Comment NOT deleted.\n notice: Comment was successfully deleted.\n markdown: 'There was an error in your markdown: %{error}'\n markdown_html: "<p>😔 There was an error in your markdown</p><hr><p>%{error}</p>"\n moderated: Not allowed due to moderation action\n confirmations_controller:\n email_sent: Email sent! Please contact support at %{email} if you are having trouble receiving your confirmation instructions.\n credits_controller:\n done:\n one: "%{count} new credits purchased!"\n other: "%{count} new credits purchased!"\n devices_controller:\n not_found: Not Found\n discussion_locks_controller:\n locked: Discussion was successfully locked!\n unlocked: Discussion was successfully unlocked!\n email_subscriptions_controller:\n badge_notifications: badge notifications\n comment_notifications: comment notifications\n digest_emails: "%{community} digest emails"\n follower_notifications: follower notifications\n mention_notifications: mention notifications\n this_list: this list\n unread_notifications: unread notifications\n newsletter: newsletter\n feedback_messages_controller:\n error_fill: "Make sure the forms are filled. 🤖 Other possible errors: %{errors}"\n n_a: N/A\n submitted: Your report is submitted\n follows_controller:\n already_followed: already followed\n daily_limit: Daily account follow limit reached!\n followed: followed\n unfollowed: unfollowed\n github_repos_controller:\n repo_not_found: GitHub repository not found\n github_unauthorized: 'GitHub Unauthorized: %{e_message}'\n image_uploads_controller:\n server_error: A server error has occurred!\n listings_controller:\n deleted: Listing was successfully deleted.\n no_credit: Not enough available credits\n omniauth_callbacks_controller:\n log_in_error: 'Log in error: %{e}'\n username_taken: username has already been taken\n organizations_controller:\n secret_updated: Your org secret was updated\n deletion_scheduled: 'Your organization: "%{organization_name}" deletion is scheduled. You''ll be notified when it''s deleted.'\n not_deleted: Your organization was not deleted; you must be an admin, the only member in the organization, and have no articles connected to the organization.\n created: Your organization was successfully created and you are an admin.\n updated: Your organization was successfully updated.\n podcasts_controller:\n podcast_suggested: Podcast suggested\n profiles_controller:\n updated: Your profile has been updated\n rating_votes_controller:\n not_upserted_successfully: Not Upserted Successfully\n registrations_controller:\n error:\n recaptcha: You must complete the recaptcha ✅\n domain: is not included in allowed domains.\n response_templates_controller:\n response_template_error: 'Response template error: %{errors}'\n created: Your response template "%{title}" was created.\n deleted: Your response template "%{title}" was deleted.\n updated: Your response template "%{title}" was updated.\n social_previews_controller:\n fonts: Roboto|Roboto+Condensed\n stories:\n pinned_articles_controller:\n not_found: not found\n stories_controller:\n 404_bio_not_found: 404 bio not found\n searching: "...searching"\n stripe_active_cards_controller:\n cannot_remove: Can't remove card if you have an active membership. Please cancel your membership first.\n cannot_update: There was a problem updating your billing info.\n updated: Your billing information has been updated\n removed: Your card has been successfully removed.\n tag_adjustments_controller:\n failure: 'Failure: %{errors}'\n destroyed: Tag adjustment destroyed\n tags_controller:\n tag_successfully_updated: "Tag successfully updated! 👍 "\n users_controller:\n removed_admin: "%{name} is no longer an admin."\n removed_member: "%{name} is no longer part of your organization."\n added_admin: "%{name} is now an admin."\n provide_email: Please, provide an email to delete your account.\n provide_email_delete: Please, provide an email to delete your account\n send_export: " The export will be emailed to you shortly."\n invalid_secret: The given organization secret was invalid.\n username_blank: Username cannot be blank\n deletion_in_progress: You have already requested account deletion. Please, check your email for further instructions.\n joined_org: You have joined the %{organization_name} organization.\n left_org: You have left your organization.\n deletion_requested: You have requested account deletion. Please, check your email for further instructions.\n log_in_to_delete: You must be logged in to proceed with account deletion.\n deletion_scheduled: Your account deletion is scheduled. You'll be notified when it's deleted.\n removed_identity: Your %{provider} account was successfully removed.\n updated_config: Your config has been updated. Refresh to see all changes.\n updated_profile: Your profile was successfully updated.\n token_expired: Your token has expired, please request a new one. Tokens only last for 12 hours after account deletion is initiated.\n notifications_settings_updated: Your notifications settings have been updated.\n video_states_controller:\n related_article_not_found: Related article not found\n video_state_updated: Video state updated\n
dataset_sample\yaml\forem_forem\config\locales\controllers\en.yml
en.yml
YAML
5,910
0.7
0.040323
0
vue-tools
229
2024-06-19T07:08:45.941229
BSD-3-Clause
false
dc64a37fe6460d47ff4ddc30a4683ef0
---\nfr:\n api_secrets_controller:\n generated: 'Votre clé d API a été générée : %{secret}'\n revoked: Votre clé API a été révoquée.\n application_controller:\n bad_request: 'Erreur : mauvaise demande'\n not_authorized: 'Erreur : non autorisé'\n please_sign_in : Veuillez vous connecter\n articles_controller:\n deleted: L'article a été supprimé avec succès.\n comments_controller:\n create:\n success: créé avec succès\n failure: commentaire déjà existant\n authorization_error: Vos privilèges ont été suspendus.\n delete:\n error: Un problème est survenu ; le commentaire n'a PAS été supprimé.\n notice: Le commentaire a été supprimé avec succès.\n markdown: 'Il y a une erreur dans votre markdown : %{error}'\n markdown_html: "<p>😔 Il y a une erreur dans votre markdown</p><hr><p>%{error}</p>"\n moderated: Non autorisé en raison d'une action de modération.\n confirmations_controller:\n email_sent: E-mail envoyé ! Veuillez contacter le service d'assistance à l'adresse %{email} si vous avez des difficultés à recevoir les instructions de confirmation.\n credits_controller:\n done:\n one: "%{count} nouveau crédit acheté !"\n other: "%{count} nouveaux crédits achetés !"\n devices_controller:\n not_found: Non trouvé\n discussion_locks_controller:\n locked: La discussion a été verrouillée avec succès !\n unlocked: La discussion a été déverrouillée avec succès !\n email_subscriptions_controller:\n badge_notifications: notifications de badges\n comment_notifications: notifications de commentaires\n digest_emails: "%{community} e-mails récapitulatifs"\n follower_notifications: notifications de followers\n mention_notifications: notifications de mentions\n this_list: cette liste\n unread_notifications: notifications non lues\n newsletter: bulletin d'information\n feedback_messages_controller:\n error_fill: "Assurez-vous que les formulaires sont remplis. 🤖 Autres erreurs possibles : %{errors}"\n n_a: NON DISPONIBLE\n submitted: Votre rapport est soumis\n follows_controller:\n already_followed: déjà suivi\n daily_limit: La limite de suivi quotidien des comptes est atteinte !\n followed: suivi\n unfollowed: non-suivi\n github_repos_controller:\n repo_not_found: Dépôt GitHub non trouvé\n github_unauthorized: 'GitHub non autorisé : %{e_message}'\n image_uploads_controller:\n server_error: Une erreur de serveur s'est produite !\n listings_controller:\n deleted: L'inscription a été supprimée avec succès.\n no_credit: Pas assez de crédits disponibles\n omniauth_callbacks_controller:\n log_in_error: 'Erreur de connexion: %{e}'\n username_taken: le nom d'utilisateur a déjà été pris\n organizations_controller:\n secret_updated: Votre secret d'organisation a été mis à jour\n deletion_scheduled: "Votre organisation: %{organization_name}. la suppression est prévue. Vous serez averti lorsqu'il sera supprimé."\n not_deleted: Votre organisation n'a pas été supprimée ; vous devez être un administrateur, le seul membre de l'organisation, et n'avoir aucun article connecté à l'organisation.\n created: Votre organisation a été créée avec succès et vous êtes un administrateur.\n updated: Votre organisation a été mise à jour avec succès.\n podcasts_controller:\n podcast_suggested: Podcast proposé\n profiles_controller:\n updated: Votre profil a été mis à jour\n rating_votes_controller:\n not_upserted_successfully: Pas d'insertion réussie\n registrations_controller:\n error:\n recaptcha: Vous devez remplir le recaptcha ✅\n domain: n'est pas inclus dans les domaines autorisés.\n response_templates_controller:\n response_template_error: 'Erreur de modèle de réponse: %{errors}'\n created: Votre modèle de réponse "%{title}" a été créée.\n deleted: Votre modèle de réponse "%{title}" a été supprimée.\n updated: Votre modèle de réponse "%{title}" a été mis à jour.\n social_previews_controller:\n fonts: Roboto|Roboto+Condensed\n stories:\n pinned_articles_controller:\n not_found: non trouvé\n stories_controller:\n 404_bio_not_found: 404 bio non trouvé\n searching: "...recherche"\n stripe_active_cards_controller:\n cannot_remove: Vous ne pouvez pas retirer la carte si vous avez une adhésion active. Veuillez d'abord annuler votre adhésion.\n cannot_update: Il y a eu un problème pour mettre à jour vos informations de facturation.\n updated: Vos informations de facturation ont été mises à jour\n removed: Votre carte a été retirée avec succès.\n tag_adjustments_controller:\n failure: 'Échec : %{errors}'\n destroyed: Tag détruit\n tags_controller:\n tag_successfully_updated: "Tag mis à jour avec succès ! 👍 "\n users_controller:\n removed_admin: "%{name} n'est plus un administrateur."\n removed_member: "%{name} ne fait plus partie de votre organisation."\n added_admin: "%{name} est maintenant un administrateur."\n provide_email: Veuillez fournir une adresse e-mail pour supprimer votre compte\n provide_email_delete: Veuillez fournir une adresse e-mail pour supprimer votre compte\n send_export: " L'exportation vous sera envoyée par e-mail sous peu."\n invalid_secret: Le secret d'organisation donné n'est pas valide.\n username_blank: Le nom d'utilisateur ne peut pas être vide\n deletion_in_progress: Vous avez déjà demandé la suppression de votre compte. Veuillez vérifier votre e-mail pour de nouvelles instructions.\n joined_org: Vous avez rejoint l'organisation %{organization_name}.\n left_org: Vous avez quitté votre organisation.\n deletion_requested: Vous avez demandé la suppression de votre compte. Veuillez vérifier votre e-mail pour de plus amples instructions.\n log_in_to_delete: Vous devez être connecté pour procéder à la suppression du compte.\n deletion_scheduled: La suppression de votre compte est programmée. Vous serez notifié quand il sera supprimé.\n removed_identity: Votre compte %{provider} a été supprimé avec succès.\n updated_config: Votre configuration a été mise à jour. Rafraîchissez pour voir tous les changements.\n updated_profile: Votre profil a été mis à jour avec succès.\n token_expired: Votre jeton a expiré, veuillez en demander un nouveau. Les jetons ne durent que 12 heures après la suppression du compte.\n notifications_settings_updated: Vos paramètres de notification ont été mis à jour.\n video_states_controller:\n related_article_not_found: Article connexe non trouvé\n video_state_updated: Mise à jour de l'état de la vidéo\n
dataset_sample\yaml\forem_forem\config\locales\controllers\fr.yml
fr.yml
YAML
6,694
0.7
0
0
node-utils
472
2023-07-30T18:37:03.347379
MIT
false
6a6f10bc9623a1f73810a2409f0b1c26
---\nen:\n admin:\n articles_controller:\n saved: Article saved!\n pinned: Article Pinned!\n unpinned: Article Unpinned!\n badge_achievements_controller:\n deleted: Badge achievement has been deleted!\n rewarded: Badges are being rewarded. The task will finish shortly.\n congrats: Congrats on your achievement! 🎉 And thank you for being such a vital part of %{community}!\n award: Please choose a badge to award\n wrong: Something went wrong.\n badges_controller:\n created: Badge has been created!\n updated: Badge has been updated!\n broadcasts_controller:\n created: Broadcast has been created!\n deleted: Broadcast has been deleted!\n updated: Broadcast has been updated!\n wrong: Something went wrong with deleting the broadcast.\n bulk_assign_role_controller:\n role_assigment: Role %{role} assigned to user.\n role_blank: Please choose a role to add.\n success_message: Roles are being added. The task will finish shortly.\n consumer_apps_controller:\n created: '%{app} has been created!'\n deleted: '%{app} has been deleted!'\n updated: '%{app} has been updated!'\n wrong: Something went wrong with deleting %{app}.\n billboards_controller:\n created: Billboard has been created!\n deleted: Billboard has been deleted!\n updated: Billboard has been updated!\n wrong: Something went wrong with deleting the Billboard.\n emails_controller:\n created: Emails has been created!\n drafted: Email has been drafted!\n activated: Email has been activated!\n deleted: Email has been deleted!\n updated: Email has been updated!\n wrong: Something went wrong with deleting the Email.\n gdpr_delete_requests_controller:\n deleted: Successfully marked as deleted\n extensions_controller:\n update_success: Extensions have been updated.\n html_variants_controller:\n fork: '%{name} FORK-%{rand}'\n created: HTML Variant has been created!\n deleted: HTML Variant has been deleted!\n updated: HTML Variant has been updated!\n wrong: Something went wrong with deleting the HTML Variant.\n invitations_controller:\n duplicate: 'Invitation was not sent. There is already a registered user with the email: %{email}'\n create_success: The invite has been sent to the user's email.\n destroy_success: Invite cancelled for %{email}.\n resend_success: Invite resent to %{email}.\n listing_categories_controller:\n created: Listing Category has been created!\n updated: Listing Category has been updated!\n deleted: Listing Category has been deleted!\n listings_controller:\n updated: Listing updated successfully\n destroyed: "'%{title}' was destroyed successfully"\n no_credit: Not enough available credits\n mods_controller:\n trusted: '%{username} now has a Trusted role!'\n navigation_links_controller:\n deleted: Navigation Link %{link} deleted\n created: 'Successfully created navigation link: %{link}'\n updated: 'Successfully updated navigation link: %{link}'\n organization_memberships_controller:\n not_exist: 'Organization #%{org_id} does not exist.'\n wrong: Something went wrong with removing the user from %{org}\n added: User was successfully added to %{org}\n removed: User was successfully removed from %{org}\n updated: User was successfully updated to %{type}\n organizations_controller:\n credit_updated: Successfully updated credits\n deletion_scheduled: 'Organization, "%{organization_name}", deletion is scheduled.'\n error: 'Your organization, %{organization_name}, could not be deleted: %{error}.'\n pages_controller:\n updated: Page has been successfully updated.\n created: Page has been successfully created.\n deleted: Page has been successfully deleted.\n code_of_conduct:\n title: Code of Conduct\n description: A page that describes how to behave on this platform\n privacy_policy:\n title: Privacy Policy\n description: A page that describes the privacy policy\n terms_of_use:\n title: Terms of Use\n description: A page that describes the terms of use for the application\n podcasts_controller:\n new_owner_added: New owner added!\n no_such_user: No such user\n scheduled: "Podcast's episodes fetching was scheduled (%{title}, #%{id})"\n updated: Podcast updated\n profile_field_groups_controller:\n deleted: Group %{group} deleted\n updated: Group %{group} updated\n created: 'Successfully created group: %{group}'\n profile_fields_controller:\n created: Profile field %{field} created\n deleted: Profile field %{field} deleted\n updated: Profile field %{field} updated\n response_templates_controller:\n saved: 'Response Template: "%{title}" saved successfully.'\n updated: The response template "%{title}" was updated.\n deleted: The response template "%{title}" was deleted.\n secrets_controller:\n not_in_vault: Not In Vault\n updated: Secret %{key} was successfully updated in Vault.\n value: '%{first8}******'\n settings_controller:\n confirmation: My username is @%{username} and this action is 100% safe and appropriate.\n spaces_controller:\n update_success: Space has been updated.\n subforems_controller:\n created: Subforum has been created!\n updated: Subforum has been updated!\n deleted: Subforum has been deleted!\n tags:\n moderators_controller:\n not_found: 'Username "%{username}" was not found'\n not_found_or: 'User ID #%{user_id} was not found, or their account has errors: %{errors}'\n removed: '@%{username} - ID #%{user_id} was removed as a tag moderator.'\n added: '%{username} was added as a tag moderator!'\n tags_controller:\n created: '%{tag_name} has been created!'\n updated: '%{tag_name} tag successfully updated!'\n update_fail: 'The tag update failed: %{errors}'\n tools_controller:\n article_busted: 'Article #%{article} was successfully busted'\n user_busted: 'User #%{user} was successfully busted'\n link_busted: '%{link} was successfully busted'\n users_controller:\n exported: Data exported to the %{receiver}. The job will complete momentarily.\n email_fail: Email failed to send!\n email_sent: Email sent!\n confirm_sent: Confirmation email sent!\n verify_sent: Verification email sent!\n manual_verification_sent: Email manually verified!\n full_delete_html: '@%{user} (email: %{email}, user_id: %{id}) has been fully deleted. If this is a GDPR delete, delete them from Mailchimp & Google Analytics and confirm on %{the_page}.'\n no_email: no email\n parameter_missing: Both subject and body are required!\n role_removed: 'Role: %{role} has been successfully removed from the user!'\n identity_removed: The %{provider} identity was successfully deleted and backed up.\n the_page: the page\n banished: This user is being banished in the background. The job will complete soon.\n unlocked: Unlocked User account!\n unpublished: Posts are being unpublished in the background. The job will complete soon.\n updated: User has been updated\n updated_json: Success! %{username} has been updated.\n credits_added: Credits have been added!\n credits_removed: Credits have been removed.\n tag_not_found: 'Tag "%{tag_name}" was not found'\n welcome_controller:\n thread_content: |\n ---\n title: Welcome Thread - v0\n published: false\n description: Introduce yourself to the community!\n tags: welcome\n ---\n\n Hey there! Welcome to %{community}!\n\n ![WELCOME TO THE INTERNET](https://slack-imgs.com/?c=1&url=http%3A%2F%2Fmedia0.giphy.com%2Fmedia%2FzhbrTTpmSCYog%2Fgiphy-downsized.gif)\n\n Leave a comment below to introduce yourself to the community!✌️\n
dataset_sample\yaml\forem_forem\config\locales\controllers\admin\en.yml
en.yml
YAML
7,951
0.95
0.017442
0
node-utils
192
2024-05-19T08:32:34.468731
Apache-2.0
false
7ddb458eb8242a06f52d596fba7b065e
---\nfr:\n admin:\n articles_controller:\n saved: Article sauvegardé !\n pinned: Article épinglé !\n unpinned: Article désépinglé !\n badge_achievements_controller:\n deleted: La réalisation du badge a été supprimée !\n rewarded: Les badges sont en train d'être récompensés. La tâche sera bientôt terminée.\n congrats: Félicitations pour votre succès! 🎉 Et merci d'être une partie si essentielle de %{community} !\n award: Veuillez choisir un badge à décerner\n wrong: Quelque chose a mal fonctionné.\n badges_controller:\n created: Le badge a été créé !\n updated: Le badge a été mis à jour !\n broadcasts_controller:\n created: Le Broadcast a été créée !\n deleted: Le Broadcast a été supprimée !\n updated: Le Broadcast a été mise à jour !\n wrong: Quelque chose s'est mal passé avec la suppression du Broadcast.\n bulk_assign_role_controller:\n role_assigment: Role %{role} assigned to user.\n role_blank: Please choose a role to add.\n success_message: Roles are being added. The task will finish shortly.\n consumer_apps_controller:\n created: '%{app} a été créé !'\n deleted: '%{app} a été supprimé !'\n updated: '%{app} a été mis à jour !'\n wrong: Quelque chose s'est mal passé en supprimant %{app}.\n billboards_controller:\n created: L'annonce publicitaire a été créée !\n deleted: L'annonce a été supprimée !\n updated: L'annonce publicitaire a été mise à jour !\n wrong: Quelque chose s'est mal passé avec la suppression de l'annonce publicitaire.\n emails_controller:\n created: Emails are being sent!\n drafted: Email has been drafted!\n activated: Email has been activated!\n deleted: Email has been deleted!\n updated: Email has been updated!\n wrong: Something went wrong with deleting the Email.\n extensions_controller:\n update_success: Les extensions ont été mises à jour.\n gdpr_delete_requests_controller:\n deleted: Marqué comme supprimé avec succès\n html_variants_controller:\n fork: '%{name} FORK-%{rand}'\n created: La variante HTML a été créée !\n deleted: La variante HTML a été supprimée !\n updated: La variante HTML a été mise à jour !\n wrong: Quelque chose s'est mal passé avec la suppression de la variante HTML.\n invitations_controller:\n duplicate: "L'invitation n'a pas été envoyée. Il y a déjà un utilisateur enregistré avec l'email : %{email}"\n create_success: L'invitation a été envoyée à l'email de l'utilisateur.\n destroy_success: Invitation annulée pour %{email}.\n resend_success: Invitation envoyée à %{email}.\n listing_categories_controller:\n created: Listing Category has been created!\n updated: Listing Category has been updated!\n deleted: Listing Category has been deleted!\n listings_controller:\n updated: Listing updated successfully\n destroyed: "'%{title}' was destroyed successfully"\n no_credit: Not enough available credits\n mods_controller:\n trusted: '%{username} a maintenant un rôle de confiance !'\n navigation_links_controller:\n deleted: Lien de navigation %{link} supprimé\n created: 'Le lien de navigation a été créé avec succès : %{link}'\n updated: 'Le lien de navigation a été mis à jour avec succès : %{link}'\n organization_memberships_controller:\n not_exist: "L'organisation #%{org_id} n'existe pas."\n wrong: Quelque chose s'est mal passé en retirant l'utilisateur de %{org}\n added: L'utilisateur a été ajouté avec succès à %{org}\n removed: L'utilisateur a été supprimé avec succès de %{org}\n updated: L'utilisateur a été mis à jour avec succès vers %{type}\n organizations_controller:\n credit_updated: Crédits actualisés avec succès\n deletion_scheduled: 'Organization, "%{organization_name}", deletion is scheduled.'\n error: 'Your organization, %{organization_name}, could not be deleted: %{error}.'\n pages_controller:\n updated: La page a été mise à jour avec succès.\n created: La page a été créée avec succès.\n deleted: La page a été supprimée avec succès.\n code_of_conduct:\n title: Code de conduite\n description: Une page qui décrit comment se comporter sur cette plateforme\n privacy_policy:\n title: Politique de confidentialité\n description: Une page qui décrit la politique de confidentialité\n terms_of_use:\n title: Conditions d'utilisation\n description: Une page qui décrit les conditions d'utilisation de l'application.\n podcasts_controller:\n new_owner_added: Nouveau propriétaire ajouté !\n no_such_user: Aucun utilisateur n'existe\n scheduled: "La récupération des épisodes du podcast a été programmée (%{title}, #%{id})"\n updated: Podcast mis à jour\n profile_field_groups_controller:\n deleted: Groupe %{group} supprimé\n updated: Groupe %{group} mis à jour\n created: 'Le groupe a été créé avec succès : %{group}'\n profile_fields_controller:\n created: Champ de profil %{field} créé\n deleted: Champ de profil %{field} supprimé\n updated: Champ de profil %{field} mis à jour\n response_templates_controller:\n saved: 'Modèle de réponse : "%{title}" enregistré avec succès.'\n updated: Le modèle de réponse "%{title}" a été mis à jour.\n deleted: Le modèle de réponse "%{title}" a été supprimé.\n secrets_controller:\n not_in_vault: Pas dans le coffre-fort\n updated: Le secret %{key} a été mis à jour avec succès dans le coffre-fort.\n value: '%{first8}******'\n settings_controller:\n confirmation: Mon nom d'utilisateur est @%{username} et cette action est 100% sûre et appropriée.\n spaces_controller:\n update_success: L'espace a été mis à jour.\n subforems_controller:\n created: Le sous-forum a été créé !\n updated: Le sous-forum a été mis à jour !\n deleted: Le sous-forum a été supprimé !\n tags:\n moderators_controller:\n not_found: "Le nom d'utilisateur %{username} n'a pas été trouvé"\n not_found_or: "L'identifiant de l'utilisateur #%{user_id} n'a pas été trouvé, ou son compte présente des erreurs : %{errors}"\n removed: "@%{username} - ID #%{user_id} a été supprimé en tant que modérateur de tags."\n added: "%{username} a été ajouté en tant que modérateur de tags !"\n tags_controller:\n created: '%{tag_name} a été créé !'\n updated: '%{tag_name} tag mis à jour avec succès !'\n update_fail: 'La mise à jour de la balise a échoué : %{errors}'\n tools_controller:\n article_busted: "L'article #%{article} a été bloqué avec succès."\n user_busted: "L'utilisateur #%{user} a été arrêté avec succès."\n link_busted: "%{link} a été cassé avec succès"\n users_controller:\n exported: Données exportées vers le %{receiver}. Le travail sera terminé dans un instant.\n email_fail: L'envoi de l'e-mail a échoué !\n email_sent: Courriel envoyé !\n confirm_sent: Courriel de Confirmation Envoyé!\n verify_sent: E-mail de vérification envoyé !\n manual_verification_sent: E-mail vérifié manuellement !\n full_delete_html: "@%{user} (email: %{email}, user_id: %{id}) a été entièrement supprimé. S'il s'agit d'une suppression GDPR, supprimez-les de Mailchimp & Google Analytics et confirmez sur %{the_page}."\n no_email: Aucun e-mail\n parameter_missing: Le sujet et le corps sont tous deux requis !\n role_removed: "Le rôle : %{role} a été supprimé avec succès de l'utilisateur !"\n identity_removed: L'identité %{provider} a été supprimée et sauvegardée avec succès.\n the_page: la page\n banished: Cet utilisateur est en train d'être banni en arrière-plan. Le travail sera bientôt terminé.\n unlocked: Compte utilisateur débloqué !\n unpublished: Les messages sont en train d'être dépubliés en arrière-plan. Le travail sera bientôt terminé.\n updated: L'utilisateur a été mis à jour\n updated_json: Succès ! %{username} a été mis à jour.\n credits_added: Les crédits ont été ajoutés !\n credits_removed: Les crédits ont été supprimés.\n tag_not_found: 'Tag "%{tag_name}" non trouvée'\n welcome_controller:\n thread_content: |\n ---\n title: Fil de bienvenue - v0\n published: false\n description: Présentez-vous à la communauté !\n tags: welcome\n ---\n\n Bonjour à tous ! Bienvenue sur %{community}!\n\n ![BIENVENUE SUR INTERNET](https://slack-imgs.com/?c=1&url=http%3A%2F%2Fmedia0.giphy.com%2Fmedia%2FzhbrTTpmSCYog%2Fgiphy-downsized.gif)\n\n Laissez un commentaire ci-dessous pour vous présenter à la communauté!✌️\n
dataset_sample\yaml\forem_forem\config\locales\controllers\admin\fr.yml
fr.yml
YAML
8,974
0.8
0
0
python-kit
879
2025-03-23T16:48:39.494062
BSD-3-Clause
false
3da867ba61ccc4a937b9ebf9895197b6
---\nen:\n api:\n v0:\n analytics_controller:\n invalid_date_format: Date parameters 'start' or 'end' must be in the format of 'yyyy-mm-dd'\n start_missing: Required 'start' parameter is missing\n articles_controller:\n must_be_json: article param must be a JSON object. You provided article as a %{type}\n follows_controller:\n followed:\n one: followed %{count} user\n other: followed %{count} users\n health_checks_controller:\n app_is_up: App is up!\n database_connected: Database connected\n database_not_connected: Database NOT connected!\n redis_connected: Redis connected\n redis_not_connected: Redis NOT connected!\n listings_controller:\n no_credit: Not enough available credits\n
dataset_sample\yaml\forem_forem\config\locales\controllers\api\en.yml
en.yml
YAML
786
0.7
0
0
vue-tools
329
2023-09-10T02:18:59.692940
MIT
false
56e7c8992d425335094ab41bd89d7753
---\nfr:\n api:\n v0:\n analytics_controller:\n invalid_date_format: Les paramètres de date "début" ou "fin" doivent être au format "yyyy-mm-dd"\n start_missing: Le paramètre 'début' requis est manquant\n articles_controller:\n must_be_json: Le paramètre article doit être un objet JSON. Vous avez fourni l'article comme %{type}\n follows_controller:\n followed:\n one: a suivi %{count} utilisateur\n other: a suivi %{count} utilisateurs\n health_checks_controller:\n app_is_up: L'application est en place !\n database_connected: Base de données connectée\n database_not_connected: Base de données NON connectée !\n redis_connected: Redis connecté\n redis_not_connected: Redis NON connecté !\n listings_controller:\n no_credit: Pas assez de crédits disponibles\n
dataset_sample\yaml\forem_forem\config\locales\controllers\api\fr.yml
fr.yml
YAML
872
0.7
0
0
react-lib
893
2024-02-08T19:58:04.164183
GPL-3.0
false
1afc495489ea468267af85c0ea8a69c8
---\nen:\n decorators:\n article_decorator:\n tagged_with: " Tagged with %{cached_tag_list}."\n
dataset_sample\yaml\forem_forem\config\locales\decorators\en.yml
en.yml
YAML
99
0.5
0
0
awesome-app
428
2024-05-06T21:32:07.295407
Apache-2.0
false
09a57c951854d8cc6d5aed669c8af96d
---\nfr:\n decorators:\n article_decorator:\n tagged_with: " Tagué avec %{cached_tag_list}."\n
dataset_sample\yaml\forem_forem\config\locales\decorators\fr.yml
fr.yml
YAML
99
0.5
0
0
awesome-app
39
2025-07-06T08:43:29.745450
BSD-3-Clause
false
a1abd910a34be9d92c484253cff2f65c
---\nen:\n helpers:\n label:\n listing:\n body_markdown: Body Markdown\n expires_at: Custom Expire Date\n location: Location\n organization_id: Post under an organization\n tag_list: Tags\n title: Title\n organization:\n name: Name\n slug: Username\n profile_image: Profile image\n twitter_username: Twitter username\n github_username: GitHub username\n url: Website url\n tag_line: Tag line\n summary: Summary\n location: Location\n email: Support email\n company_size: Organization size\n story: Our story\n tech_stack: Our stack\n cta_body_markdown: Body text\n cta_button_text: Link text\n cta_button_url: Link url\n proof: Proof\n podcast:\n android_url: Android url\n description: Description\n feed_url: Feed url\n image: Image\n itunes_url: Itunes url\n main_color_hex: Main color hex\n overcast_url: Overcast url\n pattern_image: Pattern image\n slug: Slug\n soundcloud_url: Soundcloud url\n title: Title\n twitter_username: Twitter username\n website_url: Website url\n response_template:\n title: Title\n content: Comment body (Markdown)\n user:\n name: Name\n email: Email\n username: Username\n profile_image: Profile image\n users_notification_setting:\n email_newsletter: Send me weekly newsletter emails\n email_digest_periodic: Send me a periodic digest of top posts from my tags\n email_tag_mod_newsletter: Send me tag moderator newsletter emails\n email_community_mod_newsletter: Send me community moderator newsletter emails\n email_comment_notifications: Send me an email when someone replies to me in a comment thread\n email_follower_notifications: Send me an email when someone new follows me\n email_mention_notifications: Send me an email when someone mentions me\n email_badge_notifications: Send me an email when I receive a badge\n email_unread_notifications: Send me occasional reminders that I have unread notifications on %{community}\n mobile_mention_notifications: Send me a push notification when someone mentions me\n mobile_comment_notifications: Send me a push notification when someone replies to me in a comment thread\n welcome_notifications: Send me occasional tips on how to enhance my %{community} experience\n reaction_notifications: Send notifications when someone reacts to my content, such as comments or posts\n mod_roundrobin_notifications: Send me notifications about new member activity\n users_setting:\n feed_url: RSS Feed URL\n placeholder:\n organization:\n name: Acme Inc.\n slug: acmeinc\n url: https://yoursite.com\n location: Halifax, Nova Scotia\n email: mail@example.com\n company_size: "..."\n story: "..."\n tech_stack: "..."\n cta_body_markdown: "..."\n cta_button_text: Visit Acme Site\n cta_button_url: https://example.com\n proof: "..."\n response_template:\n title: "..."\n user:\n name: John Doe\n email: john.doe@example.com\n username: johndoe\n feed_url: https://yoursite.com/feed\n application_helper:\n app_logo: App logo\n follow:\n aria_label:\n Organization: 'Follow organization: %{name}'\n Tag: 'Follow tag: %{name}'\n User: 'Follow user: %{name}'\n default: 'Follow %{type}: %{name}'\n text:\n Organization: Follow\n Tag: Follow\n User: Follow\n default: Follow\n required: Required\n subtitle:\n week: Top posts this week\n month: Top posts this month\n year: Top posts this year\n infinity: All posts\n latest: Latest posts\n title_text: "%{title} - %{timeframe}"\n articles_helper:\n logo: "%{service_name} logo"\n most_comments: Most Comments\n most_reactions: Most Reactions\n most_views: Most Views\n recently_created: Recently Created\n recently_published: Recently Published\n authentication_helper:\n any_of_those: any of those\n email_password: Email & Password\n reminder: 'You used %{method} to authenticate your account originally, so you can use %{dem} — or send yourself a <a href="%{link}" style="color:black">magic link</a>.'\n that: that\n invite_only: You cannot do this until you disable Invite Only Mode\n comments_helper:\n ama: ama\n ask_me_anything: Ask Me Anything\n author: Author\n nbsp_likes_html:\n one: "&nbsp;like"\n other: "&nbsp;likes"\n feedback_messages_helper:\n offender:\n body: |\n Hello,\n\n It has been brought to our attention that you have violated the %{community} Code of Conduct and/or Terms of Use.\n\n If this behavior continues, we may need to suspend your %{community} account.\n\n If you think that there's been a mistake, please reply to this email and we will take another look.\n\n %{community} Team\n subject: "%{community} Code of Conduct Violation"\n reporter:\n body: |\n Hi there,\n Thank you for flagging content that may be in violation of the %{community} Code of Conduct and/or our Terms of Use. We are looking into your report and will take appropriate\n action.\n We appreciate your help as we work to foster a positive and inclusive environment for all!\n %{community} Team\n subject: "%{community} Report"\n affected:\n body: |\n Hi there,\n\n We noticed some comments (made by others) on your post that violate the %{community} Code of Conduct and/or our Terms of Use. We have zero tolerance for such behavior and are\n taking appropriate action.\n\n Thanks for being awesome, and please don't hesitate to email us with any questions! We welcome all feedback and ideas as we continue working to foster an open and inclusive community.\n\n %{community} Team\n subject: Courtesy Notice from %{community}\n listing_helper:\n option:\n one: "%{cl_name} (%{count} Credit)"\n other: "%{cl_name} (%{count} Credits)"\n organization_helper:\n option: "%{org_name} (%{unspent})"\n rate_limit_checker_helper:\n day:\n one: day\n other: days\n general: How many %{thing} can a new member (%{timeframe} or less) create within any 5 minute period?\n published:\n title: Limit number of posts created\n description: How many posts can someone create within any 30 second period?\n antispam:\n title: Limit number of posts created by a new member\n update:\n title: Limit number of updates to a post\n description: How many updates can someone make within any 30 second period? Update API docs when changed.\n upload:\n title: Limit number of images uploaded\n description: How many images can someone upload within any 30 second period?\n user:\n title: Limit number of changes someone can make to their account\n description: How many changes can someone make to their user account within any 30 second period?\n follow:\n title: Limit number of followers someone can follow daily\n description: How many people can someone follow in a day?\n reaction:\n title: Limit number of reactions to a post or comment\n description: How many times can someone react to a post or comment within any 30 second period?\n feedback:\n title: Limit number of times someone can report abuse\n description: How many times can someone report abuse within any 5 minute period?\n comment:\n title: Limit number of comments created\n description: How many comments can someone create within any 30 second period?\n comment_antispam:\n title: Limit number of comments created by a new member\n mention:\n title: Limit number of @-mentions in a post or comment\n description: How many times can someone @-mention other users in a post or comment?\n listing:\n title: Limit number of listings created\n description: How many listings can someone create within any 1 minute period?\n organization:\n title: Limit number of organizations created\n description: How many organizations can someone create within any 5 minute period?\n subscription:\n title: Limit number of times someone can subscribe to mailing list liquid tag\n description: How many times can someone subscribe to a mailing list within any 30 second period?\n recipient:\n title: Limit number of general emails we send\n description: How many emails can we send to someone within any 2 minute period?\n confirmation:\n title: Limit number of confirmation emails we send\n description: How many times can we send a confirmation email to someone within a 2 minute period?\n thing:\n posts: posts\n comments: comments\n settings_helper:\n advanced: Advanced\n beginner: Beginner\n expert: Expert\n mid_level: Mid-level\n novice: Novice\n social_link_helper:\n n_a: N/A\n admin:\n user_helper:\n today: Today, %{date}\n yesterday: Yesterday, %{date}\n org_join: ", "\n org_overflow:\n one: "%{orgs} & %{count} other"\n other: "%{orgs} & %{count} others"\n
dataset_sample\yaml\forem_forem\config\locales\helpers\en.yml
en.yml
YAML
9,565
0.95
0.016807
0
python-kit
652
2024-06-21T22:29:21.267568
MIT
false
7d0cf232d1877365b4ab3a719105548f
---\nfr:\n helpers:\n label:\n listing:\n body_markdown: Body Markdown\n expires_at: Date d'expiration personnalisée\n location: Emplacement\n organization_id: Publier sous une organisation\n tag_list: Tags\n title: Titre\n organization:\n name: Nom\n slug: Nom d'utilisateur\n profile_image: Image du profil\n twitter_username: Nom d'utilisateur Twitter\n github_username: nom d'utilisateur GitHub\n url: URL du site web\n tag_line: Ligne de présentation\n summary: Résumé\n location: Emplacement\n email: Email du support\n company_size: Taille de l'organisation\n story: Notre histoire\n tech_stack: Notre tech stack\n cta_body_markdown: Corps du texte\n cta_button_text: Texte du lien\n cta_button_url: URL du lien\n proof: Preuve\n podcast:\n android_url: URL Android\n description: Description\n feed_url: URL du flux\n image: Image\n itunes_url: URL Itunes\n main_color_hex: Couleur principale hex\n overcast_url: Overcast url\n pattern_image: Image du motif\n slug: Slug\n soundcloud_url: URL Soundcloud\n title: Titre\n twitter_username: Nom d'utilisateur Twitter\n website_url: URL du site web\n response_template:\n title: Titre\n content: Corps du commentaire (Markdown)\n user:\n name: Nom\n email: Email\n username: Nom d'utilisateur\n profile_image: Image de profil\n users_notification_setting:\n email_newsletter: Envoyez-moi une newsletter hebdomadaire\n email_digest_periodic: Envoyez-moi un condensé périodique des meilleurs messages de mes tags\n email_tag_mod_newsletter: Envoyez-moi des e-mails de newsletter pour les modérateurs de tags\n email_community_mod_newsletter: Envoyez-moi les e-mails de la newsletter des modérateurs de communauté\n email_comment_notifications: Envoyez-moi un e-mail lorsque quelqu'un me répond dans un fil de commentaires\n email_follower_notifications: Envoyez-moi un e-mail lorsque quelqu'un me suit\n email_mention_notifications: Envoyez-moi un e-mail lorsque quelqu'un me mentionne\n email_badge_notifications: Envoyez-moi un e-mail lorsque je reçois un badge\n email_unread_notifications: Envoyez-moi des rappels occasionnels lorsque j'ai des notifications non lues sur %{community}\n mobile_mention_notifications: Envoyez-moi une notification push lorsque quelqu'un me mentionne\n mobile_comment_notifications: Envoyez-moi une notification push lorsque quelqu'un me répond dans un fil de commentaires\n welcome_notifications: Envoyez-moi de temps en temps des conseils pour améliorer mon expérience sur %{community}\n reaction_notifications: Envoyer des notifications lorsque quelqu'un réagit à mon contenu, comme des commentaires ou des messages\n mod_roundrobin_notifications: Envoyez-moi des notifications sur l'activité des nouveaux membres\n users_setting:\n feed_url: URL du flux RSS\n placeholder:\n organization:\n name: Acme Inc.\n slug: acmeinc\n url: https://votresite.com\n location: France, Toulouse\n email: mail@example.com\n company_size: "..."\n story: "..."\n tech_stack: "..."\n cta_body_markdown: "..."\n cta_button_text: Visiter le site Acme \n cta_button_url: https://votresite.com\n proof: "..."\n response_template:\n title: "..."\n user:\n name: John Doe\n email: john.doe@example.com\n username: johndoe\n feed_url: https://votresite.com/feed\n application_helper:\n app_logo: Logo de l'application\n follow:\n aria_label:\n Organization: "Suivre l'organisation: %{name}"\n Tag: 'Suivre le tag: %{name}'\n User: "Suivre L'utilisateur : %{name}"\n default: "Suivre %{type}: %{name}"\n text:\n Organization: Suivre\n Tag: Suivre\n User: Suivre\n default: Suivre\n required: Requis\n subtitle:\n week: Les meilleurs articles de cette semaine\n month: Les meilleurs articles de ce mois\n year: Les meilleurs articles de cette année\n infinity: Tous les messages\n latest: Derniers messages\n title_text: "%{title} - %{timeframe}"\n articles_helper:\n logo: "%{service_name} logo"\n most_comments: Le plus de commentaires\n most_reactions: Le plus de réactions\n most_views: Le plus de vues\n recently_created: Récemment créé\n recently_published: Récemment publié\n authentication_helper:\n any_of_those: any of those\n email_password: Email & Password\n reminder: 'You used %{method} to authenticate your account originally, so you can use %{dem} — or send yourself a <a href="%{link}" style="color:black">magic link</a>.'\n that: that\n invite_only: You cannot do this until you disable Invite Only Mode\n comments_helper:\n ama: ama\n ask_me_anything: Demandez-moi n'importe quoi\n author: Auteur\n nbsp_likes_html:\n one: "&nbsp;like"\n other: "&nbsp;likes"\n feedback_messages_helper:\n offender:\n body: |\n Bonjour,\n\n Il a été porté à notre attention que vous avez violé le %{community} Code de conduite et/ou conditions d'utilisation.\n\n Si ce comportement persiste, nous devrons peut-être suspendre votre compte %{community}.\n\n Si vous pensez qu'il s'agit d'une erreur, veuillez répondre à cet e-mail et nous réexaminerons la situation.\n\n L'équipe %{community}\n subject: "Violation du code de conduite de %{community}"\n reporter:\n body: |\n Bonjour,\n Merci de signaler un contenu qui pourrait être en violation du %{community} Code de conduite et/ou nos conditions d'utilisation. Nous examinons votre rapport et prendrons les mesures appropriées.\n Nous apprécions votre aide car nous nous efforçons de favoriser un environnement positif et inclusif pour tous !\n L'équipe %{community}\n subject: "Reporter %{community}"\n affected:\n body: |\n Bonjour,\n\n Nous avons remarqué que certains commentaires (faits par d'autres personnes) sur votre message violent le %{community} Code de conduite et/ou nos conditions d'utilisation. Nous avons une tolérance zéro pour de tels comportements et nous\n et nous prenons les mesures appropriées.\n\n Merci d'avoir été génial, et n'hésitez pas à nous envoyer un e-mail pour toute question ! Tous les commentaires et idées sont les bienvenus pour continuer à favoriser une communauté ouverte et inclusive.\n\n L'équipe %{community}\n subject: Avis de courtoisie de %{community}\n listing_helper:\n option:\n one: "%{cl_name} (%{count} Crédit)"\n other: "%{cl_name} (%{count} Crédits)"\n organization_helper:\n option: "%{org_name} (%{unspent})"\n rate_limit_checker_helper:\n day:\n one: jour\n other: jours\n general: Combien de %{thing} un nouveau membre (%{timeframe} ou moins) peut-il créer sur une période de 5 minutes ?\n published:\n title: Limiter le nombre de postes créés\n description: Combien de messages peut-on créer sur une période de 30 secondes ?\n antispam:\n title: Limiter le nombre de postes créés par un nouveau membre\n update:\n title: Limiter le nombre de mises à jour d'un article\n description: Combien de mises à jour peut-on faire sur une période de 30 secondes ? Mettre à jour la documentation de l'API en cas de modification.\n upload:\n title: Limiter le nombre d'images téléchargées\n description: Combien d'images peut-on télécharger sur une période de 30 secondes ?\n user:\n title: Limiter le nombre de modifications qu'une personne peut apporter à son compte\n description: Combien de changements une personne peut-elle apporter à son compte utilisateur sur une période de 30 secondes ?\n follow:\n title: Limiter le nombre de followers qu'une personne peut suivre par jour\n description: Combien de personnes peut-on suivre en une journée ?\n reaction:\n title: Limiter le nombre de réactions à un message ou à un commentaire\n description: Combien de fois une personne peut-elle réagir à un message ou à un commentaire sur une période de 30 secondes ?\n feedback:\n title: Limiter le nombre de fois où une personne peut signaler un abus\n description: Combien de fois une personne peut-elle signaler un abus sur une période de 5 minutes ?\n comment:\n title: Limiter le nombre de commentaires créés\n description: Combien de commentaires une personne peut-elle créer dans une période de 30 secondes ?\n comment_antispam:\n title: Limiter le nombre de commentaires créés par un nouveau utilisateur\n mention:\n title: Limiter le nombre de @-mentions dans un message ou un commentaire\n description: Combien de fois une personne peut-elle @-mentionner d'autres utilisateurs dans un message ou un commentaire ?\n listing:\n title: Limiter le nombre de listings créés\n description: Combien d'annonces peuvent être créées pendant une période d'une minute ?\n organization:\n title: Limiter le nombre d'organisations créées\n description: Combien d'organisations une personne peut-elle créer sur une période de 5 minutes ?\n subscription:\n title: Limiter le nombre de fois qu'une personne peut s'abonner à une liste de diffusion tag liquide\n description: Combien de fois une personne peut-elle s'abonner à une liste de diffusion sur une période de 30 secondes ?\n recipient:\n title: Limiter le nombre d'e-mails généraux que nous envoyons\n description: Combien d'emails pouvons-nous envoyer à une personne dans une période de 2 minutes ?\n confirmation:\n title: Limiter le nombre d'e-mails de confirmation que nous envoyons\n description: Combien de fois pouvons-nous envoyer un email de confirmation à quelqu'un dans une période de 2 minutes ?\n thing:\n posts: articles\n comments: commentaires\n settings_helper:\n advanced: Avancé\n beginner: Débutant\n expert: Expert\n mid_level: Niveau intermédiaire\n novice: Novice\n social_link_helper:\n n_a: N/A\n admin:\n user_helper:\n today: Today, %{date}\n yesterday: Yesterday, %{date}\n org_join: ", "\n org_overflow:\n one: "%{orgs} & %{count} other"\n other: "%{orgs} & %{count} others"\n
dataset_sample\yaml\forem_forem\config\locales\helpers\fr.yml
fr.yml
YAML
10,863
0.95
0
0
node-utils
510
2023-10-27T07:53:03.551157
Apache-2.0
false
95ad08e10ac2f494b5cbc920c99c3f37