diff --git a/.devcontainer/devcontainer.json b/.devcontainer/devcontainer.json new file mode 100644 index 000000000..57a2cdc5b --- /dev/null +++ b/.devcontainer/devcontainer.json @@ -0,0 +1,35 @@ +{ + "name": "tldr-pages", + "image": "mcr.microsoft.com/devcontainers/base:ubuntu", // Use Microsoft's Ubuntu Base image for the dev container + "features": { // Use Node and Python features in the dev container + "ghcr.io/devcontainers/features/node:1": {}, + "ghcr.io/devcontainers/features/python:1": {} + }, + + "privileged": false, // Run the container unprivileged + + "onCreateCommand": { + "install-python-packages": "pip install -r requirements.txt", // Install Python dependencies in the dev container + "install-node-packages": "npm install" // Install NPM dependencies in the dev container + }, + + "customizations": { + "vscode": { + "settings": { + // Define suggested settings for the dev container + "resmon.show.battery": false, + "resmon.show.cpufreq": false + }, + "extensions": [ + // Define suggested extensions to preinstall in the dev container + "EditorConfig.EditorConfig", + "ms-python.python", + "ms-python.vscode-pylance", + "ms-python.flake8", + "GitHub.vscode-pull-request-github", + "github.vscode-github-actions", + "DavidAnson.vscode-markdownlint" + ] + } + } +} diff --git a/.github/CODEOWNERS b/.github/CODEOWNERS index cc9130c3f..20719c63b 100644 --- a/.github/CODEOWNERS +++ b/.github/CODEOWNERS @@ -2,24 +2,27 @@ /pages.es/ @navarroaxel @kant @tricantivu /pages.fa/ @MrMw3 /pages.fr/ @Nico385412 @nicokosi @noraj -/pages.hi/ @kbdharun +/pages.hi/ @kbdharun @debghs /pages.id/ @reinhart1010 -/pages.it/ @mebeim @yutyo @Magrid0 +/pages.it/ @mebeim @tansiret @Magrid0 /pages.ko/ @IMHOJEONG /pages.nl/ @sebastiaanspeck @leonvsc @Waples -/pages.pl/ @acuteenvy +/pages.pl/ @acuteenvy @spageektti /pages.pt_BR/ @isaacvicente @vitorhcl /pages.pt_PT/ @waldyrious /pages.ta/ @kbdharun -/pages.tr/ @yutyo +/pages.tr/ @tansiret /pages.zh/ @blueskyson @einverne /pages.zh_TW/ @blueskyson -/pages/linux/ @cyqsimon +/pages/common/ @spageektti +/pages/linux/ @cyqsimon @spageektti +/pages/windows/ @spageektti -/*.md @sbrl @kbdharun +/*.md @sbrl @kbdharun @sebastiaanspeck +/.devcontainer/* @kbdharun @sebastiaanspeck /.github/workflows/* @sbrl @kbdharun @sebastiaanspeck -/scripts/* @sebastiaanspeck +/scripts/* @sebastiaanspeck @kbdharun /contributing-guides/maintainers-guide.md @sbrl @kbdharun /contributing-guides/style-guide.md @sbrl @kbdharun @@ -29,13 +32,13 @@ /contributing-guides/*.fr.md @Nico385412 @nicokosi @noraj /contributing-guides/*.hi.md @kbdharun /contributing-guides/*.id.md @reinhart1010 -/contributing-guides/*.it.md @mebeim @yutyo @Magrid0 +/contributing-guides/*.it.md @mebeim @tansiret @Magrid0 /contributing-guides/*.ko.md @IMHOJEONG /contributing-guides/*.nl.md @sebastiaanspeck @leonvsc @Waples -/contributing-guides/*.pl.md @acuteenvy +/contributing-guides/*.pl.md @acuteenvy @spageektti /contributing-guides/*.pt_BR.md @isaacvicente @vitorhcl /contributing-guides/*.pt_PT.md @waldyrious /contributing-guides/*.ta.md @kbdharun -/contributing-guides/*.tr.md @yutyo +/contributing-guides/*.tr.md @tansiret /contributing-guides/*.zh.md @blueskyson @einverne /contributing-guides/*.zh_TW.md @blueskyson diff --git a/.github/workflows/ci.yml b/.github/workflows/ci.yml index ee6215366..c549ed456 100644 --- a/.github/workflows/ci.yml +++ b/.github/workflows/ci.yml @@ -2,14 +2,14 @@ name: CI on: ['push', 'pull_request'] -permissions: - contents: write # to upload assets to releases - jobs: ci: - runs-on: ubuntu-latest - name: CI + runs-on: ubuntu-latest + permissions: + contents: write # to upload assets to releases + attestations: write # to upload assets attestation for build provenance + id-token: write # grant additional permission to attestation action to mint the OIDC token permission steps: - uses: actions/checkout@v4 @@ -34,7 +34,7 @@ jobs: run: npm ci - name: Install pip dependencies - run: pip install -r requirements.txt -r scripts/pdf/requirements.txt + run: pip install -r requirements.txt -r scripts/pdf/requirements.txt -r scripts/test-requirements.txt - name: Test run: npm test @@ -53,3 +53,53 @@ jobs: env: DEPLOY_KEY: ${{ secrets.DEPLOY_KEY }} GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }} + + - name: Check for generated files + if: github.repository == 'tldr-pages/tldr' && github.ref == 'refs/heads/main' + id: check-files + run: | + if [[ -n $(find language_archives -name "*.zip" -print -quit) ]]; then + echo "zip_exists=true" >> $GITHUB_ENV + else + echo "zip_exists=false" >> $GITHUB_ENV + fi + + if [[ -n $(find scripts/pdf -name "*.pdf" -print -quit) ]]; then + echo "pdf_exists=true" >> $GITHUB_ENV + else + echo "pdf_exists=false" >> $GITHUB_ENV + fi + + if [[ -f tldr.sha256sums ]]; then + echo "checksums_exist=true" >> $GITHUB_ENV + else + echo "checksums_exist=false" >> $GITHUB_ENV + fi + + - name: Construct subject-path for attest + if: github.repository == 'tldr-pages/tldr' && github.ref == 'refs/heads/main' + id: construct-subject-path + run: | + subject_path="" + if [[ ${{ env.zip_exists }} == 'true' ]]; then + zip_files=$(find language_archives -name '*.zip' -printf '%p,') + subject_path+="${zip_files::-1}" + fi + if [[ ${{ env.pdf_exists }} == 'true' ]]; then + if [[ -n $subject_path ]]; then subject_path+=","; fi + pdf_files=$(find scripts/pdf -name '*.pdf' -printf '%p,') + subject_path+="${pdf_files::-1}" + fi + if [[ ${{ env.checksums_exist }} == 'true' ]]; then + if [[ -n $subject_path ]]; then subject_path+=","; fi + subject_path+='tldr.sha256sums' + fi + echo "subject_path=$subject_path" >> $GITHUB_ENV + + - name: Attest generated files + if: github.repository == 'tldr-pages/tldr' && github.ref == 'refs/heads/main' + id: attest + uses: actions/attest-build-provenance@v1 + continue-on-error: true # prevent failing when no pages are modified + with: + subject-path: ${{ env.subject_path }} diff --git a/.github/workflows/codespell.yml b/.github/workflows/codespell.yml index 06399b5bc..5c12caf40 100644 --- a/.github/workflows/codespell.yml +++ b/.github/workflows/codespell.yml @@ -17,7 +17,7 @@ jobs: - name: Get changed files id: changed-files - uses: tj-actions/changed-files@v42.0.5 + uses: tj-actions/changed-files@v45.0.0 with: # Ignore all other languages except English files_ignore: | diff --git a/.github/workflows/copy-release-assets.yml b/.github/workflows/copy-release-assets.yml index 81780f665..b7ceca60b 100644 --- a/.github/workflows/copy-release-assets.yml +++ b/.github/workflows/copy-release-assets.yml @@ -4,28 +4,50 @@ on: release: types: published -permissions: - contents: write - env: GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }} jobs: release: - name: Copy assets to the new release + name: Copy release assets runs-on: ubuntu-latest + permissions: + contents: write # to upload assets to releases + attestations: write # to upload assets attestation for build provenance + id-token: write # grant additional permission to attestation action to mint the OIDC token permission steps: - uses: actions/checkout@v4 with: fetch-depth: 0 - - name: Download and upload + - name: Set tag names run: | - LATEST="$(git describe --tags --abbrev=0)" - PREVIOUS="$(git describe --tags --abbrev=0 "$LATEST"^)" + echo "LATEST=$(git describe --tags --abbrev=0)" >> $GITHUB_ENV + echo "PREVIOUS=$(git describe --tags --abbrev=0 $(git describe --tags --abbrev=0)^)" >> $GITHUB_ENV + - name: Download assets + run: | mkdir release-assets && cd release-assets - gh release download "$PREVIOUS" - gh release upload "$LATEST" -- * + + - name: Construct subject-path for attest + if: github.repository == 'tldr-pages/tldr' + id: construct-subject-path + run: | + zip_files=$(find release-assets -name '*.zip' -printf '%p,') + pdf_files=$(find release-assets -name '*.pdf' -printf '%p,') + subject_path="${zip_files::-1},${pdf_files::-1},release-assets/tldr.sha256sums" + echo "subject_path=$subject_path" >> $GITHUB_ENV + + - name: Attest copied assets + if: github.repository == 'tldr-pages/tldr' + id: attest + uses: actions/attest-build-provenance@v1 + with: + subject-path: ${{ env.subject_path }} + + - name: Upload assets + if: github.repository == 'tldr-pages/tldr' + working-directory: release-assets + run: gh release upload "$LATEST" -- * diff --git a/.github/workflows/labeler.yml b/.github/workflows/labeler.yml index 3ec4e2dac..d413bdedd 100644 --- a/.github/workflows/labeler.yml +++ b/.github/workflows/labeler.yml @@ -6,6 +6,6 @@ jobs: labeler: runs-on: ubuntu-latest steps: - - uses: tldr-pages/tldr-labeler-action@v0 + - uses: tldr-pages/tldr-labeler-action@v0.4.0 with: token: "${{ secrets.GITHUB_TOKEN }}" diff --git a/.gitignore b/.gitignore index 3c58aaac6..c5b177035 100644 --- a/.gitignore +++ b/.gitignore @@ -28,3 +28,6 @@ scripts/pdf/tldr-pages.pdf # Python venv for testing the PDF script # Create it with: python3 -m venv scripts/pdf/venv/ venv + +# Generated pycache +__pycache__ diff --git a/.markdownlint.json b/.markdownlint.json new file mode 100644 index 000000000..3dd7a5e59 --- /dev/null +++ b/.markdownlint.json @@ -0,0 +1,11 @@ +{ + "default": true, + "MD003": { "style": "atx" }, + "MD007": { "indent": 4 }, + "MD013": { "line_length": 250 }, + "MD029": false, + "MD033": false, + "MD034": false, + "no-hard-tabs": false, + "whitespace": false +} diff --git a/.markdownlintrc b/.markdownlintrc deleted file mode 100644 index 9cd9f1618..000000000 --- a/.markdownlintrc +++ /dev/null @@ -1,10 +0,0 @@ -{ - "default": true, - "MD003": { "style": "atx" }, - "MD007": { "indent": 4 }, - "MD013": { "line_length": 250 }, - "MD033": false, - "MD034": false, - "no-hard-tabs": false, - "whitespace": false -} diff --git a/CLIENT-SPECIFICATION.md b/CLIENT-SPECIFICATION.md index 91abad22a..9ad0c541b 100644 --- a/CLIENT-SPECIFICATION.md +++ b/CLIENT-SPECIFICATION.md @@ -1,6 +1,7 @@ + # tldr-pages client specification -**Current Specification Version:** 2.1 +**Current Specification Version:** 2.2 This document contains the official specification for tldr-pages clients. It is _not_ a specification of the format of the pages themselves - only a specification of how a user should be able to interface with an official client. For a list of previous versions of the specification, see the [changelog section](#changelog) below. @@ -112,7 +113,7 @@ The structure inside these translation folders is identical to that of the main ## Page structure -Although this specification is about the interface that clients must provide, it is also worth noting that pages are written in standard [CommonMark](https://commonmark.org/), with the exception of the non-standard `{{` and `}}` placeholder syntax, which surrounds values in an example that users may edit. Clients MAY highlight the placeholders and MUST remove the surrounding curly braces. Clients MUST NOT treat them as the placeholder syntax if they are escaped using `\` (i.e. `\{\{` and `\}\}`) and MUST instead display literal braces, without backslashes. Placeholder escaping applies only when both braces are escaped (e.g. in `\{` or `\{{`, backslashes MUST be displayed). In cases when a command uses `{}` in its arguments (e.g. `stash@{0}`) ***the outer braces*** mark the placeholder - the braces inside MUST be displayed. Clients MUST NOT break if the page format is changed within the _CommonMark_ specification. +Although this specification is about the interface that clients must provide, it is also worth noting that pages are written in standard [CommonMark](https://commonmark.org/), with the exception of the non-standard `{{` and `}}` placeholder syntax, which surrounds values in an example that users may edit. Clients MAY highlight the placeholders and MUST remove the surrounding curly braces. Clients MUST NOT treat them as the placeholder syntax if they are escaped using `\` (i.e. `\{\{` and `\}\}`) and MUST instead display literal braces, without backslashes. Placeholder escaping applies only when both braces are escaped (e.g. in `\{` or `\{{`, backslashes MUST be displayed). In cases when a command uses `{}` in its arguments (e.g. `stash@{0}`) **_the outer braces_** mark the placeholder - the braces inside MUST be displayed. Clients MUST NOT break if the page format is changed within the _CommonMark_ specification. ### Examples @@ -162,7 +163,7 @@ If a page cannot be found in _any_ platform, then it is RECOMMENDED that clients https://github.com/tldr-pages/tldr/issues/new?title=page%20request:%20{command_name} ``` -where `{command_name}` is the name of the command that was not found. Clients that have control over their exit code on the command line (i.e. clients that provide a CLI) MUST exit with a non-zero exit code in addition to showing the above message. +where `{command_name}` is the name of the command that was not found. Clients that have control over their exit code on the command-line (i.e. clients that provide a CLI) MUST exit with a non-zero exit code in addition to showing the above message. #### If multiple versions of a page were found @@ -216,6 +217,9 @@ Step | Path checked | Outcome If appropriate, it is RECOMMENDED that clients implement a cache of pages. If implemented, clients MUST download the entire archive either as a whole from **** or download language-specific archives in the format `https://github.com/tldr-pages/tldr/releases/latest/download/tldr-pages.{{language-code}}.zip` (e.g. ****). The English archive is also available from ****. +> [!CAUTION] +> Prior to version 2.2, the client specification stated that clients MUST download archives from . This method is now deprecated, and **_will be removed_** in the future. + Caching SHOULD be done according to the user's language configuration (if any), to not waste unneeded space for unused languages. Additionally, clients MAY automatically update the cache regularly. ## Changelog @@ -232,10 +236,11 @@ the form `vX.Y`) should be done immediately AFTER merging the version bump, as the commit hash changes when merging with squash or rebase. --> -- Unreleased +- [v2.2, March 20th 2024](https://github.com/tldr-pages/tldr/blob/v2.2/CLIENT-SPECIFICATION.md) ([#12452](https://github.com/tldr-pages/tldr/pull/12452)) - Removed redirect text from the [caching section](#caching) ([#12133](https://github.com/tldr-pages/tldr/pull/12133)) - Updated asset URLs to use GitHub releases ([#12158](https://github.com/tldr-pages/tldr/pull/12158)) - Add requirement to disambiguate triple-brace placeholders ([#12158](https://github.com/tldr-pages/tldr/pull/12158)) + - Add notice to deprecate the old asset URL ([#12452](https://github.com/tldr-pages/tldr/pull/12452)) - [v2.1, November 30th 2023](https://github.com/tldr-pages/tldr/blob/v2.1/CLIENT-SPECIFICATION.md) ([#11523](https://github.com/tldr-pages/tldr/pull/11523)) - Add requirement to support escaping the placeholder syntax in certain pages ([#10730](https://github.com/tldr-pages/tldr/pull/10730)) diff --git a/COMMUNITY-ROLES.md b/COMMUNITY-ROLES.md index fc6d093bc..00da41212 100644 --- a/COMMUNITY-ROLES.md +++ b/COMMUNITY-ROLES.md @@ -20,6 +20,9 @@ straightforward, transparent, predictable, and impartial, the metrics used are objective, easy to check, and explicitly described below. (That's not to say they're hard-set rules: exceptions can always be considered through open community discussion.) +> [!IMPORTANT] +> It is required to have [two-factor authentication](https://github.com/settings/security) (2FA) enabled for your GitHub account to be added as an outside collaborator or a member of the tldr-pages organization. + ## When to change roles - **Regular contributors should be added as collaborators in the repository.** @@ -74,7 +77,6 @@ exceptions can always be considered through open community discussion.) Indeed, if they return to active participation in the project, they should be added back to the organization, to reflect that fact. - ## How to change roles > [!NOTE] @@ -91,7 +93,7 @@ using one of the template messages below as a base. 1. Open an issue with the following message template (edit it as appropriate): - ``` + ```md Hi, @username! You seem to be enjoying contributing to the tldr-pages project. You now have had five distinct pull requests [merged]()! That qualifies you to become a collaborator in this repository, as explained in our [community roles documentation](https://github.com/tldr-pages/tldr/blob/main/COMMUNITY-ROLES.md). @@ -105,6 +107,9 @@ using one of the template messages below as a base. So, what do you say? Can we add you as a collaborator? Either way, thanks for all your work so far! + + > [!NOTE] + > It is required to have [two-factor authentication](https://github.com/settings/security) (2FA) enabled for your GitHub account to be added as a collaborator to the tldr-pages/tldr repository. ``` 2. Once they acknowledge the message and if they accept the invitation, @@ -120,7 +125,7 @@ using one of the template messages below as a base. 1. Open an issue with the following message template (edit it as appropriate): - ``` + ```md Hi, @username! After joining as a collaborator in the repository, you have been regularly performing [maintenance tasks](). Thank you for that! @@ -152,7 +157,7 @@ using one of the template messages below as a base. 1. Open an issue with the following message template (edit it as appropriate): - ``` + ```md Hi, @username! You've been an active tldr-pages organization member for over 6 months. Thanks for sticking around this far and helping out! @@ -180,7 +185,7 @@ using one of the template messages below as a base. 1. Open an issue with the following message template (edit it as appropriate): - ``` + ```md Hi, @username! As you know, our [community roles documentation](https://github.com/tldr-pages/tldr/blob/main/COMMUNITY-ROLES.md) defines processes for keeping the list of organization members in sync with the actual maintenance team. Since you haven't been active in the project for a while now, we'll be relieving you from the maintainer responsibilities. @@ -215,7 +220,9 @@ can then perform the actual role changes. ## CODEOWNERS -The [`.github/CODEOWNERS` file](https://github.com/tldr-pages/tldr/blob/main/.github/CODEOWNERS) allows contributors with write access to the [tldr-pages/tldr repository](https://github.com/tldr-pages/tldr) to get automatic review request notifications for given files and directories. +The [`.github/CODEOWNERS` file](https://github.com/tldr-pages/tldr/blob/main/.github/CODEOWNERS) allows contributors with write access to the [tldr-pages/tldr repository](https://github.com/tldr-pages/tldr) +to get automatic review request notifications for given files and directories. + If they wish to, contributors can open a pull request to add themselves to this file as desired. Example uses include (but are not limited to): diff --git a/CONTRIBUTING.md b/CONTRIBUTING.md index de2460784..ef4de4373 100644 --- a/CONTRIBUTING.md +++ b/CONTRIBUTING.md @@ -21,6 +21,10 @@ Contributions to the tldr-pages project are [most welcome](GOVERNANCE.md)! All `tldr` pages are stored in Markdown right here on GitHub. Just open an issue or send a pull request, and we'll incorporate it as soon as possible. +> [!IMPORTANT] +> While this file contains general instructions to get started, it is suggested to read the [style guide](contributing-guides/style-guide.md) and [translation templates](contributing-guides/translation-templates) +> for more detailed information about the syntax and commonly used translation terms. + To get started, please [sign](https://cla-assistant.io/tldr-pages/tldr) the [Contributor License Agreement](https://gist.github.com/waldyrious/e50feec13683e565769fbd58ce503d4e). @@ -50,12 +54,14 @@ When in doubt, have a look at a few existing pages :). ## Directory structure -The English pages directory is called `pages`, under which the platform directories are present. Language-specific directories must follow the pattern `pages.`, where `` is a [POSIX Locale Name](https://www.gnu.org/software/gettext/manual/html_node/Locale-Names.html#Locale-Names) in the form of `[_]`, where: +The English pages directory is called `pages`, under which the platform directories are present. Language-specific directories must follow the pattern `pages.`, where `` is a +[POSIX Locale Name](https://www.gnu.org/software/gettext/manual/html_node/Locale-Names.html#Locale-Names) in the form of `[_]`, where: - `` is the shortest [ISO 639](https://en.wikipedia.org/wiki/ISO_639) language code for the chosen language (see [here](https://en.wikipedia.org/wiki/List_of_ISO_639-2_codes) for a complete list). - `` is the two-letter [ISO 3166-1](https://en.wikipedia.org/wiki/ISO_3166-1) country code for the chosen region (see [here](https://en.wikipedia.org/wiki/ISO_3166-1_alpha-2#Officially_assigned_code_elements) for a complete list). -The `` code is optional and should only be added when there is a substantial difference between a language (`ll`) and its regional dialects (`ll_CC1`, `ll_CC2`, etc.). For example, both `fr_FR` and `fr_BE` should fall under the same `pages.fr` directory since there virtually is no difference in writing between standard French and Belgian French. +The `` code is optional and should only be added when there is a substantial difference between a language (`ll`) and its regional dialects (`ll_CC1`, `ll_CC2`, etc.). +For example, both `fr_FR` and `fr_BE` should fall under the same `pages.fr` directory since there virtually is no difference in writing between standard French and Belgian French. ### Platform directories @@ -63,14 +69,15 @@ The `pages` directory and `pages.*` language-specific directories contain the pl 1. If the command is available for **two or more** platforms, put it **under the `common` directory**. 2. If the command is **only** available for **one** platform, these are the available directories followed by their right platform: - - `android`: Android - - `freebsd`: FreeBSD - - `openbsd`: OpenBSD - - `osx`: OSX/Mac OS/macOS (will be replaced by `macos`) - - `linux`: any Linux distro - - `netbsd`: NetBSD - - `sunos`: SunOS - - `windows`: Windows + +- `android`: Android +- `freebsd`: FreeBSD +- `openbsd`: OpenBSD +- `osx`: OSX/Mac OS/macOS (will be replaced by `macos`) +- `linux`: any Linux distro +- `netbsd`: NetBSD +- `sunos`: SunOS +- `windows`: Windows ## Markdown format @@ -167,7 +174,7 @@ See these examples for reference: > [!IMPORTANT] > Translations of pages should be done based on the English (US) page in the `pages` directory. If the English pages don't exist for the command, it should be added first in a PR before creating a translation. -Translation of pages can be done by simply creating the corresponding page within the appropriate [language-specific directory](#pages-directory), creating that as well if it does not already exist. +Translation of pages can be done by simply creating the corresponding page within the appropriate [language-specific directory](#directory-structure), creating that as well if it does not already exist. > [!IMPORTANT] > When adding a new language to `tldr`, it is suggested to add it to the [translation templates](contributing-guides/translation-templates) along with any page additions. @@ -216,7 +223,8 @@ tldr-lint {{path/to/page.md}} Now, you are ready to submit a pull request! > [!TIP] -> Additionally, inside the `tldr` directory you can install the dependencies using the `npm install` command and now when you commit your changes, the tests will run automatically via the pre-commit hook. (To skip the pre-commit hook and immediately commit your changes use the `git commit --no-verify` command). +> Additionally, inside the `tldr` directory you can install the dependencies using the `npm install` command and now when you commit your changes, the tests will run automatically via the pre-commit hook. +> (To skip the pre-commit hook and immediately commit your changes use the `git commit --no-verify` command). ### Submitting changes @@ -229,11 +237,13 @@ Alternatively, you can do most of the process [using Git on the command-line](contributing-guides/git-terminal.md). > [!TIP] -> After creating a pull request, it is suggested to enable the "Allow edits by maintainers" option (This only needs to be done once the first time you create a PR). It allows maintainers to make changes to your pull request and assist you in getting it merged. +> After creating a pull request, it is suggested to enable the "Allow edits by maintainers" option (This only needs to be done once the first time you create a PR). +> It allows maintainers to make changes to your pull request and assist you in getting it merged, in addition to facilitate the contribution to go on if you can no longer work on it soon for any reason. ### Accepting suggestions within a pull request -The easiest way to apply suggested changes is to accept the suggestion made on your pull request. Refer to the [GitHub docs](https://docs.github.com/pull-requests/collaborating-with-pull-requests/reviewing-changes-in-pull-requests/incorporating-feedback-in-your-pull-request) for more details. +The easiest way to apply suggested changes is to accept the suggestion made on your pull request. +Refer to the [GitHub docs](https://docs.github.com/pull-requests/collaborating-with-pull-requests/reviewing-changes-in-pull-requests/incorporating-feedback-in-your-pull-request) for more details. To commit a suggestion to your pull request, click on `Commit suggestion`: @@ -268,7 +278,8 @@ For other cases, it is suggested to follow Copyright © 2014—present the [tldr-pages team](https://github.com/orgs/tldr-pages/people) and [contributors](https://github.com/tldr-pages/tldr/graphs/contributors). diff --git a/MAINTAINERS.md b/MAINTAINERS.md index 0cad6c346..b7406e006 100644 --- a/MAINTAINERS.md +++ b/MAINTAINERS.md @@ -6,7 +6,8 @@ This file contains a list of the maintainers of the tldr-pages project. > Only the people marked with **bold** are currently in the indicated role. > The other entries are kept for historical record. -There are three types of maintainers, as described in [COMMUNITY-ROLES.md](https://github.com/tldr-pages/tldr/blob/main/COMMUNITY-ROLES.md#when-to-change-roles): repository collaborators, organization members, and organization owners — each having specific roles in maintaining the project, as outlined below. +There are three types of maintainers, as described in [COMMUNITY-ROLES.md](https://github.com/tldr-pages/tldr/blob/main/COMMUNITY-ROLES.md#when-to-change-roles): repository collaborators, organization members, +and organization owners — each having specific roles in maintaining the project, as outlined below. In general terms, all maintainers are expected to follow the [Maintainer's guide](contributing-guides/maintainers-guide.md). @@ -27,8 +28,6 @@ If you are an owner of the organization, you can see an automated list [here](ht [8 May 2019](https://github.com/tldr-pages/tldr/issues/2988) — present - **Pierre Rudloff ([@Rudloff](https://github.com/Rudloff))**: [16 November 2019](https://github.com/tldr-pages/tldr/issues/3580) — present -- **Proscream ([@Proscream](https://github.com/Proscream))**: - [19 November 2019](https://github.com/tldr-pages/tldr/issues/3592) — present - **Guido Lena Cota ([@glenacota](https://github.com/glenacota))**: [19 October 2020](https://github.com/tldr-pages/tldr/issues/4763) — present - **Sahil Dhiman ([@sahilister](https://github.com/sahilister))**: @@ -53,26 +52,28 @@ If you are an owner of the organization, you can see an automated list [here](ht [4 September 2023](https://github.com/tldr-pages/tldr/issues/10611) — present - **Lucas Schneider ([@schneiderl](https://github.com/schneiderl))**: [11 April 2019](https://github.com/tldr-pages/tldr/issues/2898) — [17 January 2020](https://github.com/tldr-pages/tldr/issues/3764), [7 February 2023](https://github.com/tldr-pages/tldr/issues/10674) — present -- **Darío Hereñú ([@kant](https://github.com/kant))**: - [20 September 2023](https://github.com/tldr-pages/tldr/issues/10738) — present -- **Magrid0 ([@Magrid0](https://github.com/Magrid0))**: - [22 October 2023](https://github.com/tldr-pages/tldr/issues/11159) — present - **HoJeong Im ([@IMHOJEONG](https://github.com/IMHOJEONG))**: [24 October 2023](https://github.com/tldr-pages/tldr/issues/11200) — present -- **Shashank Hebbar ([@quantumflo](https://github.com/quantumflo))**: - [13 November 2023](https://github.com/tldr-pages/tldr/issues/11460) — present - **Leon ([@leonvsc](https://github.com/leonvsc))**: [14 November 2023](https://github.com/tldr-pages/tldr/issues/11495) — present - **Matthew Peveler ([@MasterOdin](https://github.com/MasterOdin))**: [9 January 2021](https://github.com/tldr-pages/tldr/issues/5122) — [18 March 2021](https://github.com/tldr-pages/tldr/issues/5473), [15 November 2023](https://github.com/tldr-pages/tldr/issues/11509) — present - **Marcher Simon ([@marchersimon](https://github.com/marchersimon))**: [9 March 2021](https://github.com/tldr-pages/tldr/issues/5390) — [9 April 2021](https://github.com/tldr-pages/tldr/issues/5722), [20 November 2023](https://github.com/tldr-pages/tldr/issues/11381) — present -- **cyqsimon ([@cyqsimon](https://github.com/cyqsimon))**: [28 December 2023](https://github.com/tldr-pages/tldr/issues/11864) — present -- **Jongwon Youn ([@korECM](https://github.com/korECM))**: [29 December 2023](https://github.com/tldr-pages/tldr/issues/11892) — present -- **Alejandro Cervera ([@tricantivu](https://github.com/tricantivu))**: [4 January 2024](https://github.com/tldr-pages/tldr/issues/11989) — present -- **Mohammad Reza Soleimani ([@MrMw3](https://github.com/MrMw3))**: [07 January 2024](https://github.com/tldr-pages/tldr/issues/12011) — present -- **Fazle Arefin ([@fazlearefin](https://github.com/fazlearefin))**: [09 February 2024](https://github.com/tldr-pages/tldr/issues/12227) — present -- **Alexandre ZANNI ([@noraj](https://github.com/noraj))**: [22 February 2024](https://github.com/tldr-pages/tldr/issues/12324) — present +- **cyqsimon ([@cyqsimon](https://github.com/cyqsimon))**: + [28 December 2023](https://github.com/tldr-pages/tldr/issues/11864) — present +- **Jongwon Youn ([@korECM](https://github.com/korECM))**: + [29 December 2023](https://github.com/tldr-pages/tldr/issues/11892) — present +- **Mohammad Reza Soleimani ([@MrMw3](https://github.com/MrMw3))**: + [07 January 2024](https://github.com/tldr-pages/tldr/issues/12011) — present +- **Alexandre ZANNI ([@noraj](https://github.com/noraj))**: + [22 February 2024](https://github.com/tldr-pages/tldr/issues/12324) — present +- **Shashank Hebbar ([@quantumflo](https://github.com/quantumflo))**: + [13 November 2023](https://github.com/tldr-pages/tldr/issues/11460) — [27 March 2024](https://github.com/tldr-pages/tldr/issues/12209), [30 March 2024](https://github.com/tldr-pages/tldr/pull/11622#issuecomment-2027932865) — present +- **Debaudh Ghosh ([@debghs](https://github.com/debghs))**: + [16 August 2024](https://github.com/tldr-pages/tldr/issues/13450) — present +- **jxu ([@jxu](https://github.com/jxu))**: + [18 August 2024](https://github.com/tldr-pages/tldr/issues/13451) — present - Owen Voke ([@owenvoke](https://github.com/owenvoke)) [11 January 2018](https://github.com/tldr-pages/tldr/issues/1885) — [26 August 2018](https://github.com/tldr-pages/tldr/issues/2258) - Marco Bonelli ([@mebeim](https://github.com/mebeim)): @@ -87,7 +88,7 @@ If you are an owner of the organization, you can see an automated list [here](ht [24 August 2020](https://github.com/tldr-pages/tldr/issues/4291) — [5 October 2020](https://github.com/tldr-pages/tldr/issues/4504) - bl-ue ([@bl-ue](https://github.com/bl-ue)): [30 December 2020](https://github.com/tldr-pages/tldr/issues/5056) — [2 February 2021](https://github.com/tldr-pages/tldr/issues/5219) -- Tan Siret Akıncı ([@yutyo](https://github.com/yutyo)): +- Tan Siret Akıncı ([@tansiret](https://github.com/tansiret)): [3 March 2021](https://github.com/tldr-pages/tldr/issues/5345) — [7 April 2021](https://github.com/tldr-pages/tldr/issues/5702) - Florian Benscheidt ([@Waples](https://github.com/Waples)): [16 April 2021](https://github.com/tldr-pages/tldr/issues/5774) — [19 May 2021](https://github.com/tldr-pages/tldr/issues/5989) @@ -113,7 +114,22 @@ If you are an owner of the organization, you can see an automated list [here](ht [19 October 2023](https://github.com/tldr-pages/tldr/issues/11075) — [24 October 2023](https://github.com/tldr-pages/tldr/issues/11202) - Isaac Vicente ([@isaacvicente](https://github.com/isaacvicente)): [20 September 2023](https://github.com/tldr-pages/tldr/issues/10737) — [29 December 2023](https://github.com/tldr-pages/tldr/issues/11918) -- Vitor Henrique ([@vitorhcl](https://github.com/vitorhcl)): [18 December 2023](https://github.com/tldr-pages/tldr/issues/11771) — [21 January 2024](https://github.com/tldr-pages/tldr/issues/12094) +- Vitor Henrique ([@vitorhcl](https://github.com/vitorhcl)): + [18 December 2023](https://github.com/tldr-pages/tldr/issues/11771) — [21 January 2024](https://github.com/tldr-pages/tldr/issues/12094) +- Geipro/Proscream ([@Geipro)](https://github.com/Geipro)): + [19 November 2019](https://github.com/tldr-pages/tldr/issues/3592) — [27 March 2024](https://github.com/tldr-pages/tldr/issues/12209) (Removed during 2FA enforcement) +- Ruben Vereecken ([@rubenvereecken](https://github.com/rubenvereecken)): + [18 January 2018](https://github.com/tldr-pages/tldr/issues/1878#issuecomment-358610454) — [27 March 2024](https://github.com/tldr-pages/tldr/issues/12209) (Removed during 2FA enforcement) +- Fazle Arefin ([@fazlearefin](https://github.com/fazlearefin)): + [09 February 2024](https://github.com/tldr-pages/tldr/issues/12227) — [2 April 2024](https://github.com/tldr-pages/tldr/issues/12595) +- Alejandro Cervera ([@tricantivu](https://github.com/tricantivu)): + [4 January 2024](https://github.com/tldr-pages/tldr/issues/11989) — [3 April 2024](https://github.com/tldr-pages/tldr/issues/12594) +- Magrid0 ([@Magrid0](https://github.com/Magrid0)): + [22 October 2023](https://github.com/tldr-pages/tldr/issues/11159) — [3 May 2024](https://github.com/tldr-pages/tldr/issues/12717) +- Darío Hereñú ([@kant](https://github.com/kant)): + [20 September 2023](https://github.com/tldr-pages/tldr/issues/10738) — [3 May 2024](https://github.com/tldr-pages/tldr/issues/12718) +- Wiktor Perskawiec ([@spageektti](https://github.com/spageektti)): + [11 May 2024](https://github.com/tldr-pages/tldr/issues/12776) — [1 June 2024](https://github.com/tldr-pages/tldr/issues/12869) ## Organization members @@ -124,19 +140,26 @@ An automated list can be found [here](https://github.com/orgs/tldr-pages/people) [5 January 2020](https://github.com/tldr-pages/tldr/issues/3736) — present - **Ein Verne ([@einverne](https://github.com/einverne))**: [6 January 2020](https://github.com/tldr-pages/tldr/issues/3738) — present -- **Tan Siret Akıncı ([@yutyo](https://github.com/yutyo))**: +- **Tan Siret Akıncı ([@tansiret](https://github.com/tansiret))**: [7 April 2021](https://github.com/tldr-pages/tldr/issues/5702) — present - **Florian Benscheidt ([@Waples](https://github.com/Waples))**: [19 May 2021](https://github.com/tldr-pages/tldr/issues/5989) — present - **Seth Falco ([@SethFalco](https://github.com/SethFalco))**: [21 June 2021](https://github.com/tldr-pages/tldr/issues/6149) — present -- **Juri ([@gutjuri](https://github.com/gutjuri))**: - [24 October 2023](https://github.com/tldr-pages/tldr/issues/11201) — present -- **Sebastiaan Speck ([@sebastiaanspeck](https://github.com/sebastiaanspeck))**: - [24 October 2023](https://github.com/tldr-pages/tldr/issues/11202) — present - **Isaac Vicente ([@isaacvicente](https://github.com/isaacvicente))**: [29 December 2023](https://github.com/tldr-pages/tldr/issues/11918) — present -- **Vitor Henrique ([@vitorhcl](https://github.com/vitorhcl))**: [21 January 2024](https://github.com/tldr-pages/tldr/issues/12094) — present +- **Vitor Henrique ([@vitorhcl](https://github.com/vitorhcl))**: + [21 January 2024](https://github.com/tldr-pages/tldr/issues/12094) — present +- **Fazle Arefin ([@fazlearefin](https://github.com/fazlearefin))**: + [2 April 2024](https://github.com/tldr-pages/tldr/issues/12595) — present +- **Alejandro Cervera ([@tricantivu](https://github.com/tricantivu))**: + [3 April 2024](https://github.com/tldr-pages/tldr/issues/12594) — present +- **Magrid0 ([@Magrid0](https://github.com/Magrid0))**: + [3 May 2024](https://github.com/tldr-pages/tldr/issues/12717) — present +- **Darío Hereñú ([@kant](https://github.com/kant))**: + [3 May 2024](https://github.com/tldr-pages/tldr/issues/12718) — present +- **Wiktor Perskawiec ([@spageektti](https://github.com/spageektti))**: + [1 June 2024](https://github.com/tldr-pages/tldr/issues/12869) — present - Owen Voke ([@owenvoke](https://github.com/owenvoke)) [26 August 2018](https://github.com/tldr-pages/tldr/issues/2258) — [8 May 2019](https://github.com/tldr-pages/tldr/issues/2989) - Marco Bonelli ([@mebeim](https://github.com/mebeim)): @@ -167,6 +190,10 @@ An automated list can be found [here](https://github.com/orgs/tldr-pages/people) [18 March 2021](https://github.com/tldr-pages/tldr/issues/5473) — [15 November 2023](https://github.com/tldr-pages/tldr/issues/11509) - Lena ([@acuteenvy](https://github.com/acuteenvy)): [21 June 2023](https://github.com/tldr-pages/tldr/issues/10406) — [27 December 2023](https://github.com/tldr-pages/tldr/issues/11839) +- Sebastiaan Speck ([@sebastiaanspeck](https://github.com/sebastiaanspeck)): + [24 October 2023](https://github.com/tldr-pages/tldr/issues/11202) — [28 April 2024](https://github.com/tldr-pages/tldr/issues/12687) +- Juri ([@gutjuri](https://github.com/gutjuri)): + [24 October 2023](https://github.com/tldr-pages/tldr/issues/11201) — [29 April 2024](https://github.com/tldr-pages/tldr/issues/12686) ## Organization owners @@ -197,6 +224,10 @@ An automated list can be found [here](https://github.com/orgs/tldr-pages/people) [7 July 2023](https://github.com/tldr-pages/tldr/issues/10054) — present - **Lena ([@acuteenvy](https://github.com/acuteenvy))**: [27 December 2023](https://github.com/tldr-pages/tldr/issues/11839) — present +- **Sebastiaan Speck ([@sebastiaanspeck](https://github.com/sebastiaanspeck))**: + [28 April 2024](https://github.com/tldr-pages/tldr/issues/12687) — present +- **Juri ([@gutjuri](https://github.com/gutjuri))**: + [29 April 2024](https://github.com/tldr-pages/tldr/issues/12686) — present - Igor Shubovych ([@igorshubovych](https://github.com/igorshubovych)): until [18 January 2018](https://github.com/tldr-pages/tldr/issues/1878#issuecomment-358610454) - Ruben Vereecken ([@rubenvereecken](https://github.com/rubenvereecken)): diff --git a/README.md b/README.md index 076345b91..2b8dd2ab1 100644 --- a/README.md +++ b/README.md @@ -1,3 +1,4 @@ +

tldr-pages

@@ -6,6 +7,7 @@ [![Merged PRs][prs-merged-image]][prs-merged-url] [![GitHub contributors][contributors-image]][contributors-url] [![license][license-image]][license-url] +[![Mastodon][mastodon-image]][mastodon-url] [github-actions-url]: https://github.com/tldr-pages/tldr/actions [github-actions-image]: https://img.shields.io/github/actions/workflow/status/tldr-pages/tldr/ci.yml?branch=main&label=Build @@ -17,6 +19,8 @@ [contributors-image]: https://img.shields.io/github/contributors-anon/tldr-pages/tldr.svg?label=Contributors [license-url]: https://github.com/tldr-pages/tldr/blob/main/LICENSE.md [license-image]: https://img.shields.io/badge/license-CC_BY_4.0-blue.svg?label=License +[mastodon-url]: https://fosstodon.org/@tldr_pages +[mastodon-image]: https://img.shields.io/badge/Mastodon-6364FF?logo=mastodon&logoColor=fff
## What is tldr-pages? @@ -42,11 +46,14 @@ $ man tar There seems to be room for simpler help pages, focused on practical examples. How about: -![Screenshot of the tldr client displaying the tar command in light mode.](images/tldr-light.png#gh-light-mode-only) -![Screenshot of the tldr client displaying the tar command in dark mode.](images/tldr-dark.png#gh-dark-mode-only) + + + + Screenshot of the tldr client displaying the tar command. + This repository is just that: an ever-growing collection of examples -for the most common UNIX, Linux, macOS, SunOS, Android and Windows command-line tools. +for the most common UNIX, Linux, macOS, SunOS, Android, and Windows command-line tools. ## How do I use it? @@ -67,7 +74,8 @@ Alternatively, you can also use the official [Python client](https://github.com/ pip3 install tldr ``` -Linux and Mac users can also install the official [Rust Client](https://github.com/tldr-pages/tlrc) using [Homebrew](https://formulae.brew.sh/formula/tlrc) (or [other package managers](https://github.com/tldr-pages/tlrc#installation) on other operating systems): +Linux and Mac users can also install the official [Rust Client](https://github.com/tldr-pages/tlrc) using [Homebrew](https://formulae.brew.sh/formula/tlrc) +(or [other package managers](https://github.com/tldr-pages/tlrc#installation) on other operating systems): ```shell brew install tlrc @@ -91,7 +99,7 @@ All contributions are welcome! Some ways to contribute include: -- Adding your favorite command which isn't covered. +- Adding your favorite command that isn't covered. - Adding examples or improving the content of an existing page. - Adding requested pages from our issues with the [help wanted](https://github.com/tldr-pages/tldr/issues?q=is%3Aopen+is%3Aissue+label%3A%22help+wanted%22) label. - Translating pages into different languages. @@ -111,11 +119,11 @@ You are also welcome to join us on the [matrix chatroom](https://matrix.to/#/#tl ## Similar projects - [Command Line Interface Pages](https://github.com/command-line-interface-pages) - allows you to write standardized help pages for CLI, directories and configs. + allows you to write standardized help pages for CLI, directories, and configs. - [Cheat](https://github.com/cheat/cheat) allows you to create and view interactive cheatsheets on the command-line. - It was designed to help remind *nix system administrators of options + It was designed to help remind Unix system administrators of options for commands that they use frequently, but not frequently enough to remember. - [cheat.sh](https://cheat.sh/) diff --git a/contributing-guides/git-terminal.md b/contributing-guides/git-terminal.md index 319c404bc..f649a85d7 100644 --- a/contributing-guides/git-terminal.md +++ b/contributing-guides/git-terminal.md @@ -1,4 +1,5 @@ # Using Git + ## Opening a Pull Request Most people submit pull requests to the tldr-pages project @@ -61,6 +62,7 @@ git fetch upstream main git rebase upstream/main # in case you have any merge conflicts, click the link below to see how to resolve them git push --force-with-lease # not needed if you only want to update your local repository ``` + [How to resolve merge conflicts](https://docs.github.com/en/github/collaborating-with-pull-requests/addressing-merge-conflicts/resolving-a-merge-conflict-using-the-command-line) ## Changing the email of your last commit @@ -74,15 +76,18 @@ git push --force-with-lease ## Changing the email of any commit(s) -1. Perform an [interactive rebase](https://git-scm.com/docs/git-rebase#Documentation/git-rebase.txt--i), specifying the reference of the earliest commit to modify as the argument. For example, if the earliest commit with the wrong email address was 6 commits ago, you can specify the commit hash or just `HEAD~6`. +1. Perform an [interactive rebase](https://git-scm.com/docs/git-rebase#Documentation/git-rebase.txt--i), specifying the reference of the earliest commit to modify as the argument. +For example, if the earliest commit with the wrong email address was 6 commits ago, you can specify the commit hash (check it with `git log`) or just `HEAD~6`. ```bash git rebase --interactive HEAD~6 ``` -2. You'll see a list of commits starting from the referenced commit to `HEAD`. All of them will default to the instruction `pick`, this means using the commit as-is when replaying them. For the commits you want to edit, replace the word `pick` with `edit`, then save and exit the editor. +2. You'll see a list of commits starting from the referenced commit to `HEAD`. All of them will default to the instruction `pick`, this means using the commit as-is when replaying them. +For the commits you want to edit, replace the word `pick` with `edit`, then save and exit the editor. -3. The branch will rewind to the referenced commit, then replay them until it reaches a commit with the `edit` instruction. Amend the commit for the correct email address, then continue rebasing. Repeat this step until you've successfully finished rebasing and replayed all commits. +3. The branch will rewind to the referenced commit, then replay them until it reaches a commit with the `edit` instruction. Amend the commit for the correct email address, then continue rebasing. +Repeat this step until you've successfully finished rebasing and replayed all commits. ```bash git commit --amend --author "Your Name " diff --git a/contributing-guides/style-guide.md b/contributing-guides/style-guide.md index 62c7a8062..059be5817 100644 --- a/contributing-guides/style-guide.md +++ b/contributing-guides/style-guide.md @@ -2,7 +2,17 @@ This page lists specific formatting instructions for `tldr` pages. -## Layout +## Contents + +1. [General layout](#general-layout) +2. [Pages](#pages) +3. [General writing](#general-writing) +4. [Heading](#heading) +5. [Example descriptions](#example-descriptions) +6. [Example commands](#example-commands) +7. [Language-specific rules](#language-specific-rules) + +## General layout The basic format of each page should match the following template and have at most 8 command examples: @@ -55,7 +65,7 @@ Example: ``` > [!NOTE] -> The filename and page title must match the command name exactly. The page title can be present in any case, whereas the filenames must be lowercase. +> The page's filename and title must match the command name exactly. The page title can be present in any case, whereas the page's Markdown filenames must be lowercase. There is a linter that enforces the format above. It is run automatically on every pull request, @@ -66,10 +76,10 @@ npm install --global tldr-lint tldr-lint path/to/tldr_page.md ``` -For other ways to use `tldr-lint`, such as linting an entire directory, check out (what else!) -[`tldr tldr-lint`](https://github.com/tldr-pages/tldr/blob/main/pages/common/tldr-lint.md). Alternatively, you can also use its alias `tldrl`. +For other ways to use `tldr-lint`, such as linting an entire directory, check out the +[`tldr page on tldr-lint`](https://github.com/tldr-pages/tldr/blob/main/pages/common/tldr-lint.md). Alternatively, you can also use its alias `tldrl`. -Your client may be able to preview a page locally using the `--render` flag: +Depending on your client, you may be able to preview a page locally using the `--render` flag: ```sh tldr --render path/to/tldr_page.md @@ -83,17 +93,31 @@ When documenting PowerShell commands, please take note of the following naming c - The page title/heading must be written as-is (matching the spelling intended by Microsoft or the PowerShell module author), such as `Invoke-WebRequest` instead of `invoke-webrequest`. - The command name and options in the examples should also be written as-is, such as `Command-Name {{input}} -CommandParameter {{value}}` instead of `command-name {{input}} -commandparameter {{value}}`. -Due to [various compatibility differences](https://learn.microsoft.com/powershell/scripting/whats-new/differences-from-windows-powershell) and removed Windows-specific commands in PowerShell 6.x, Ensure that the command works on between **PowerShell 5.1** (aka. the "Legacy Windows PowerShell" as installed in Windows 10 and 11), and the **latest version of the Cross-Platform PowerShell** (formerly known as PowerShell Core). If the command or its options is unavailable or contains different behavior between each version, please kindly note them in the descriptions. For example, +Due to [various compatibility differences](https://learn.microsoft.com/powershell/scripting/whats-new/differences-from-windows-powershell) and removed Windows-specific commands in PowerShell 6.x, ensure that +the command works on between **PowerShell 5.1** (aka. the "Legacy Windows PowerShell" as installed in Windows 10 +and 11), and the **latest version of the Cross-Platform PowerShell** (formerly known as PowerShell Core). + +Thus, if the command or its options are unavailable or contain different behaviors between each version, please kindly note them in the descriptions. For example: ```md # Clear-RecycleBin > Clear items from the Recycle Bin. -> This command can only be used through PowerShell versions 5.1 and below, or 7.1 and above. +> Note: This command can only be used through PowerShell versions 5.1 and below, or 7.1 and above. > More information: . ``` -## Aliases +## Pages + +### Platform differences + +If you are afraid the commands may differ between platforms or operating systems (e.g. Windows vs macOS), +most [tldr pages clients](https://github.com/tldr-pages/tldr/wiki/tldr-pages-clients) will choose the most suitable version of the command to be displayed to the end user. + +In this case, the information of the Windows version of `cd` (stored in `pages/windows/cd.md`) will be displayed by default to Windows users, and a generic/common version (stored in `pages/common/cd.md`) +will be displayed for Linux, macOS, and other platform users. + +### Aliases If a command can be called with alternative names (like `vim` can be called by `vi`), alias pages can be created to point the user to the original command name. @@ -123,11 +147,12 @@ Example: - Pre-translated alias page templates can be found [here](https://github.com/tldr-pages/tldr/blob/main/contributing-guides/translation-templates/alias-pages.md). -### PowerShell-Specific Aliases +#### PowerShell-Specific Aliases Some PowerShell commands may introduce aliases which fall into one of these three categories: -**1. Substituting an existing Windows Command Prompt (`cmd`) command**, such as `cd` aliasing to `Set-Location` with different command options. In this case, add the following alias note into the second line of the original Command Prompt command's tldr description, for example: +1. **Replaces an existing Windows Command Prompt (`cmd`) command**, such as `cd` aliasing to `Set-Location` with different command options. In this case, add the following alias note into the second line of the original +Command Prompt command's tldr description, for example: ```md # cd @@ -141,10 +166,11 @@ Some PowerShell commands may introduce aliases which fall into one of these thre `tldr set-location` ``` -> [!TIP] -> The "View documentation of the equivalent PowerShell command" example is optional and may be excluded if the page already has the maximum number (8) of examples. +> [!NOTE] +> The "View documentation of the equivalent PowerShell command" example is optional and must be excluded if the page already has the maximum number (8) of examples. -**2. Provides a new alias but only executable in PowerShell**, such as `ni` for `New-Item`. In this case, use the [standard alias template](https://github.com/tldr-pages/tldr/blob/main/contributing-guides/translation-templates/alias-pages.md), but add the word "In Powershell," (or equivalent) to indicate that the command is exclusive to PowerShell. For example, +2. **Provides a new alias but only executable in PowerShell**, such as `ni` for `New-Item`. In this case, use the [standard alias template](https://github.com/tldr-pages/tldr/blob/main/contributing-guides/translation-templates/alias-pages.md), +but add the word "In Powershell," (or equivalent) to indicate that the command is exclusive to PowerShell. For example, ```md # ni @@ -157,7 +183,8 @@ Some PowerShell commands may introduce aliases which fall into one of these thre `tldr new-item` ``` -**3. Provides a new alias that conflicts with other programs**, most notoriously the inclusion of `curl` and `wget` as aliases of `Invoke-WebRequest` (with a non-compatible set of command options). Note that PowerShell system aliases that fall into this category are commonly exclusive to Windows. +**3. Provides a new alias that conflicts with other programs**, most notoriously the inclusion of `curl` and `wget` as aliases of `Invoke-WebRequest` (with a non-compatible set of command options). +Note that PowerShell system aliases that fall into this category are commonly exclusive to Windows. In this case, provide a note and method to determine whether the command currently refers to a PowerShell command (by alias) or others. For example, @@ -180,92 +207,52 @@ In this case, provide a note and method to determine whether the command current `tldr invoke-webrequest` ``` -## Option syntax +## General writing -- For commonly/frequently used commands (e.g. `grep`, `tar`, `etc`), we prefer using short options along with [mnemonics](#short-option-mnemonics) or both inside a placeholder. -- For highlighting both long and short options in commands (instead of using mnemonics), combine them within a placeholder i.e. `{{-o|--output}}`. -- For user-friendliness, use **GNU-style long options** (like `--help` rather than `-h`) when they are cross-platform compatible (intended to work the same across multiple platforms) for pages in `common` directory. -- When documenting PowerShell commands, use **PowerShell-style long options** (like `-Help` instead of `-H`). -- We prefer using a space instead of the equals sign (`=`) to separate options from their arguments (i.e. use `--opt arg` instead of `--opt=arg`) unless the program does not support it. +### Emphasis -### Short option mnemonics +Do not use *italics*, **boldface** or any other text styling on the pages. These are reserved for client emphasis of placeholders. -Short option mnemonics are optional hints which can be added to help users understand the meaning of these short options. The assigned mnemonics should match with the ones in the command's official documentation (e.g. from `man` or `Get-Help`). For example: +### Imperative Mood + +- **All descriptions must be phrased in the imperative mood.** +- This also applies to all translations by default unless otherwise specified in the language-specific section below. + +When writing descriptions for command examples, **check for any grammatical errors**. `Go to the specified directory` is preferred instead of: + +- `Going to the specified directory` (should not be in present participle form) +- `This command will go to the specified directory` (it is clear that this example works for *this* comment) +- `Let's go to the specified directory!` +- `Directory change` (use the active form instead of passive, if possible) + +For instance, instead of `Listing all files:`, `List all files:` can be used as the example's description below: ```md -- [d]isplay the ins[t]allation [i]D for the current device. Useful for offline license activation: +- Listing all files: -`slmgr.vbs /dti` - -- Display the current license's e[xp]i[r]ation date and time: - -`slmgr.vbs /xpr` + `ls` ``` -Note that, in the first example, the `[d]`, `[t]`, and `[i]` characters are enclosed with square brackets to indicate that the `/dti` option of the command is a combination of "display", "installation", and "ID", respectively. Consecutive mnemonic characters can be grouped under the same square brackets, such as `e[xp]i[r]ation` instead of `e[x][p]i[r]ation`. +### Serial Comma -**Mnemonic characters must be written in a case-sensitive manner**, even when it is placed as the first character of the sentence (i.e. use `[d]isplay` instead of `[D]isplay`). This is to avoid conflicts with GNU-style command options which may interpret uppercase options differently than the lowercase ones, such as `-v` for displaying the command's `[v]ersion` number and `-V` to run the command in `[V]erbose` mode. +- When declaring a list of 3 or more items, +use a [serial comma](https://en.wikipedia.org/wiki/Serial_comma), +also known as the Oxford comma, +since omitting it can create ambiguity. -Option mnemonics may also be used in translations as long as the highlighted word contains similar meanings to the language (commonly English) which the command is written for. For example, `[d]ownload` in English may be translated into `[d]escargar` in Spanish, `[i]nstall` in English may be translated to `[i]nstallieren` in German, and `[a]pp` in English may be translated into `[a]plikasi` in Indonesian and Malay. +> Delete the Git branches, tags, and remotes. -- Optionally, mnemonics and their enclosed terms can be separated with brackets from the rest of the description (i.e. `([a]ll)`) in translations and specific pages to provide additional context or mention a word not present in the description. +The example above does not use a serial comma, so this could mean one of two things: -> [!NOTE] -> In cases where the character isn't present in the translated word, you can highlight the option before/next to the equivalent word or you can add the English work beside the translation inside a bracket. For example, `E[x]tract` in English maybe translated into `[x] ekstrak` or `ekstrak [x]` or `ekstrak (E[x]tract)` in Indonesian. +- Delete the Git branches named `tags` and `remotes`. +- Delete all of the following: Git branches, Git tags, and Git remotes. -## Placeholder syntax +This can be resolved by inserting a comma before the "and" or "or" in the final element in the list. -User-provided values should use the `{{placeholder}}` syntax -in order to allow `tldr` clients to highlight them. +> Delete the Git branches, tags, and remotes. -Keep the following guidelines in mind when choosing placeholders: - -### Naming - -- Use short but descriptive placeholders, - such as `{{path/to/source_file}}` or `{{path/to/wallet.txt}}`. -- Use [`snake_case`](https://wikipedia.org/wiki/snake_case) for multi-word placeholders. -- Use a generic placeholder rather than an actual value where a generic placeholder is available (but there is an exception to this listed below). For example, use - `iostat {{1..infinity}}` rather than `iostat {{2}}`. - - If there are several consecutive placeholders of the same type - which don't allow adding arbitrary text in them (ranges), then instead of generic placeholders use descriptive ones. For example prefer `input swipe {{x_position}} {{y_position}} {{x_position}} {{y_position}} {{seconds}}` - instead of `input swipe {{-infinity..infinity}} {{-infinity..infinity}} {{-infinity..infinity}} {{-infinity..infinity}} {{1..infinity}}`. - -### Paths - -- Use `{{filename}}` when just the file name is expected. -- For any reference to paths of files or directories, - use the format `{{path/to/}}`, - except when the location is implicit. -- When the path cannot be relative, - but has to start at the root of the filesystem, - prefix it with a slash, - such as `get {{/path/to/remote_file}}`. -- In case of a possible reference both to a file or a directory, - use `{{path/to/file_or_directory}}`. - -> [!NOTE] -> If the command is specific to Windows, use backslashes (`\`) instead, such as `{{path\to\file_or_directory}}`. Drive letters such as `C:` are optional unless the command input requires an absolute path or specific drive letter range, such as `cd /d {{C}}:{{path\to\directory}}`. - -### Extensions - -- If a particular extension is expected for the file, append it. - For example, `unrar x {{path/to/compressed.rar}}`. -- In case a generic extension is needed, use `{{.ext}}`, but **only** if an extension is required. - For instance, in `find.md`'s example "Find files by extension" (`find {{path/to/root}} -name '{{*.ext}}'`) - using `{{*.ext}}` explains the command without being unnecessarily specific; - while in `wc -l {{path/to/file}}` using `{{path/to/file}}` (without extension) is sufficient. - -### Grouping placeholders - -- If a command can take 0 or more arguments of the same kind, use an ellipsis: `{{placeholder1 placeholder2 ...}}`. - For instance, if multiple paths are expected `{{path/to/directory1 path/to/directory2 ...}}` can be used. -- If a command can take 0 or more arguments of different kinds, use an ellipsis: `{{placeholder1|placeholder2|...}}`. - If there are more than 5 possible values, you can use `|...` after the last item. -- It's impossible to restrict the minimum or (and) maximum placeholder count via `ellipsis`. - -It's up to the program to decide how to handle duplicating values, provided syntax -tells no info about whether items are mutually exclusive or not. +> [!NOTE] +> Brand and project names can be capitalized in the description whenever applicable (e.g. use `A tool for interacting with a Git repository.` instead of ``A tool for interacting with a `git` repository.``). ### Special cases @@ -287,72 +274,44 @@ Use backticks on the following: - Standard streams: `stdout`, `stdin`, `stderr`. **Do not** use the full names (e.g. standard output). - Compression algorithms, e.g. `zip`, `7z`, `xz`. -## Descriptions +## Heading -- Avoid using the page title in the description (e.g. use `A sketching and painting program designed for digital artists` instead of `Krita is a sketching and painting program designed for digital artists`) unless the program name differs from the executable name (e.g. `rg` and Ripgrep). -- Avoid mentioning that the program is used on the command-line (e.g. use `Ripgrep is a recursive line-oriented search tool` instead of `Ripgrep is a recursive line-oriented CLI search tool`). -- Brand and project names can be capitalized in the description whenever applicable (e.g. use `A tool for interacting with a Git repository.` instead of ``A tool for interacting with a `git` repository.``). -- Acronym expansions (i.e. protocols, tools, etc) must not be translated unless there is a recognized native equivalent for them. -- When documenting keycaps or a keyboard shortcut for a utility it is suggested to wrap them in backticks to make them stand out in the description (i.e. ``Print the last lines of a given file and keep reading it until `Ctrl + C`:``). Alternatively, you can document them as a separate command and optionally highlight them as placeholders (i.e. `:wq{{Enter}}` or `:wq` or `:wq(Enter)`). +### More information links -### Imperative Mood +- On the `More information` link line, we prefer linking to the author's provided documentation of the command-line reference or the man page. When not available, use as the default fallback for all platforms +(except `osx` and BSD platforms other than FreeBSD). +Alternatively, you can link to the author's website or a tutorial page if the command doesn't have a documentation page. -- **All descriptions must be concise and phrased in the imperative mood.** -- This also applies to all translations by default unless otherwise specified in the language-specific section below. -- For example, when writing documentation for `cd`, a tool to check out and work on a specific directory in the Terminal or Command Prompt, **do not** write a lengthy description such as: +- For `osx`: Apple distributes the built-in man pages [in Xcode](https://developer.apple.com/documentation/os/reading_unix_manual_pages). +For commands documented there, we recommend using , an HTML export of all Apple's man pages bundled with Xcode. -```md -> `cd` is a system tool, available in Windows, macOS, and Linux, to check out a specific directory to get things done in the Command Prompt, Terminal, and PowerShell. -``` +> [!IMPORTANT] +> All links must be enclosed inside angular brackets (`<` and `>`). -It should instead be simplified to make it easier for everyone to read: +- It is suggested to use a more information link with English content in both translations and English pages. That's because the links can eventually change, but the translations are often out of sync with the English pages. -```md -> Change the current working directory. -``` +#### Versioned links -If you are afraid the commands may differ between platforms or operating systems (e.g. Windows vs macOS), most [tldr pages clients](https://github.com/tldr-pages/tldr/wiki/tldr-pages-clients) will choose the most suitable version of the command. +When a utility or distribution has versioned links for the packages, link to the most recent version of documentation (i.e. `latest`) or none if the website automatically redirects to the latest version of the documentation. -In this case, the information of the Windows version of `cd` (stored in `pages/windows/cd.md`) will be displayed by default to Windows users, and a generic/common version (stored in `pages/common/cd.md`) will be displayed for Linux, macOS, and other platforms. +For example, use: -When writing descriptions for command examples, **check for any grammatical errors**. `Go to the specified directory` is preferred instead of: +- instead of . +- instead of . -- `Going to the specified directory` (should not be in present participle form) -- `This command will go to the specified directory` (it is clear that this example works for *this* comment) -- `Let's go to the specified directory!` -- `Directory change` (use the active form instead of passive, if possible) +#### Microsoft Learn links -For instance, instead of `Listing all files:`, `List all files:` can be used as the example's description below: +When linking pages to the Microsoft Learn links, remove the locale from the address as the website will automatically redirect to the reader's preferred locale setting. +For example, Use instead of +. -```md -- Listing all files: +Additionally, if the link is related to PowerShell command documentation, remove the **documentation version indicator** (in which the version of PowerShell/module that the documentation is derived from), aka. +the part of the address that starts with `?view=`. - `ls` -``` +- Use instead of . +- Use instead of . -## Emphasis - -Do not use *italics*, **boldface** or any other text styling on the pages. These are reserved for client emphasis of placeholders. - -## Serial Comma - -- When declaring a list of 3 or more items, -use a [serial comma](https://en.wikipedia.org/wiki/Serial_comma), -also known as the Oxford comma, -since omitting it can create ambiguity. - -> Delete the Git branches, tags and remotes. - -The example above does not use a serial comma, so this could mean one of two things: - -- Delete the Git branches named `tags` and `remotes`. -- Delete all of the following: Git branches, Git tags, and Git remotes. - -This can be resolved by inserting a comma before the "and" or "or" in the final element in the list. - -> Delete the Git branches, tags, and remotes. - -## See also section +### See also section - To reference a related command or subcommand, use: @@ -368,38 +327,140 @@ This can be resolved by inserting a comma before the "and" or "or" in the final - Optionally, you can add a short description beside the referenced pages: -``See also: `date`, for Unix information; `umount`, for unmounting partitions.`` +```md +> See also: `date` for Unix information, `uname` for system information and `umount` for unmounting partitions. +``` -## More information links +## Example descriptions -- On the `More information` link line, we prefer linking to the author's provided documentation of the command line reference or the man page. When not available, use as the default fallback for all platforms (except `osx` and BSD platforms other than FreeBSD). Alternatively, you can link to the author's website or a tutorial page if the command doesn't have a documentation page. +### Wording -- For `osx`: Apple distributes the built-in man pages [in Xcode](https://developer.apple.com/documentation/os/reading_unix_manual_pages). For commands documented there, we recommend using https://keith.github.io/xcode-man-pages/, an HTML export of all Apple's man pages bundled with Xcode. +- Avoid using the page title in the description (e.g. use `A sketching and painting program designed for digital artists` instead of `Krita is a sketching and painting program designed for digital artists`) +unless the program name differs from the executable name (e.g. `rg` and Ripgrep). +- Avoid mentioning that the program is used on the command-line (e.g. use `Ripgrep is a recursive line-oriented search tool` instead of `Ripgrep is a recursive line-oriented CLI search tool`). +- For example, when writing documentation for `cd`, a tool to check out and work on a specific directory in the Terminal or Command Prompt, **do not** write a lengthy description such as: -- **All links must be enclosed inside angular brackets (`<` and `>`) for proper rendering in clients.** +```md +> `cd` is a system tool, available in Windows, macOS, and Linux, to check out a specific directory to get things done in the Command Prompt, Terminal, and PowerShell. +``` -- We prefer translations to use the more information link of the English page by default. +It should instead be simplified to make it easier for everyone to read: -### Versioned links +```md +> Change the current working directory. +``` -When a utility or distribution has versioned links for the packages, we prefer linking to the most recent version of documentation (i.e. `latest`) or none if the website automatically redirects to the latest version of the documentation. +### Formatting -For example, use: +- Proper names should be capitalized in the description whenever applicable (e.g. use `A tool for interacting with a Git repository.` instead of ``A tool for interacting with a `git` repository.``). +- Acronym expansions (i.e. protocols, tools, etc) must not be translated unless there is a recognized native equivalent for them. +- When documenting keycaps or a keyboard shortcut for a utility, make it stand out in the description: -- instead of . -- instead of . +1. If it is not translatable, enclose it with backticks (i.e. ``Print the last lines of a given file and keep reading it until `Ctrl + C`:``) +2. If it is translatable, enclose it with double angled brackets inside a placeholder (i.e. ``:wq{{<>}}``). -### Microsoft Learn links +### Short option mnemonics -When linking pages to the Microsoft Learn links, remove the locale from the address as the website will automatically redirect to the reader's preferred locale setting. For example, Use instead of -. +Short option mnemonics are optional hints that can be added to help users understand the meaning of these short options. The assigned mnemonics should match with the ones in the command's official documentation (e.g. from `man` or `Get-Help`). For example: -Additionally, if the link is related to PowerShell command documentation, remove the **documentation version indicator** (in which the version of PowerShell/module that the documentation is derived from), aka. the part of the address that starts with `?view=`. +```md +- [d]isplay the ins[t]allation [i]D for the current device. Useful for offline license activation: -- Use instead of . -- Use instead of . +`slmgr.vbs /dti` -## Help and version commands +- Display the current license's e[xp]i[r]ation date and time: + +`slmgr.vbs /xpr` +``` + +Note that, in the first example, the `[d]`, `[t]`, and `[i]` characters are enclosed with square brackets to indicate that the `/dti` option of the command is a combination of "display", "installation", and "ID", respectively. +Group consecutive mnemonic characters under the same square brackets, for example: `e[xp]i[r]ation` instead of `e[x][p]i[r]ation`. + +**Mnemonic characters must be written in a case-sensitive manner**, even when it is placed as the first character of the sentence (i.e. use `[d]isplay` instead of `[D]isplay`). +This is to avoid conflicts with GNU-style command options which may interpret uppercase options differently than the lowercase ones, such as `-v` for displaying the command's `[v]ersion` number and `-V` to run the command in `[V]erbose` mode. + +Option mnemonics may also be used in translations as long as the highlighted word contains similar meanings to the language (commonly English) which the command is written for. +For example, `[d]ownload` in English may be translated into `[d]escargar` in Spanish, `[i]nstall` in English may be translated to `[i]nstallieren` in German, and `[a]pp` in English may be translated into `[a]plikasi` in Indonesian and Malay. + +- Optionally, mnemonics and their enclosed terms can be separated with brackets from the rest of the description (i.e. `([a]ll)`) in translations and specific pages to provide additional context or mention a word not present in the description. + +> [!NOTE] +> In cases where the character isn't present in the translated word, you can highlight the option before/next to the equivalent word or you can add the English work beside the translation inside a bracket. +> For example, `E[x]tract` in English maybe translated into `[x] ekstrak` or `ekstrak [x]` or `ekstrak (E[x]tract)` in Indonesian. + +## Example commands + +### Option syntax + +- For commonly/frequently used commands (e.g. `grep`, `tar`, `etc`), we prefer using short options along with [mnemonics](#short-option-mnemonics) or both inside a placeholder. +- For highlighting both long and short options in commands (instead of using mnemonics), combine them within a placeholder i.e. `{{-o|--output}}`. +- For user-friendliness, use **GNU-style long options** (like `--help` rather than `-h`) when they are cross-platform compatible (intended to work the same across multiple platforms) for pages in the `common` directory. + +### Placeholder syntax + +User-provided values should use the `{{placeholder}}` syntax +in order to allow `tldr` clients to highlight them. + +> [!TIP] +> It is suggested to enclose placeholders accepting strings as input within quotes. i.e. Use `"{{placeholder}}"` instead of `{{"placeholder"}}`. + +Keep the following guidelines in mind when choosing placeholders: + +#### Naming + +- Use short but descriptive placeholders, + such as `{{path/to/source_file}}` or `{{path/to/wallet.txt}}`. +- Use [`snake_case`](https://wikipedia.org/wiki/snake_case) for multi-word placeholders. +- Use a generic placeholder rather than an actual value where a generic placeholder is available (but there is an exception to this listed below). For example, use +`iostat {{1..infinity}}` rather than `iostat {{2}}`. +- If there are several consecutive placeholders of the same type + which don't allow adding arbitrary text in them (ranges), then instead of generic placeholders use descriptive ones. For example prefer `input swipe {{x_position}} {{y_position}} {{x_position}} {{y_position}} {{seconds}}` + instead of `input swipe {{-infinity..infinity}} {{-infinity..infinity}} {{-infinity..infinity}} {{-infinity..infinity}} {{1..infinity}}`. + +#### Paths + +- Use `{{filename}}` when just the file name is expected. +- For any reference to paths of files or directories, + use the format `{{path/to/placeholder}}`, + except when the location is implicit. +- When the path cannot be relative, + but has to start at the root of the filesystem, + prefix it with a slash, + such as `get {{/path/to/remote_file}}`. +- In case of a possible reference both to a file or a directory, + use `{{path/to/file_or_directory}}`. + +> [!NOTE] +> If the command is specific to Windows, use backslashes (`\`) instead, such as `{{path\to\file_or_directory}}`. Drive letters such as `C:` are optional unless the command input requires an absolute path +> or specific drive letter range, such as `cd /d {{C}}:{{path\to\directory}}`. + +#### Extensions + +- If a particular extension is expected for the file, append it. + For example, `unrar x {{path/to/compressed.rar}}`. +- In case a generic extension is needed, use `{{.ext}}`, but **only** if an extension is required. + For instance, in `find.md`'s example "Find files by extension" (`find {{path/to/root}} -name '{{*.ext}}'`) + using `{{*.ext}}` explains the command without being unnecessarily specific; + while in `wc -l {{path/to/file}}` using `{{path/to/file}}` (without extension) is sufficient. + +#### Grouping placeholders + +- If a command can optionally take 1 or more arguments of the same kind, use an ellipsis: `{{placeholder1 placeholder2 ...}}`. + For instance, if multiple paths are expected, use `{{path/to/directory1 path/to/directory2 ...}}`. +- If a command can optionally take 1 or more arguments of different kinds, use an ellipsis: `{{placeholder1|placeholder2|...}}`. + If there are more than 5 possible values, you can use `|...` after the last item. +- It's impossible to restrict the minimum or (and) maximum placeholder count via `ellipsis`. + +It's up to the program to decide how to handle duplicating values, provided syntax +tells no info about whether items are mutually exclusive or not. + +#### Optional placeholders + +When documenting optional placeholders like paths or file extensions, it is suggested to specify them in the page or example descriptions instead of the placeholder itself. For example: + +- Use `{{path/to/source.ext}}` instead of `{{path/to/source.tar[.gz|.bz2|.xz]}}`. + +### Help and version commands - We generally put, **in this order**, the help and version commands as the **last two** examples of the page to highlight more practical commands at the beginning of the page. They can be replaced to accommodate other useful examples if required. - For consistency, we prefer generic wording `Display help` and `Display version` for these commands. @@ -411,7 +472,7 @@ The below section contains additional language-specific rules for translating pa ### Chinese-Specific Rules -When Chinese words, Latin words and Arabic numerals are written in the same sentence, more attention must be paid to copywriting. +When Chinese words, Latin words, and Arabic numerals are written in the same sentence, more attention must be paid to copywriting. The following guidelines are applied to Chinese (`zh`) and traditional Chinese (`zh_TW`) pages: @@ -439,7 +500,7 @@ The following guidelines are applied to Chinese (`zh`) and traditional Chinese ( 6. Use precise form for technical terms, and do not use unofficial Chinese abbreviations. -- For example, use `Facebook` rather than `facebook`, `fb` or `脸书`. +- For example, use `Facebook` rather than `facebook`, `fb`, or `脸书`. To maintain readability and normalization, please comply with the 6 rules above as much as possible when translating pages into Chinese. @@ -500,7 +561,7 @@ Second, we recommend using the following forms of technical terms to make transl | Update | Perbarui | Do not confuse with `upgrade`. | | Upgrade | Tingkatkan | Do not confuse with `update`. | -When translating sentences that contain the word `boot` and `load` together, please add the context of the item that is being booted and/or loaded, so the use of the `muat` word may not be ambiguous. For example, when translating: +When translating sentences that contain the words `boot` and `load` together, please add the context of the item that is being booted and/or loaded, so the use of the `muat` word may not be ambiguous. For example, when translating: > Load configuration from a specific file after reboot @@ -523,12 +584,15 @@ To ensure that the sentence may not be confused with `start processing the web s ### French-Specific Rules -- Command and example descriptions on pages in French must use the third person singular present indicative tense (présent de l'indicatif à la troisième personne du singulier). For example, use `Extrait une archive` rather than `Extraire une archive` or `Extrais une archive`. -- There must be a single blank space between special characters in the descriptions. For example, use `Plus d'informations : https://example.com.` instead of `Plus d'informations: https://example.com.` and use `Crée une archive à partir de fichiers :` instead of `Crée une archive à partir de fichiers:`. +- Command and example descriptions on pages in French must use the third person singular present indicative tense (présent de l'indicatif à la troisième personne du singulier). +For example, use `Extrait une archive` rather than `Extraire une archive` or `Extrais une archive`. +- There must be a single blank space between special characters in the descriptions. +For example, use `Plus d'informations : https://example.com.` instead of `Plus d'informations: https://example.com.` and use `Crée une archive à partir de fichiers :` instead of `Crée une archive à partir de fichiers:`. ### Portuguese-Specific Rules -Example descriptions on pages in Portuguese (for both European and Brazilian Portuguese) must start with verbs in the third person singular present indicative tense. This is because the descriptions must explain what the commands do, making this the correct form to express the intended meaning. +Example descriptions on pages in Portuguese (for both European and Brazilian Portuguese) must start with verbs in the third person singular present indicative tense. +This is because the descriptions must explain what the commands do, making this the correct form to express the intended meaning. For example, use `Lista os arquivos` instead of `Listar os arquivos`, `Listando os arquivos` or any other form. @@ -543,3 +607,13 @@ For example, use `Lista os arquivos` instead of `Listar os arquivos`, `Listando ```md - Crea un archivo en un directorio: ``` + +- Preferably, use the word `identificador` instead of `id` in the placeholders of command examples. For example: + +```md +{{identificador_de_usuario}} +``` + +*Writing prepositions is optional* + + However, if the line of a command example exceeds the [maximum length](https://github.com/tldr-pages/tldr/blob/main/.markdownlint.json#L5), choose the word `identificador` or `id` and use it across all placeholders in the page. diff --git a/contributing-guides/style-guide.zh.md b/contributing-guides/style-guide.zh.md index 5273b0c87..39d801a43 100644 --- a/contributing-guides/style-guide.zh.md +++ b/contributing-guides/style-guide.zh.md @@ -6,22 +6,22 @@ ## 排版 -首先,你的页面应该看起来像这样: +首先,你的页面应该看起来像这样,并且最多只能包含 8 个示例: ```md # 命令名称 -> 短小精悍的描述。 +> 简短、精炼的描述。 > 描述最好只有一行;当然,如果需要,也可以是两行。 > 更多信息:. - 命令描述: -`命令 -选项1 -选项2 -参数1 {{参数的值}}` +`命令 -选项 1 -选项 2 -参数 1 {{参数的值}}` - 命令描述: -`命令 -选项1 -选项2` +`命令 -选项 1 -选项 2` ``` 当你将自己的贡献提交 pull request 时,一个脚本会自动检查你的贡献是否符合上面的格式。 @@ -38,43 +38,306 @@ tldr-lint {{page.md}} 如果你用 tldr-pages 的 Node.js 客户端,你可以在命令后加 `-f` (`--render`) 来在本地预览自己的页面: ```sh -tldr --render {{page.md}} +tldr --render path/to/tldr_page.md ``` -## 占位符(token)语法 +### PowerShell 特定规则 +在记录 PowerShell 命令时,请注意以下命名约定。 -当命令涉及用户自己提供的值时,请用 `{{token}}` 语法来使 `tldr` 客户端自动高亮它们: +- 文件名必须以小写形式书写,例如 `invoke-webrequest.md` 而不是 `Invoke-WebRequest.md`。 +- 页面标题/标题必须按照原样书写(与 Microsoft 或 PowerShell 模块作者意图一致),例如 `Invoke-WebRequest` 而不是 `invoke-webrequest`。 +- 示例中的命令名称和选项也应按原样书写,例如 `Command-Name {{input}} -CommandParameter {{value}}` 而不是 `command-name {{input}} -commandparameter {{value}}`。 -`tar -cf {{目标.tar}} {{文件1}} {{文件2}} {{文件3}}` +由于[各种兼容性差异](https://learn.microsoft.com/powershell/scripting/whats-new/differences-from-windows-powershell)和在 PowerShell 6.x 中删除的特定于 Windows 的命令,确保命令在 PowerShell 5.1(即安装在 Windows 10 和 11 中的“传统 Windows PowerShell”)和 最新版本的跨平台 PowerShell(以前称为 PowerShell Core)之间可用。如果命令或其选项在每个版本之间不可用或包含不同的行为,请在描述中注明。例如, + +```md +# Clear-RecycleBin + +> 清空回收站中的项目。 +> 此命令仅适用于 PowerShell 版本 5.1 及以下版本,或 7.1 及以上版本。 +> 更多信息: . +``` + +## 别名 +如果一个命令可以通过其他名称调用(例如 `vim` 可以通过 `vi` 调用),可以创建别名页面将用户引导到原始命令名称。 + +```md +# command_name + +> 此命令是 `original-command-name` 的别名。 +> 更多信息: . + +- 查看原始命令的文档: + +`tldr original_command_name` +``` + +示例: + +```md +# vi + +> 这是 `vim` 命令的一个别名。 + +- 原命令的文档在: + +`tldr vim` +``` + +预先翻译好的别名模板见[这里](https://github.com/tldr-pages/tldr/blob/main/contributing-guides/translation-templates/alias-pages.md)。 + +### PowerShell 特定别名 +某些 PowerShell 命令可能会引入别名,这些别名可以分为以下三类: + +1. 替代现有的 Windows 命令提示符 (`cmd`) 命令,例如 `cd` 别名为 `Set-Location`,但带有不同的命令选项。在这种情况下,将以下别名注释添加到原始命令提示符命令的 tldr 描述的第二行中,例如: + +```md +# cd + +> 显示当前工作目录或移动到其他目录。 +> 在 PowerShell 中,此命令是 `Set-Location` 的别名。本文档基于命令提示符 (`cmd`) 版本的 `cd`。 +> 更多信息: . + +- 原命令的文档在: + +`tldr set-location` +``` + +> [!TIP] +> “查看等效 PowerShell 命令的文档”的示例是可选的,如果页面已经具有 8 条示例,则可以省略。 + +2. 提供一个新的别名,但只能在 PowerShell 中执行,例如 `ni` 代表 `New-Item`。在这种情况下,使用[标准别名模板](https://github.com/tldr-pages/tldr/blob/main/contributing-guides/translation-templates/alias-pages.md),但添加说明“在 PowerShell 中”,或表示该命令仅限于 PowerShell。例如, + +```md +# ni + +> 在 PowerShell 中,此命令是 `New-Item` 的别名。 +> 更多信息: . + +- 查看原始命令的文档: + +`tldr new-item` +``` + +3. 与其他程序冲突时 PowerShell 会提供一个新的别名,最为突出的是将 `curl` 和 `wget` 作为 `Invoke-WebRequest` 的别名(带有不兼容的命令选项集)。请注意,此类别的 PowerShell 系统别名通常仅限于 Windows。 + +在这种情况下,提供一个说明,并提供一种方法来确定命令当前是否引用了 PowerShell 命令(通过别名)或其他程序。例如, + +```md +# curl + +> 在 PowerShell 中,当原始的 `curl` 程序 () 未正确安装时,此命令可能是 `Invoke-WebRequest` 的别名。 +> 更多信息: . + +- 通过打印其版本号来检查 `curl` 是否已正确安装。如果此命令导致错误,则 PowerShell 可能已将此命令替换为 `Invoke-WebRequest`: + +`curl --version` + +- 查看原始 `curl` 命令的文档: + +`tldr curl -p common` + +- 查看 PowerShell 的 `Invoke-WebRequest` 命令的文档: + +`tldr invoke-webrequest` +``` + +## 选项语法 + +- 对于常用命令(例如 `grep`、`tar` 等),我们更推荐在占位符中使用简短选项以及[助记符](#short-option-mnemonics)。 +- 对于在命令中同时突出长选项和短选项(而不是使用助记符),将它们组合在占位符中,即 `{{-o|--output}}`。 +- 为了用户友好,在 `common` 目录下的页面中,当它们在跨平台(在多个平台上都可以正常工作)时,我们更推荐使用**GNU 风格的长选项**(例如 `--help` 而不是 `-h`)。 +- 在记录 PowerShell 命令时,使用**PowerShell 风格的长选项**(例如 `-Help` 而不是 `-H`)。 +- 我们更推荐使用空格而不是等号 (`=`) 来分隔选项和其参数(即使用 `--opt arg` 而不是 `--opt=arg`),除非程序不支持此方法。 + +### 短选项助记符 + +短选项助记符是可选的提示,可以添加以帮助用户理解这些短选项的含义。分配的助记符应与命令的官方文档(例如来自 `man` 或 `Get-Help`)中的内容相匹配。例如: + +```md +- [d]isplay the ins[t]allation [i]D for the current device. Useful for offline license activation: + +`slmgr.vbs /dti` + +Display the current license's e[xp]i[r]ation date and time: + +`slmgr.vbs /xpr` +``` + +请注意,在第一个示例中,`[d]`、`[t]` 和 `[i]` 字符被方括号括起来,以指示命令的 `/dti` 选项分别是 "display"、"installation" 和 "ID" 的组合。连续的助记符字符可以在同一方括号下进行分组,例如 `e[xp]i[r]ation` 而不是 `e[x][p]i[r]ation`。 + +**助记符字符必须以区分大小写的方式编写**,即使它放在句子的第一个字符位置(例如使用 `[d]isplay` 而不是 `[D]isplay`)。这是为了避免与 GNU 风格命令选项产生冲突,GNU 风格命令选项可能会以不同于小写的方式解释大写选项,例如 `-v` 用于显示命令的 `[v]ersion` 号码,而 `-V` 则用于以 `[V]erbose` 模式运行命令。 + +选项助记符也可以在翻译中使用,只要突出显示的单词与命令所用语言(通常为英语)中的单词具有相似的含义即可。例如,英语中的 `[d]ownload` 可以翻译为西班牙语中的 `[d]escargar`,英语中的 `[i]nstall` 可以翻译为德语中的 `[i]nstallieren`,而英语中的 `[a]pp` 可以翻译为印尼语和马来语中的 `[a]plikasi`。 + +可选地,在翻译和特定页面中,助记符及其包含的术语可以用括号与描述的其余部分分开(即 `([a]ll)`),以提供额外的上下文或提及描述中不存在的单词。 + +> [!NOTE] +> 在翻译的单词中如果缺少字符,您可以在等效词的前面或旁边突出显示选项,或您可以在括号内的翻译旁边添加英文单词。例如,英语中的 `E[x]tract` 可以翻译为印尼语中的 `[x] ekstrak` 或 `ekstrak [x]` 或 `ekstrak (E[x]tract)`。 + +## 占位符语法 + +当命令涉及用户自己提供的值时,请用 `{{token}}` 语法来使 `tldr` 客户端能自动高亮它们: + +`tar -cf {{目标.tar}} {{文件 1}} {{文件 2}} {{文件 3}}` 翻译时,请尽量翻译原文中的西文占位符。下面是命名占位符的规则: -1. 占位符需要短小精悍, +1. 占位符需要短小精悍, 例如 `{{源文件}}` 或者 `{{钱包.txt}}` 2. 如果占位符是西文,请用 [`snake_case`](https://en.wikipedia.org/wiki/Snake_case) 来分词。 -3. 当占位符涉及文件路径时,请用 `{{目录/子目录/<占位符>}}` 的格式。 - 例如:`ln -s {{目录/子目录/源文件}} {{目录/子目录/链接}}` +3. 当占位符涉及文件路径时,请用 `{{目录/子目录/《占位符》}}` 的格式。 + 例如:`ln -s {{目录/子目录/源文件}} {{目录/子目录/链接}}` 如果占位符提到的文件也可能是目录,请用 `{{目录/子目录/文件或目录}}` -4. 除非文件是特定的,上述 `{{目录/子目录/<占位符>}}` 的文件路径格式应用于所有包含路径的命令。 -5. 如果命令需要的文件扩展名是固定的,请在占位符里加上文件格式。 - 例如:`unrar x {{压缩包.rar}}` - 如果文件 **必须** 有一个扩展名,请用 `{{.ext}}` 。 - 例如,在 `find {{起始目录}} -name '{{*.ext}}'` 的例子里, - 这样做简单地演示了查找一个特定文件扩展名的方法。 +4. 除非文件是特定的,上述 `{{目录/子目录/《占位符》}}` 的文件路径格式应用于所有包含路径的命令。 +5. 如果命令需要的文件扩展名是固定的,请在占位符里加上文件格式。 + 例如:`unrar x {{压缩包.rar}}` + 如果文件 **必须** 有一个扩展名,请用 `{{.ext}}` 。 + 例如,在 `find {{起始目录}} -name '{{*.ext}}'` 的例子里, + 这样做简单地演示了查找一个特定文件扩展名的方法。 但是,在 `wc -l {{file}}` 的例子里,用不加扩展名的 `{{file}}` 就足够了。 -6. 如果用实际的值比描述这个占位符更加明了,请举一个值做例子。 +6. 如果用实际的值比描述这个占位符更加明了,请举一个值做例子。 例如:`iostat {{2}}` 比 `iostat {{以秒为单位的间隔}}` 更清晰。 -7. 如果一个命令可能对文件系统或设备造成不可逆的影响,请在示例命令中注意改写,使其不能被盲目复制粘贴运行。 - 例如,`ddrescue --force --no-scrape /dev/sda /dev/sdb` 被盲目复制粘贴时可能对系统造成毁灭性的打击;`ddrescue --force --no-scrape {{/dev/sdX}} {{/dev/sdY}}` 则更安全。 +7. 如果一个命令可能对文件系统或设备造成不可逆的影响,请在示例命令中注意改写,使其不能被盲目复制粘贴运行。 + 例如,`ddrescue --force --no-scrape /dev/sda /dev/sdb` 被盲目复制粘贴时可能对系统造成毁灭性的打击;`ddrescue --force --no-scrape {{/dev/sdX}} {{/dev/sdY}}` 则更安全。 因此,请用 `{{/dev/sdXY}}` 而不是 `{{/dev/sda1}}` 来表示一个 **块设备** 。 占位符应该尽可能简单明了,让人一眼就能看出应该替换它的值。 +### 路径 + +- 当只期望文件名时,请使用 `{{filename}}`。 +- 对于文件或目录路径的任何引用,请使用格式 `{{path/to/}}`,除非位置是隐含的。 +- 当路径不能是相对路径,而必须从文件系统的根目录开始时,请使用斜杠作为前缀,例如 `get {{/path/to/remote_file}}`。 +- 如果可能引用文件或目录,请使用 `{{path/to/file_or_directory}}`。 + +> [!NOTE] +> 如果命令专用于 Windows,请使用反斜杠(`\`),例如 `{{path\to\file_or_directory}}`。驱动器号(如 `C:`)是可选的,除非命令输入要求绝对路径或特定的驱动器号范围,例如 `cd /d {{C}}:{{path\to\directory}}`。 + +### 扩展名 + +- 如果文件有特定的扩展名,请写出来。 + 例如,`unrar x {{path/to/compressed.rar}}`。 +- 如果需要通用的扩展名,请使用 `{{.ext}}`,但**只有**在需要扩展名时才使用。 + 例如,在 `find.md` 的示例“按扩展名查找文件”中(`find {{path/to/root}} -name '{{*.ext}}'`), + 使用 `{{*.ext}}` 可以解释命令而不必过于具体; + 而在 `wc -l {{path/to/file}}` 中,使用 `{{path/to/file}}`(不带扩展名)就足够了。 + +### 分组占位符 + +- 如果命令可以接受相同类型的 0 个或多个参数,请使用省略号:`{{placeholder1 placeholder2 ...}}`。 + 例如,期望多个路径,则可以使用 `{{path/to/directory1 path/to/directory2 ...}}`。 +- 如果命令可以接受不同类型的 0 个或多个参数,请使用竖线和省略号:`{{placeholder1|placeholder2|...}}`。 + 如果可能值超过 5 个,则可以在最后一项后面使用 `|...`。 +- 无法通过省略号限制占位符的最小或最大数量。 + +### 特殊情况 + +- 如果一个命令可能对文件系统或设备进行不可逆转的更改, + 请以一种不会被轻易复制粘贴的方式编写每个示例。 + 例如,不要写成 `ddrescue --force --no-scrape /dev/sda /dev/sdb`, + 而是写成 `ddrescue --force --no-scrape {{/dev/sdX}} {{/dev/sdY}}`, + 并且对于*块设备*,使用 `{{/dev/sdXY}}` 占位符,而不是 `/dev/sda1`。 + +通常情况下,占位符应尽可能直观,以便于理解如何使用命令并填入相应的值。 + 在命令描述中,如果出现了技术性的专有名词,请用 `反引号` 括起来: -1. 路径,例如 `package.json`,`/etc/package.json`. -2. 扩展名,例如 `.dll`. -3. 命令,例如 `ls`. +- 路径,例如 `package.json`,`/etc/package.json`。 +- 扩展名,例如 `.dll`。 +- 命令,例如 `ls`。 +- 标准流:`stdout`,`stdin`,`stderr`。**不要**使用完整的名称(例如标准输出)。 +- 压缩算法,例如 `zip`,`7z`,`xz`。 + +## 描述 + +### 祈使句 + +- **所有描述必须以祈使句表达。** + +如果你担心命令在不同平台或操作系统之间可能不同(例如 Windows 对比 macOS),大多数 [tldr 页面客户端](https://github.com/tldr-pages/tldr/wiki/tldr-pages-clients) 将选择最适合的命令版本。 + +在这种情况下,默认将显示 Windows 版本的 `cd` 信息(存储在 `pages/windows/cd.md` 中)给 Windows 用户,并为 Linux、macOS 和其他平台显示一个通用版本(存储在 `pages/common/cd.md` 中)。 + +在为命令示例编写描述时,**检查任何语法错误**。例如,应该使用 `前往指定目录` 而不是: + +- `正前往指定目录`(不应使用现在分词形式) +- `该命令将前往指定目录`(很明显此示例适用于 *此* 命令) +- `让我们前往指定目录!` +- `目录被更改为`(如果可能,应使用主动形式而不是被动形式) + +例如,可以使用 `列出所有文件:` 的描述,下面是示例的描述可以使用 `列出所有文件:`。 + +```md +- 列出所有文件: + +`ls` +``` + +### 措辞 + +- 所有描述**必须简洁**。 +- 避免在描述中使用页面标题(例如,使用 `为数字艺术家设计的素描和绘画程序`,而不是 `Krita 是为数字艺术家设计的素描和绘画程序`),除非程序名称与可执行文件名称不同(例如 `rg` 和 Ripgrep)。 +- 避免提及程序是在命令行上使用的(例如,使用 `Ripgrep 是一个递归的面向行的搜索工具`,而不是 `Ripgrep 是一个递归的面向行的 CLI 搜索工具`)。 +- 例如,在为 `cd` 编写文档时,一个用于在终端或命令提示符中更改当前工作目录的工具,**不要**写出像这样冗长的描述: + +```md +> `cd` 是一个系统工具,在 Windows、macOS 和 Linux 中可用,用于在命令提示符、终端和 PowerShell 中更改当前工作目录以完成任务。 +``` + +它应该简化以使每个人都能更轻松地阅读: + +```md +> 更改当前工作目录。 +``` + +### 格式 + +- 在描述中,应该对专有名词进行大写(例如,使用 `用于与 Git 仓库交互的工具。`,而不是 ``用于与 `git` 仓库交互的工具。``)。 +- 首字母缩写(即协议、工具等)在没有本地同类物时不应进行翻译。 +- 当编写包含键盘按键或键盘快捷键时,建议将它们用反引号括起来,以突出显示在描述中(即 ``打印给定文件的最后几行,并一直读取直到按下 `Ctrl + C`:``)。 或者,您可以将它们记录为单独的命令,然后选择性地将它们突出显示为占位符(即 `:wq{{Enter}}` 或 `:wq` 或 `:wq(Enter)`)。 + +## 斜体和粗体 + +请不要在页面上使用 *斜体*、**粗体** 或任何其他文本样式。这些样式被用于客户端对占位符的修饰。 + +## 更多信息链接 + +- 在`更多信息`链接行上,我们更推荐链接到作者提供的命令行参考文档或 man 手册。如果没有提供,请使用 作为所有系统(除 `osx` 和除了 FreeBSD 之外的 BSD 平台)的默认链接。或者,如果命令没有文档页面,您也可以链接到作者的网站或教程页面。 + +- 对于 `osx`:苹果在 Xcode 中分发内置的 man 手册 [在这里](https://developer.apple.com/documentation/os/reading_unix_manual_pages)。对于那里记录的命令,我们建议使用 https://keith.github.io/xcode-man-pages/, 这是 Xcode 捆绑的所有苹果 man 手册的 HTML。 + +- **所有链接必须放在尖括号(`<` 和 `>`)中,以便在客户端中正确呈现。** + +- 我们更倾向于在翻译页面中直接使用英文页面的更多信息链接。 + +### 版本化链接 + +当一个应用程序或发行版的包具有版本化链接时,我们更倾向于链接到文档的最新版本(即 `latest`),或者如果网站自动重定向到文档的最新版本,则不用链接到任何版本。 + +例如,使用: + +- 而不是 。 +- 而不是 。 + +### Microsoft Learn 链接 + +当链接到 Microsoft Learn 页面时,请删除地址中的语言环境,因为网站会自动重定向到读者的首选语言环境。例如,使用 而不是 。 + +此外,如果链接与 PowerShell 命令文档相关,请删除**文档版本指示符**(即文档来源的 PowerShell/module 版本),即地址中以 `?view=` 开头的部分。 + +- 使用 而不是 。 +- 使用 而不是 。 + +## 帮助和版本命令 + +- 通常我们将帮助命令和版本命令**按照这个顺序**放在页面的**最后两个**示例中,以突出页面开头更实用的命令。如果需要,它们可以被替换为其他有用的示例。 +- 为了保持一致性,我们更推荐使用通用的术语 `显示帮助` 和 `显示版本` 来描述这些命令。 +- 如果命令在 Windows 等平台中使用了不同的标志,建议记录下帮助和版本示例。 + +## 特定语言规则 + +以下部分包含了用于翻译页面的额外的特定语言规则: ## 中西文混排规则 @@ -82,19 +345,19 @@ tldr --render {{page.md}} 以下规则适用于中文(zh)和繁体中文(zh_TW): -1. 在西文单词和数字前后放置一个空格。 - 例如:`列出所有 docker 容器` 而不是 `列出所有docker容器`。 - 例如:`宽度为 50 个字` 而不是 `宽度为50个字`。 -2. 除了度数和百分比,在数字和单位之间留一个空格。 - 例如:`容量 50 MB` 而不是 `容量 50MB`。 +1. 在西文单词和数字前后放置一个空格。 + 例如:`列出所有 docker 容器` 而不是 `列出所有 docker 容器`。 + 例如:`宽度为 50 个字` 而不是 `宽度为 50 个字`。 +2. 除了度数和百分比,在数字和单位之间留一个空格。 + 例如:`容量 50 MB` 而不是 `容量 50MB`。 对于度数和百分比:使用 `50°C` 和 `50%` 而不是 `50 °C` 和 `50 %`. -3. 不要在全角标点符号前后放置空格。 +3. 不要在全角标点符号前后放置空格。 例如:`开启 shell,进入交互模式` 而不是 `开启 shell ,进入交互模式`。 -4. 除了西文长句,一律使用全角标点符号。 - 例如:`嗨,你好。` 而不是 `嗨, 你好.`。 -5. 当最句子最后一个字符是半角时,使用半角标点符号来结束句子。 +4. 除了西文长句,一律使用全角标点符号。 + 例如:`嗨,你好。` 而不是 `嗨,你好.`。 +5. 当最句子最后一个字符是半角时,使用半角标点符号来结束句子。 例如:`将代码转化为 Python 3.` 而不是 `将代码转化为 Python 3。`。 -6. 使用精准的专有名词,不要使用非官方的中文缩写。 +6. 使用精准的专有名词,不要使用非官方的中文缩写。 例如:`Facebook` 而非 `facebook`、`fb` 或 `脸书`。 为保持可读性和一致性,将页面翻译成中文时,请尽可能遵守以上 6 条规则。 diff --git a/package-lock.json b/package-lock.json index 57807c8e5..687d411fe 100644 --- a/package-lock.json +++ b/package-lock.json @@ -1,18 +1,18 @@ { "name": "tldr-pages", - "lockfileVersion": 2, + "lockfileVersion": 3, "requires": true, "packages": { "": { "name": "tldr-pages", "license": "SEE LICENSE IN LICENSE.md", "dependencies": { - "glob": "10.3.10", - "markdownlint-cli": "^0.39.0", - "tldr-lint": "^0.0.13" + "glob": "11.0.0", + "markdownlint-cli": "^0.41.0", + "tldr-lint": "^0.0.15" }, "devDependencies": { - "husky": "^9.0.11" + "husky": "^9.1.5" } }, "node_modules/@isaacs/cliui": { @@ -97,11 +97,11 @@ "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==" }, "node_modules/commander": { - "version": "11.1.0", - "resolved": "https://registry.npmjs.org/commander/-/commander-11.1.0.tgz", - "integrity": "sha512-yPVavfyCcRhmorC7rWlkHn15b4wDVgVmBA7kV4QVBsF7kv/9TKJAbAXVTxvTnwP8HHKjRCJDClKbciiYS7p0DQ==", + "version": "12.1.0", + "resolved": "https://registry.npmjs.org/commander/-/commander-12.1.0.tgz", + "integrity": "sha512-Vw8qHK3bZM9y/P10u3Vib8o/DdkvA2OtPtZvD871QKjy74Wj1WSKFILMPRPSdUSx5RFK1arlJzEtA4PkFgnbuA==", "engines": { - "node": ">=16" + "node": ">=18" } }, "node_modules/cross-spawn": { @@ -173,33 +173,48 @@ } }, "node_modules/glob": { - "version": "10.3.10", - "resolved": "https://registry.npmjs.org/glob/-/glob-10.3.10.tgz", - "integrity": "sha512-fa46+tv1Ak0UPK1TOy/pZrIybNNt4HCv7SDzwyfiOZkvZLEbjsZkJBPtDHVshZjbecAoAGSC20MjLDG/qr679g==", + "version": "11.0.0", + "resolved": "https://registry.npmjs.org/glob/-/glob-11.0.0.tgz", + "integrity": "sha512-9UiX/Bl6J2yaBbxKoEBRm4Cipxgok8kQYcOPEhScPwebu2I0HoQOuYdIO6S3hLuWoZgpDpwQZMzTFxgpkyT76g==", "dependencies": { "foreground-child": "^3.1.0", - "jackspeak": "^2.3.5", - "minimatch": "^9.0.1", - "minipass": "^5.0.0 || ^6.0.2 || ^7.0.0", - "path-scurry": "^1.10.1" + "jackspeak": "^4.0.1", + "minimatch": "^10.0.0", + "minipass": "^7.1.2", + "package-json-from-dist": "^1.0.0", + "path-scurry": "^2.0.0" }, "bin": { "glob": "dist/esm/bin.mjs" }, "engines": { - "node": ">=16 || 14 >=14.17" + "node": "20 || >=22" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/glob/node_modules/minimatch": { + "version": "10.0.1", + "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-10.0.1.tgz", + "integrity": "sha512-ethXTt3SGGR+95gudmqJ1eNhRO7eGEGIgYA9vnPatK4/etz2MEVDno5GMCibdMTuBMyElzIlgxMna3K94XDIDQ==", + "dependencies": { + "brace-expansion": "^2.0.1" + }, + "engines": { + "node": "20 || >=22" }, "funding": { "url": "https://github.com/sponsors/isaacs" } }, "node_modules/husky": { - "version": "9.0.11", - "resolved": "https://registry.npmjs.org/husky/-/husky-9.0.11.tgz", - "integrity": "sha512-AB6lFlbwwyIqMdHYhwPe+kjOC3Oc5P3nThEoW/AaO2BX3vJDjWPFxYLxokUZOo6RNX20He3AaT8sESs9NJcmEw==", + "version": "9.1.5", + "resolved": "https://registry.npmjs.org/husky/-/husky-9.1.5.tgz", + "integrity": "sha512-rowAVRUBfI0b4+niA4SJMhfQwc107VLkBUgEYYAOQAbqDCnra1nYh83hF/MDmhYs9t9n1E3DuKOrs2LYNC+0Ag==", "dev": true, "bin": { - "husky": "bin.mjs" + "husky": "bin.js" }, "engines": { "node": ">=18" @@ -209,17 +224,17 @@ } }, "node_modules/ignore": { - "version": "5.3.0", - "resolved": "https://registry.npmjs.org/ignore/-/ignore-5.3.0.tgz", - "integrity": "sha512-g7dmpshy+gD7mh88OC9NwSGTKoc3kyLAZQRU1mt53Aw/vnvfXnbC+F/7F7QoYVKbV+KNvJx8wArewKy1vXMtlg==", + "version": "5.3.1", + "resolved": "https://registry.npmjs.org/ignore/-/ignore-5.3.1.tgz", + "integrity": "sha512-5Fytz/IraMjqpwfd34ke28PTVMjZjJG2MPn5t7OE4eUCUNf8BAa7b5WUS9/Qvr6mwOQS7Mk6vdsMno5he+T8Xw==", "engines": { "node": ">= 4" } }, "node_modules/ini": { - "version": "4.1.1", - "resolved": "https://registry.npmjs.org/ini/-/ini-4.1.1.tgz", - "integrity": "sha512-QQnnxNyfvmHFIsj7gkPcYymR8Jdw/o7mp5ZFihxn6h8Ci6fh3Dx4E1gPjpQEpIuPo9XVNY/ZUwh4BPMjGyL01g==", + "version": "4.1.2", + "resolved": "https://registry.npmjs.org/ini/-/ini-4.1.2.tgz", + "integrity": "sha512-AMB1mvwR1pyBFY/nSevUX6y8nJWS63/SzUKD3JyQn97s4xgIdgQPT75IRouIiBAN4yLQBUShNYVW0+UG25daCw==", "engines": { "node": "^14.17.0 || ^16.13.0 || >=18.0.0" } @@ -238,14 +253,14 @@ "integrity": "sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw==" }, "node_modules/jackspeak": { - "version": "2.3.6", - "resolved": "https://registry.npmjs.org/jackspeak/-/jackspeak-2.3.6.tgz", - "integrity": "sha512-N3yCS/NegsOBokc8GAdM8UcmfsKiSS8cipheD/nivzr700H+nsMOxJjQnvwOcRYVuFkdH0wGUvW2WbXGmrZGbQ==", + "version": "4.0.1", + "resolved": "https://registry.npmjs.org/jackspeak/-/jackspeak-4.0.1.tgz", + "integrity": "sha512-cub8rahkh0Q/bw1+GxP7aeSe29hHHn2V4m29nnDlvCdlgU+3UGxkZp7Z53jLUdpX3jdTO0nJZUDl3xvbWc2Xog==", "dependencies": { "@isaacs/cliui": "^8.0.2" }, "engines": { - "node": ">=14" + "node": "20 || >=22" }, "funding": { "url": "https://github.com/sponsors/isaacs" @@ -270,6 +285,14 @@ "resolved": "https://registry.npmjs.org/jsonc-parser/-/jsonc-parser-3.2.1.tgz", "integrity": "sha512-AilxAyFOAcK5wA1+LeaySVBrHsGQvUFCDWXKpZjzaL0PqW+xfBOttn8GNtWKFWqneyMZj41MWF9Kl6iPWLwgOA==" }, + "node_modules/jsonpointer": { + "version": "5.0.1", + "resolved": "https://registry.npmjs.org/jsonpointer/-/jsonpointer-5.0.1.tgz", + "integrity": "sha512-p/nXbhSEcu3pZRdkW1OfJhpsVtW1gd4Wa1fnQc9YLiTfAjn0312eMKimbdIQzuZl9aa9xUGaRlP9T/CJE/ditQ==", + "engines": { + "node": ">=0.10.0" + } + }, "node_modules/linkify-it": { "version": "5.0.0", "resolved": "https://registry.npmjs.org/linkify-it/-/linkify-it-5.0.0.tgz", @@ -279,36 +302,36 @@ } }, "node_modules/lru-cache": { - "version": "10.0.0", - "resolved": "https://registry.npmjs.org/lru-cache/-/lru-cache-10.0.0.tgz", - "integrity": "sha512-svTf/fzsKHffP42sujkO/Rjs37BCIsQVRCeNYIm9WN8rgT7ffoUnRtZCqU+6BqcSBdv8gwJeTz8knJpgACeQMw==", + "version": "11.0.0", + "resolved": "https://registry.npmjs.org/lru-cache/-/lru-cache-11.0.0.tgz", + "integrity": "sha512-Qv32eSV1RSCfhY3fpPE2GNZ8jgM9X7rdAfemLWqTUxwiyIC4jJ6Sy0fZ8H+oLWevO6i4/bizg7c8d8i6bxrzbA==", "engines": { - "node": "14 || >=16.14" + "node": "20 || >=22" } }, "node_modules/markdown-it": { - "version": "14.0.0", - "resolved": "https://registry.npmjs.org/markdown-it/-/markdown-it-14.0.0.tgz", - "integrity": "sha512-seFjF0FIcPt4P9U39Bq1JYblX0KZCjDLFFQPHpL5AzHpqPEKtosxmdq/LTVZnjfH7tjt9BxStm+wXcDBNuYmzw==", + "version": "14.1.0", + "resolved": "https://registry.npmjs.org/markdown-it/-/markdown-it-14.1.0.tgz", + "integrity": "sha512-a54IwgWPaeBCAAsv13YgmALOF1elABB08FxO9i+r4VFk5Vl4pKokRPeX8u5TCgSsPi6ec1otfLjdOpVcgbpshg==", "dependencies": { "argparse": "^2.0.1", "entities": "^4.4.0", "linkify-it": "^5.0.0", "mdurl": "^2.0.0", "punycode.js": "^2.3.1", - "uc.micro": "^2.0.0" + "uc.micro": "^2.1.0" }, "bin": { "markdown-it": "bin/markdown-it.mjs" } }, "node_modules/markdownlint": { - "version": "0.33.0", - "resolved": "https://registry.npmjs.org/markdownlint/-/markdownlint-0.33.0.tgz", - "integrity": "sha512-4lbtT14A3m0LPX1WS/3d1m7Blg+ZwiLq36WvjQqFGsX3Gik99NV+VXp/PW3n+Q62xyPdbvGOCfjPqjW+/SKMig==", + "version": "0.34.0", + "resolved": "https://registry.npmjs.org/markdownlint/-/markdownlint-0.34.0.tgz", + "integrity": "sha512-qwGyuyKwjkEMOJ10XN6OTKNOVYvOIi35RNvDLNxTof5s8UmyGHlCdpngRHoRGNvQVGuxO3BJ7uNSgdeX166WXw==", "dependencies": { - "markdown-it": "14.0.0", - "markdownlint-micromark": "0.1.8" + "markdown-it": "14.1.0", + "markdownlint-micromark": "0.1.9" }, "engines": { "node": ">=18" @@ -318,19 +341,21 @@ } }, "node_modules/markdownlint-cli": { - "version": "0.39.0", - "resolved": "https://registry.npmjs.org/markdownlint-cli/-/markdownlint-cli-0.39.0.tgz", - "integrity": "sha512-ZuFN7Xpsbn1Nbp0YYkeLOfXOMOfLQBik2lKRy8pVI/llmKQ2uW7x+8k5OMgF6o7XCsTDSYC/OOmeJ+3qplvnJQ==", + "version": "0.41.0", + "resolved": "https://registry.npmjs.org/markdownlint-cli/-/markdownlint-cli-0.41.0.tgz", + "integrity": "sha512-kp29tKrMKdn+xonfefjp3a/MsNzAd9c5ke0ydMEI9PR98bOjzglYN4nfMSaIs69msUf1DNkgevAIAPtK2SeX0Q==", "dependencies": { - "commander": "~11.1.0", + "commander": "~12.1.0", "get-stdin": "~9.0.0", - "glob": "~10.3.10", - "ignore": "~5.3.0", + "glob": "~10.4.1", + "ignore": "~5.3.1", "js-yaml": "^4.1.0", "jsonc-parser": "~3.2.1", - "markdownlint": "~0.33.0", - "minimatch": "~9.0.3", - "run-con": "~1.3.2" + "jsonpointer": "5.0.1", + "markdownlint": "~0.34.0", + "minimatch": "~9.0.4", + "run-con": "~1.3.2", + "smol-toml": "~1.2.0" }, "bin": { "markdownlint": "markdownlint.js" @@ -339,12 +364,65 @@ "node": ">=18" } }, - "node_modules/markdownlint-micromark": { - "version": "0.1.8", - "resolved": "https://registry.npmjs.org/markdownlint-micromark/-/markdownlint-micromark-0.1.8.tgz", - "integrity": "sha512-1ouYkMRo9/6gou9gObuMDnvZM8jC/ly3QCFQyoSPCS2XV1ZClU0xpKbL1Ar3bWWRT1RnBZkWUEiNKrI2CwiBQA==", + "node_modules/markdownlint-cli/node_modules/glob": { + "version": "10.4.5", + "resolved": "https://registry.npmjs.org/glob/-/glob-10.4.5.tgz", + "integrity": "sha512-7Bv8RF0k6xjo7d4A/PxYLbUCfb6c+Vpd2/mB2yRDlew7Jb5hEXiCD9ibfO7wpk8i4sevK6DFny9h7EYbM3/sHg==", + "dependencies": { + "foreground-child": "^3.1.0", + "jackspeak": "^3.1.2", + "minimatch": "^9.0.4", + "minipass": "^7.1.2", + "package-json-from-dist": "^1.0.0", + "path-scurry": "^1.11.1" + }, + "bin": { + "glob": "dist/esm/bin.mjs" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/markdownlint-cli/node_modules/jackspeak": { + "version": "3.4.3", + "resolved": "https://registry.npmjs.org/jackspeak/-/jackspeak-3.4.3.tgz", + "integrity": "sha512-OGlZQpz2yfahA/Rd1Y8Cd9SIEsqvXkLVoSw/cgwhnhFMDbsQFeZYoJJ7bIZBS9BcamUW96asq/npPWugM+RQBw==", + "dependencies": { + "@isaacs/cliui": "^8.0.2" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + }, + "optionalDependencies": { + "@pkgjs/parseargs": "^0.11.0" + } + }, + "node_modules/markdownlint-cli/node_modules/lru-cache": { + "version": "10.4.3", + "resolved": "https://registry.npmjs.org/lru-cache/-/lru-cache-10.4.3.tgz", + "integrity": "sha512-JNAzZcXrCt42VGLuYz0zfAzDfAvJWW6AfYlDBQyDV5DClI2m5sAmK+OIO7s59XfsRsWHp02jAJrRadPRGTt6SQ==" + }, + "node_modules/markdownlint-cli/node_modules/path-scurry": { + "version": "1.11.1", + "resolved": "https://registry.npmjs.org/path-scurry/-/path-scurry-1.11.1.tgz", + "integrity": "sha512-Xa4Nw17FS9ApQFJ9umLiJS4orGjm7ZzwUrwamcGQuHSzDyth9boKDaycYdDcZDuqYATXw4HFXgaqWTctW/v1HA==", + "dependencies": { + "lru-cache": "^10.2.0", + "minipass": "^5.0.0 || ^6.0.2 || ^7.0.0" + }, "engines": { - "node": ">=16" + "node": ">=16 || 14 >=14.18" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/markdownlint-micromark": { + "version": "0.1.9", + "resolved": "https://registry.npmjs.org/markdownlint-micromark/-/markdownlint-micromark-0.1.9.tgz", + "integrity": "sha512-5hVs/DzAFa8XqYosbEAEg6ok6MF2smDj89ztn9pKkCtdKHVdPQuGMH7frFfYL9mLkvfFe4pTyAMffLbjf3/EyA==", + "engines": { + "node": ">=18" }, "funding": { "url": "https://github.com/sponsors/DavidAnson" @@ -356,9 +434,9 @@ "integrity": "sha512-Lf+9+2r+Tdp5wXDXC4PcIBjTDtq4UKjCPMQhKIuzpJNW0b96kVqSwW0bT7FhRSfmAiFYgP+SCRvdrDozfh0U5w==" }, "node_modules/minimatch": { - "version": "9.0.3", - "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-9.0.3.tgz", - "integrity": "sha512-RHiac9mvaRw0x3AYRgDC1CxAP7HTcNrrECeA8YYJeWnpo+2Q5CegtZjaotWTWxDG3UeGA1coE05iH1mPjT/2mg==", + "version": "9.0.4", + "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-9.0.4.tgz", + "integrity": "sha512-KqWh+VchfxcMNRAJjj2tnsSJdNbHsVgnkBhTNrW7AjVo6OvLtxw8zfT9oLw1JSohlFzJ8jCoTgaoXvJ+kHt6fw==", "dependencies": { "brace-expansion": "^2.0.1" }, @@ -378,13 +456,18 @@ } }, "node_modules/minipass": { - "version": "6.0.2", - "resolved": "https://registry.npmjs.org/minipass/-/minipass-6.0.2.tgz", - "integrity": "sha512-MzWSV5nYVT7mVyWCwn2o7JH13w2TBRmmSqSRCKzTw+lmft9X4z+3wjvs06Tzijo5z4W/kahUCDpRXTF+ZrmF/w==", + "version": "7.1.2", + "resolved": "https://registry.npmjs.org/minipass/-/minipass-7.1.2.tgz", + "integrity": "sha512-qOOzS1cBTWYF4BH8fVePDBOO9iptMnGUEZwNc/cMWnTV2nVLZ7VoNWEPHkYczZA0pdoA7dl6e7FL659nX9S2aw==", "engines": { "node": ">=16 || 14 >=14.17" } }, + "node_modules/package-json-from-dist": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/package-json-from-dist/-/package-json-from-dist-1.0.0.tgz", + "integrity": "sha512-dATvCeZN/8wQsGywez1mzHtTlP22H8OEfPrVMLNr4/eGa+ijtLn/6M5f0dY8UKNrC2O9UCU6SSoG3qRKnt7STw==" + }, "node_modules/path-key": { "version": "3.1.1", "resolved": "https://registry.npmjs.org/path-key/-/path-key-3.1.1.tgz", @@ -394,15 +477,15 @@ } }, "node_modules/path-scurry": { - "version": "1.10.1", - "resolved": "https://registry.npmjs.org/path-scurry/-/path-scurry-1.10.1.tgz", - "integrity": "sha512-MkhCqzzBEpPvxxQ71Md0b1Kk51W01lrYvlMzSUaIzNsODdd7mqhiimSZlr+VegAz5Z6Vzt9Xg2ttE//XBhH3EQ==", + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/path-scurry/-/path-scurry-2.0.0.tgz", + "integrity": "sha512-ypGJsmGtdXUOeM5u93TyeIEfEhM6s+ljAhrk5vAvSx8uyY/02OvrZnA0YNGUrPXfpJMgI1ODd3nwz8Npx4O4cg==", "dependencies": { - "lru-cache": "^9.1.1 || ^10.0.0", - "minipass": "^5.0.0 || ^6.0.2 || ^7.0.0" + "lru-cache": "^11.0.0", + "minipass": "^7.1.2" }, "engines": { - "node": ">=16 || 14 >=14.17" + "node": "20 || >=22" }, "funding": { "url": "https://github.com/sponsors/isaacs" @@ -450,9 +533,9 @@ } }, "node_modules/signal-exit": { - "version": "4.0.2", - "resolved": "https://registry.npmjs.org/signal-exit/-/signal-exit-4.0.2.tgz", - "integrity": "sha512-MY2/qGx4enyjprQnFaZsHib3Yadh3IXyV2C321GY0pjGfVBu4un0uDJkwgdxqO+Rdx8JMT8IfJIRwbYVz3Ob3Q==", + "version": "4.1.0", + "resolved": "https://registry.npmjs.org/signal-exit/-/signal-exit-4.1.0.tgz", + "integrity": "sha512-bzyZ1e88w9O1iNJbKnOlvYTrWPDl46O1bG0D3XInv+9tkPrxrN8jUUTiFlDkkmKWgn1M6CfIA13SuGqOa9Korw==", "engines": { "node": ">=14" }, @@ -460,6 +543,15 @@ "url": "https://github.com/sponsors/isaacs" } }, + "node_modules/smol-toml": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/smol-toml/-/smol-toml-1.2.0.tgz", + "integrity": "sha512-KObxdQANC/xje3OoatMbSwQf2XAvJ0RbK+4nmQRszFNZptbNRnMWqbLF/zb4sMi9xJ6HNyhWXeuZ9zC/I/XY7w==", + "engines": { + "node": ">= 18", + "pnpm": ">= 9" + } + }, "node_modules/string-width": { "version": "5.1.2", "resolved": "https://registry.npmjs.org/string-width/-/string-width-5.1.2.tgz", @@ -560,29 +652,28 @@ } }, "node_modules/tldr-lint": { - "version": "0.0.13", - "resolved": "https://registry.npmjs.org/tldr-lint/-/tldr-lint-0.0.13.tgz", - "integrity": "sha512-xPIg5465dypL4szZpUmQMenFF8uMnI0Fq6h2CADMso47w8xe5zZVrn7TSocd3I5mZxJDqxNoGG82g1Kzvz1wdA==", + "version": "0.0.15", + "resolved": "https://registry.npmjs.org/tldr-lint/-/tldr-lint-0.0.15.tgz", + "integrity": "sha512-LjKXuoU3tax0NTfNVxyACueTxEDrzBJf7n4dveRSRCCdnQH69PdfamwLaAqBsgpgSRNK+QopWXkLZhmq1smPNA==", "dependencies": { - "commander": "^8.1.0" + "commander": "^12.0.0" }, "bin": { "tldr-lint": "lib/tldr-lint-cli.js", "tldrl": "lib/tldr-lint-cli.js" - } - }, - "node_modules/tldr-lint/node_modules/commander": { - "version": "8.3.0", - "resolved": "https://registry.npmjs.org/commander/-/commander-8.3.0.tgz", - "integrity": "sha512-OkTL9umf+He2DZkUq8f8J9of7yL6RJKI24dVITBmNfZBmri9zYZQrKkuXiKhyfPSu8tUhnVBB1iKXevvnlR4Ww==", + }, "engines": { - "node": ">= 12" + "node": ">=18" + }, + "funding": { + "type": "liberapay", + "url": "https://liberapay.com/tldr-pages" } }, "node_modules/uc.micro": { - "version": "2.0.0", - "resolved": "https://registry.npmjs.org/uc.micro/-/uc.micro-2.0.0.tgz", - "integrity": "sha512-DffL94LsNOccVn4hyfRe5rdKa273swqeA5DJpMOeFmEn1wCDc7nAbbB0gXlgBCL7TNzeTv6G7XVWzan7iJtfig==" + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/uc.micro/-/uc.micro-2.1.0.tgz", + "integrity": "sha512-ARDJmphmdvUk6Glw7y9DQ2bFkKBHwQHLi2lsaH6PPmz/Ka9sFOBsBluozhDltWmnv9u/cF6Rt87znRTPV+yp/A==" }, "node_modules/which": { "version": "2.0.2", @@ -682,457 +773,5 @@ "node": ">=8" } } - }, - "dependencies": { - "@isaacs/cliui": { - "version": "8.0.2", - "resolved": "https://registry.npmjs.org/@isaacs/cliui/-/cliui-8.0.2.tgz", - "integrity": "sha512-O8jcjabXaleOG9DQ0+ARXWZBTfnP4WNAqzuiJK7ll44AmxGKv/J2M4TPjxjY3znBCfvBXFzucm1twdyFybFqEA==", - "requires": { - "string-width": "^5.1.2", - "string-width-cjs": "npm:string-width@^4.2.0", - "strip-ansi": "^7.0.1", - "strip-ansi-cjs": "npm:strip-ansi@^6.0.1", - "wrap-ansi": "^8.1.0", - "wrap-ansi-cjs": "npm:wrap-ansi@^7.0.0" - } - }, - "@pkgjs/parseargs": { - "version": "0.11.0", - "resolved": "https://registry.npmjs.org/@pkgjs/parseargs/-/parseargs-0.11.0.tgz", - "integrity": "sha512-+1VkjdD0QBLPodGrJUeqarH8VAIvQODIbwh9XpP5Syisf7YoQgsJKPNFoqqLQlu+VQ/tVSshMR6loPMn8U+dPg==", - "optional": true - }, - "ansi-regex": { - "version": "6.0.1", - "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-6.0.1.tgz", - "integrity": "sha512-n5M855fKb2SsfMIiFFoVrABHJC8QtHwVx+mHWP3QcEqBHYienj5dHSgjbxtC0WEZXYt4wcD6zrQElDPhFuZgfA==" - }, - "ansi-styles": { - "version": "6.2.1", - "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-6.2.1.tgz", - "integrity": "sha512-bN798gFfQX+viw3R7yrGWRqnrN2oRkEkUjjl4JNn4E8GxxbjtG3FbrEIIY3l8/hrwUwIeCZvi4QuOTP4MErVug==" - }, - "argparse": { - "version": "2.0.1", - "resolved": "https://registry.npmjs.org/argparse/-/argparse-2.0.1.tgz", - "integrity": "sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q==" - }, - "balanced-match": { - "version": "1.0.2", - "resolved": "https://registry.npmjs.org/balanced-match/-/balanced-match-1.0.2.tgz", - "integrity": "sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==" - }, - "brace-expansion": { - "version": "2.0.1", - "resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-2.0.1.tgz", - "integrity": "sha512-XnAIvQ8eM+kC6aULx6wuQiwVsnzsi9d3WxzV3FpWTGA19F621kwdbsAcFKXgKUHZWsy+mY6iL1sHTxWEFCytDA==", - "requires": { - "balanced-match": "^1.0.0" - } - }, - "color-convert": { - "version": "2.0.1", - "resolved": "https://registry.npmjs.org/color-convert/-/color-convert-2.0.1.tgz", - "integrity": "sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==", - "requires": { - "color-name": "~1.1.4" - } - }, - "color-name": { - "version": "1.1.4", - "resolved": "https://registry.npmjs.org/color-name/-/color-name-1.1.4.tgz", - "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==" - }, - "commander": { - "version": "11.1.0", - "resolved": "https://registry.npmjs.org/commander/-/commander-11.1.0.tgz", - "integrity": "sha512-yPVavfyCcRhmorC7rWlkHn15b4wDVgVmBA7kV4QVBsF7kv/9TKJAbAXVTxvTnwP8HHKjRCJDClKbciiYS7p0DQ==" - }, - "cross-spawn": { - "version": "7.0.3", - "resolved": "https://registry.npmjs.org/cross-spawn/-/cross-spawn-7.0.3.tgz", - "integrity": "sha512-iRDPJKUPVEND7dHPO8rkbOnPpyDygcDFtWjpeWNCgy8WP2rXcxXL8TskReQl6OrB2G7+UJrags1q15Fudc7G6w==", - "requires": { - "path-key": "^3.1.0", - "shebang-command": "^2.0.0", - "which": "^2.0.1" - } - }, - "deep-extend": { - "version": "0.6.0", - "resolved": "https://registry.npmjs.org/deep-extend/-/deep-extend-0.6.0.tgz", - "integrity": "sha512-LOHxIOaPYdHlJRtCQfDIVZtfw/ufM8+rVj649RIHzcm/vGwQRXFt6OPqIFWsm2XEMrNIEtWR64sY1LEKD2vAOA==" - }, - "eastasianwidth": { - "version": "0.2.0", - "resolved": "https://registry.npmjs.org/eastasianwidth/-/eastasianwidth-0.2.0.tgz", - "integrity": "sha512-I88TYZWc9XiYHRQ4/3c5rjjfgkjhLyW2luGIheGERbNQ6OY7yTybanSpDXZa8y7VUP9YmDcYa+eyq4ca7iLqWA==" - }, - "emoji-regex": { - "version": "9.2.2", - "resolved": "https://registry.npmjs.org/emoji-regex/-/emoji-regex-9.2.2.tgz", - "integrity": "sha512-L18DaJsXSUk2+42pv8mLs5jJT2hqFkFE4j21wOmgbUqsZ2hL72NsUU785g9RXgo3s0ZNgVl42TiHp3ZtOv/Vyg==" - }, - "entities": { - "version": "4.5.0", - "resolved": "https://registry.npmjs.org/entities/-/entities-4.5.0.tgz", - "integrity": "sha512-V0hjH4dGPh9Ao5p0MoRY6BVqtwCjhz6vI5LT8AJ55H+4g9/4vbHx1I54fS0XuclLhDHArPQCiMjDxjaL8fPxhw==" - }, - "foreground-child": { - "version": "3.1.1", - "resolved": "https://registry.npmjs.org/foreground-child/-/foreground-child-3.1.1.tgz", - "integrity": "sha512-TMKDUnIte6bfb5nWv7V/caI169OHgvwjb7V4WkeUvbQQdjr5rWKqHFiKWb/fcOwB+CzBT+qbWjvj+DVwRskpIg==", - "requires": { - "cross-spawn": "^7.0.0", - "signal-exit": "^4.0.1" - } - }, - "get-stdin": { - "version": "9.0.0", - "resolved": "https://registry.npmjs.org/get-stdin/-/get-stdin-9.0.0.tgz", - "integrity": "sha512-dVKBjfWisLAicarI2Sf+JuBE/DghV4UzNAVe9yhEJuzeREd3JhOTE9cUaJTeSa77fsbQUK3pcOpJfM59+VKZaA==" - }, - "glob": { - "version": "10.3.10", - "resolved": "https://registry.npmjs.org/glob/-/glob-10.3.10.tgz", - "integrity": "sha512-fa46+tv1Ak0UPK1TOy/pZrIybNNt4HCv7SDzwyfiOZkvZLEbjsZkJBPtDHVshZjbecAoAGSC20MjLDG/qr679g==", - "requires": { - "foreground-child": "^3.1.0", - "jackspeak": "^2.3.5", - "minimatch": "^9.0.1", - "minipass": "^5.0.0 || ^6.0.2 || ^7.0.0", - "path-scurry": "^1.10.1" - } - }, - "husky": { - "version": "9.0.11", - "resolved": "https://registry.npmjs.org/husky/-/husky-9.0.11.tgz", - "integrity": "sha512-AB6lFlbwwyIqMdHYhwPe+kjOC3Oc5P3nThEoW/AaO2BX3vJDjWPFxYLxokUZOo6RNX20He3AaT8sESs9NJcmEw==", - "dev": true - }, - "ignore": { - "version": "5.3.0", - "resolved": "https://registry.npmjs.org/ignore/-/ignore-5.3.0.tgz", - "integrity": "sha512-g7dmpshy+gD7mh88OC9NwSGTKoc3kyLAZQRU1mt53Aw/vnvfXnbC+F/7F7QoYVKbV+KNvJx8wArewKy1vXMtlg==" - }, - "ini": { - "version": "4.1.1", - "resolved": "https://registry.npmjs.org/ini/-/ini-4.1.1.tgz", - "integrity": "sha512-QQnnxNyfvmHFIsj7gkPcYymR8Jdw/o7mp5ZFihxn6h8Ci6fh3Dx4E1gPjpQEpIuPo9XVNY/ZUwh4BPMjGyL01g==" - }, - "is-fullwidth-code-point": { - "version": "3.0.0", - "resolved": "https://registry.npmjs.org/is-fullwidth-code-point/-/is-fullwidth-code-point-3.0.0.tgz", - "integrity": "sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg==" - }, - "isexe": { - "version": "2.0.0", - "resolved": "https://registry.npmjs.org/isexe/-/isexe-2.0.0.tgz", - "integrity": "sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw==" - }, - "jackspeak": { - "version": "2.3.6", - "resolved": "https://registry.npmjs.org/jackspeak/-/jackspeak-2.3.6.tgz", - "integrity": "sha512-N3yCS/NegsOBokc8GAdM8UcmfsKiSS8cipheD/nivzr700H+nsMOxJjQnvwOcRYVuFkdH0wGUvW2WbXGmrZGbQ==", - "requires": { - "@isaacs/cliui": "^8.0.2", - "@pkgjs/parseargs": "^0.11.0" - } - }, - "js-yaml": { - "version": "4.1.0", - "resolved": "https://registry.npmjs.org/js-yaml/-/js-yaml-4.1.0.tgz", - "integrity": "sha512-wpxZs9NoxZaJESJGIZTyDEaYpl0FKSA+FB9aJiyemKhMwkxQg63h4T1KJgUGHpTqPDNRcmmYLugrRjJlBtWvRA==", - "requires": { - "argparse": "^2.0.1" - } - }, - "jsonc-parser": { - "version": "3.2.1", - "resolved": "https://registry.npmjs.org/jsonc-parser/-/jsonc-parser-3.2.1.tgz", - "integrity": "sha512-AilxAyFOAcK5wA1+LeaySVBrHsGQvUFCDWXKpZjzaL0PqW+xfBOttn8GNtWKFWqneyMZj41MWF9Kl6iPWLwgOA==" - }, - "linkify-it": { - "version": "5.0.0", - "resolved": "https://registry.npmjs.org/linkify-it/-/linkify-it-5.0.0.tgz", - "integrity": "sha512-5aHCbzQRADcdP+ATqnDuhhJ/MRIqDkZX5pyjFHRRysS8vZ5AbqGEoFIb6pYHPZ+L/OC2Lc+xT8uHVVR5CAK/wQ==", - "requires": { - "uc.micro": "^2.0.0" - } - }, - "lru-cache": { - "version": "10.0.0", - "resolved": "https://registry.npmjs.org/lru-cache/-/lru-cache-10.0.0.tgz", - "integrity": "sha512-svTf/fzsKHffP42sujkO/Rjs37BCIsQVRCeNYIm9WN8rgT7ffoUnRtZCqU+6BqcSBdv8gwJeTz8knJpgACeQMw==" - }, - "markdown-it": { - "version": "14.0.0", - "resolved": "https://registry.npmjs.org/markdown-it/-/markdown-it-14.0.0.tgz", - "integrity": "sha512-seFjF0FIcPt4P9U39Bq1JYblX0KZCjDLFFQPHpL5AzHpqPEKtosxmdq/LTVZnjfH7tjt9BxStm+wXcDBNuYmzw==", - "requires": { - "argparse": "^2.0.1", - "entities": "^4.4.0", - "linkify-it": "^5.0.0", - "mdurl": "^2.0.0", - "punycode.js": "^2.3.1", - "uc.micro": "^2.0.0" - } - }, - "markdownlint": { - "version": "0.33.0", - "resolved": "https://registry.npmjs.org/markdownlint/-/markdownlint-0.33.0.tgz", - "integrity": "sha512-4lbtT14A3m0LPX1WS/3d1m7Blg+ZwiLq36WvjQqFGsX3Gik99NV+VXp/PW3n+Q62xyPdbvGOCfjPqjW+/SKMig==", - "requires": { - "markdown-it": "14.0.0", - "markdownlint-micromark": "0.1.8" - } - }, - "markdownlint-cli": { - "version": "0.39.0", - "resolved": "https://registry.npmjs.org/markdownlint-cli/-/markdownlint-cli-0.39.0.tgz", - "integrity": "sha512-ZuFN7Xpsbn1Nbp0YYkeLOfXOMOfLQBik2lKRy8pVI/llmKQ2uW7x+8k5OMgF6o7XCsTDSYC/OOmeJ+3qplvnJQ==", - "requires": { - "commander": "~11.1.0", - "get-stdin": "~9.0.0", - "glob": "~10.3.10", - "ignore": "~5.3.0", - "js-yaml": "^4.1.0", - "jsonc-parser": "~3.2.1", - "markdownlint": "~0.33.0", - "minimatch": "~9.0.3", - "run-con": "~1.3.2" - } - }, - "markdownlint-micromark": { - "version": "0.1.8", - "resolved": "https://registry.npmjs.org/markdownlint-micromark/-/markdownlint-micromark-0.1.8.tgz", - "integrity": "sha512-1ouYkMRo9/6gou9gObuMDnvZM8jC/ly3QCFQyoSPCS2XV1ZClU0xpKbL1Ar3bWWRT1RnBZkWUEiNKrI2CwiBQA==" - }, - "mdurl": { - "version": "2.0.0", - "resolved": "https://registry.npmjs.org/mdurl/-/mdurl-2.0.0.tgz", - "integrity": "sha512-Lf+9+2r+Tdp5wXDXC4PcIBjTDtq4UKjCPMQhKIuzpJNW0b96kVqSwW0bT7FhRSfmAiFYgP+SCRvdrDozfh0U5w==" - }, - "minimatch": { - "version": "9.0.3", - "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-9.0.3.tgz", - "integrity": "sha512-RHiac9mvaRw0x3AYRgDC1CxAP7HTcNrrECeA8YYJeWnpo+2Q5CegtZjaotWTWxDG3UeGA1coE05iH1mPjT/2mg==", - "requires": { - "brace-expansion": "^2.0.1" - } - }, - "minimist": { - "version": "1.2.8", - "resolved": "https://registry.npmjs.org/minimist/-/minimist-1.2.8.tgz", - "integrity": "sha512-2yyAR8qBkN3YuheJanUpWC5U3bb5osDywNB8RzDVlDwDHbocAJveqqj1u8+SVD7jkWT4yvsHCpWqqWqAxb0zCA==" - }, - "minipass": { - "version": "6.0.2", - "resolved": "https://registry.npmjs.org/minipass/-/minipass-6.0.2.tgz", - "integrity": "sha512-MzWSV5nYVT7mVyWCwn2o7JH13w2TBRmmSqSRCKzTw+lmft9X4z+3wjvs06Tzijo5z4W/kahUCDpRXTF+ZrmF/w==" - }, - "path-key": { - "version": "3.1.1", - "resolved": "https://registry.npmjs.org/path-key/-/path-key-3.1.1.tgz", - "integrity": "sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==" - }, - "path-scurry": { - "version": "1.10.1", - "resolved": "https://registry.npmjs.org/path-scurry/-/path-scurry-1.10.1.tgz", - "integrity": "sha512-MkhCqzzBEpPvxxQ71Md0b1Kk51W01lrYvlMzSUaIzNsODdd7mqhiimSZlr+VegAz5Z6Vzt9Xg2ttE//XBhH3EQ==", - "requires": { - "lru-cache": "^9.1.1 || ^10.0.0", - "minipass": "^5.0.0 || ^6.0.2 || ^7.0.0" - } - }, - "punycode.js": { - "version": "2.3.1", - "resolved": "https://registry.npmjs.org/punycode.js/-/punycode.js-2.3.1.tgz", - "integrity": "sha512-uxFIHU0YlHYhDQtV4R9J6a52SLx28BCjT+4ieh7IGbgwVJWO+km431c4yRlREUAsAmt/uMjQUyQHNEPf0M39CA==" - }, - "run-con": { - "version": "1.3.2", - "resolved": "https://registry.npmjs.org/run-con/-/run-con-1.3.2.tgz", - "integrity": "sha512-CcfE+mYiTcKEzg0IqS08+efdnH0oJ3zV0wSUFBNrMHMuxCtXvBCLzCJHatwuXDcu/RlhjTziTo/a1ruQik6/Yg==", - "requires": { - "deep-extend": "^0.6.0", - "ini": "~4.1.0", - "minimist": "^1.2.8", - "strip-json-comments": "~3.1.1" - } - }, - "shebang-command": { - "version": "2.0.0", - "resolved": "https://registry.npmjs.org/shebang-command/-/shebang-command-2.0.0.tgz", - "integrity": "sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==", - "requires": { - "shebang-regex": "^3.0.0" - } - }, - "shebang-regex": { - "version": "3.0.0", - "resolved": "https://registry.npmjs.org/shebang-regex/-/shebang-regex-3.0.0.tgz", - "integrity": "sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==" - }, - "signal-exit": { - "version": "4.0.2", - "resolved": "https://registry.npmjs.org/signal-exit/-/signal-exit-4.0.2.tgz", - "integrity": "sha512-MY2/qGx4enyjprQnFaZsHib3Yadh3IXyV2C321GY0pjGfVBu4un0uDJkwgdxqO+Rdx8JMT8IfJIRwbYVz3Ob3Q==" - }, - "string-width": { - "version": "5.1.2", - "resolved": "https://registry.npmjs.org/string-width/-/string-width-5.1.2.tgz", - "integrity": "sha512-HnLOCR3vjcY8beoNLtcjZ5/nxn2afmME6lhrDrebokqMap+XbeW8n9TXpPDOqdGK5qcI3oT0GKTW6wC7EMiVqA==", - "requires": { - "eastasianwidth": "^0.2.0", - "emoji-regex": "^9.2.2", - "strip-ansi": "^7.0.1" - } - }, - "string-width-cjs": { - "version": "npm:string-width@4.2.3", - "resolved": "https://registry.npmjs.org/string-width/-/string-width-4.2.3.tgz", - "integrity": "sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==", - "requires": { - "emoji-regex": "^8.0.0", - "is-fullwidth-code-point": "^3.0.0", - "strip-ansi": "^6.0.1" - }, - "dependencies": { - "ansi-regex": { - "version": "5.0.1", - "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-5.0.1.tgz", - "integrity": "sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==" - }, - "emoji-regex": { - "version": "8.0.0", - "resolved": "https://registry.npmjs.org/emoji-regex/-/emoji-regex-8.0.0.tgz", - "integrity": "sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==" - }, - "strip-ansi": { - "version": "6.0.1", - "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-6.0.1.tgz", - "integrity": "sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==", - "requires": { - "ansi-regex": "^5.0.1" - } - } - } - }, - "strip-ansi": { - "version": "7.1.0", - "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-7.1.0.tgz", - "integrity": "sha512-iq6eVVI64nQQTRYq2KtEg2d2uU7LElhTJwsH4YzIHZshxlgZms/wIc4VoDQTlG/IvVIrBKG06CrZnp0qv7hkcQ==", - "requires": { - "ansi-regex": "^6.0.1" - } - }, - "strip-ansi-cjs": { - "version": "npm:strip-ansi@6.0.1", - "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-6.0.1.tgz", - "integrity": "sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==", - "requires": { - "ansi-regex": "^5.0.1" - }, - "dependencies": { - "ansi-regex": { - "version": "5.0.1", - "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-5.0.1.tgz", - "integrity": "sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==" - } - } - }, - "strip-json-comments": { - "version": "3.1.1", - "resolved": "https://registry.npmjs.org/strip-json-comments/-/strip-json-comments-3.1.1.tgz", - "integrity": "sha512-6fPc+R4ihwqP6N/aIv2f1gMH8lOVtWQHoqC4yK6oSDVVocumAsfCqjkXnqiYMhmMwS/mEHLp7Vehlt3ql6lEig==" - }, - "tldr-lint": { - "version": "0.0.13", - "resolved": "https://registry.npmjs.org/tldr-lint/-/tldr-lint-0.0.13.tgz", - "integrity": "sha512-xPIg5465dypL4szZpUmQMenFF8uMnI0Fq6h2CADMso47w8xe5zZVrn7TSocd3I5mZxJDqxNoGG82g1Kzvz1wdA==", - "requires": { - "commander": "^8.1.0" - }, - "dependencies": { - "commander": { - "version": "8.3.0", - "resolved": "https://registry.npmjs.org/commander/-/commander-8.3.0.tgz", - "integrity": "sha512-OkTL9umf+He2DZkUq8f8J9of7yL6RJKI24dVITBmNfZBmri9zYZQrKkuXiKhyfPSu8tUhnVBB1iKXevvnlR4Ww==" - } - } - }, - "uc.micro": { - "version": "2.0.0", - "resolved": "https://registry.npmjs.org/uc.micro/-/uc.micro-2.0.0.tgz", - "integrity": "sha512-DffL94LsNOccVn4hyfRe5rdKa273swqeA5DJpMOeFmEn1wCDc7nAbbB0gXlgBCL7TNzeTv6G7XVWzan7iJtfig==" - }, - "which": { - "version": "2.0.2", - "resolved": "https://registry.npmjs.org/which/-/which-2.0.2.tgz", - "integrity": "sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==", - "requires": { - "isexe": "^2.0.0" - } - }, - "wrap-ansi": { - "version": "8.1.0", - "resolved": "https://registry.npmjs.org/wrap-ansi/-/wrap-ansi-8.1.0.tgz", - "integrity": "sha512-si7QWI6zUMq56bESFvagtmzMdGOtoxfR+Sez11Mobfc7tm+VkUckk9bW2UeffTGVUbOksxmSw0AA2gs8g71NCQ==", - "requires": { - "ansi-styles": "^6.1.0", - "string-width": "^5.0.1", - "strip-ansi": "^7.0.1" - } - }, - "wrap-ansi-cjs": { - "version": "npm:wrap-ansi@7.0.0", - "resolved": "https://registry.npmjs.org/wrap-ansi/-/wrap-ansi-7.0.0.tgz", - "integrity": "sha512-YVGIj2kamLSTxw6NsZjoBxfSwsn0ycdesmc4p+Q21c5zPuZ1pl+NfxVdxPtdHvmNVOQ6XSYG4AUtyt/Fi7D16Q==", - "requires": { - "ansi-styles": "^4.0.0", - "string-width": "^4.1.0", - "strip-ansi": "^6.0.0" - }, - "dependencies": { - "ansi-regex": { - "version": "5.0.1", - "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-5.0.1.tgz", - "integrity": "sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==" - }, - "ansi-styles": { - "version": "4.3.0", - "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-4.3.0.tgz", - "integrity": "sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==", - "requires": { - "color-convert": "^2.0.1" - } - }, - "emoji-regex": { - "version": "8.0.0", - "resolved": "https://registry.npmjs.org/emoji-regex/-/emoji-regex-8.0.0.tgz", - "integrity": "sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==" - }, - "string-width": { - "version": "4.2.3", - "resolved": "https://registry.npmjs.org/string-width/-/string-width-4.2.3.tgz", - "integrity": "sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==", - "requires": { - "emoji-regex": "^8.0.0", - "is-fullwidth-code-point": "^3.0.0", - "strip-ansi": "^6.0.1" - } - }, - "strip-ansi": { - "version": "6.0.1", - "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-6.0.1.tgz", - "integrity": "sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==", - "requires": { - "ansi-regex": "^5.0.1" - } - } - } - } } } diff --git a/package.json b/package.json index 71589ac1f..6015600f7 100644 --- a/package.json +++ b/package.json @@ -6,12 +6,12 @@ "repository": "tldr-pages/tldr", "homepage": "https://tldr.sh/", "dependencies": { - "glob": "10.3.10", - "markdownlint-cli": "^0.39.0", - "tldr-lint": "^0.0.13" + "glob": "11.0.0", + "markdownlint-cli": "^0.41.0", + "tldr-lint": "^0.0.15" }, "devDependencies": { - "husky": "^9.0.11" + "husky": "^9.1.5" }, "scripts": { "lint-markdown": "markdownlint pages*/**/*.md", diff --git a/pages.ar/common/bundler.md b/pages.ar/common/bundler.md deleted file mode 100644 index 2eccbb750..000000000 --- a/pages.ar/common/bundler.md +++ /dev/null @@ -1,8 +0,0 @@ -# bundler - -> هذا الأمر هو اسم مستعار لـ `bundle`. -> لمزيد من التفاصيل: . - -- إعرض التوثيقات للأمر الأصلي: - -`tldr bundle` diff --git a/pages.ar/common/cd.md b/pages.ar/common/cd.md new file mode 100644 index 000000000..b09105f74 --- /dev/null +++ b/pages.ar/common/cd.md @@ -0,0 +1,28 @@ +# cd + +> تغيير مجلد العمل الحالي. +> لمزيد من التفاصيل: . + +- اللانتقال الى المجلد المذكور: + +`cd {{path/to/directory}}` + +- اللانتقال الى المجلد الوالد اللاعلى للمجلد الحالي: + +`cd ..` + +- الانتقال للمجلد الرئيسي للمستخدم الحالي: + +`cd` + +- الانتقال للمجلد الرئيسي للمستخدم المذكور: + +`cd ~{{username}}` + +- الانتقال الى المجلد الذي تم اختياره سابقا: + +`cd -` + +- الانتقال الى مجلد الأصل: + +`cd /` diff --git a/pages.ar/common/clamav.md b/pages.ar/common/clamav.md index 6953574f5..7d9b971e2 100644 --- a/pages.ar/common/clamav.md +++ b/pages.ar/common/clamav.md @@ -1,4 +1,4 @@ -# clamav +# ClamAV > هذا الأمر هو اسم مستعار لـ `clamdscan`. > لمزيد من التفاصيل: . diff --git a/pages.ar/common/clang-cpp.md b/pages.ar/common/clang-cpp.md deleted file mode 100644 index 3bd1cb91c..000000000 --- a/pages.ar/common/clang-cpp.md +++ /dev/null @@ -1,7 +0,0 @@ -# clang-cpp - -> هذا الأمر هو اسم مستعار لـ `clang++`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr clang++` diff --git a/pages.ar/common/clojure.md b/pages.ar/common/clojure.md deleted file mode 100644 index ea793663d..000000000 --- a/pages.ar/common/clojure.md +++ /dev/null @@ -1,7 +0,0 @@ -# clojure - -> هذا الأمر هو اسم مستعار لـ `clj`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr clj` diff --git a/pages.ar/common/cola.md b/pages.ar/common/cola.md deleted file mode 100644 index 84895ac7d..000000000 --- a/pages.ar/common/cola.md +++ /dev/null @@ -1,7 +0,0 @@ -# cola - -> هذا الأمر هو اسم مستعار لـ `git-cola`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr git-cola` diff --git a/pages.ar/common/cron.md b/pages.ar/common/cron.md deleted file mode 100644 index 7b2e2bc2a..000000000 --- a/pages.ar/common/cron.md +++ /dev/null @@ -1,7 +0,0 @@ -# cron - -> هذا الأمر هو اسم مستعار لـ `crontab`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr crontab` diff --git a/pages.ar/common/fastmod.md b/pages.ar/common/fastmod.md index 0c5ae7b80..b7baba4f2 100644 --- a/pages.ar/common/fastmod.md +++ b/pages.ar/common/fastmod.md @@ -16,7 +16,7 @@ `fastmod {{regex}} {{replacement}} --dir {{path/to/directory}} --iglob {{'**/*.{js,json}'}}` -- استبدال بالنص مُطابقةً (وليس التعبيرات النمطية)، في ملفات امتداداتهم إما js أو json فحسب: +- استبدال بالنص مُطابقةً (وليس التعبيرات النمطية)، في ملفات امتداداتهم إما js أو JSON فحسب: `fastmod --fixed-strings {{exact_string}} {{replacement}} --extensions {{json,js}}` diff --git a/pages.ar/common/fossil-ci.md b/pages.ar/common/fossil-ci.md index 63ddb0e88..ff7e0ebdb 100644 --- a/pages.ar/common/fossil-ci.md +++ b/pages.ar/common/fossil-ci.md @@ -1,6 +1,6 @@ -# fossil-ci +# fossil ci -> هذا الأمر هو اسم مستعار لـ `fossil-commit`. +> هذا الأمر هو اسم مستعار لـ `fossil commit`. > لمزيد من التفاصيل: . - إعرض التوثيقات للأمر الأصلي: diff --git a/pages.ar/common/fossil-delete.md b/pages.ar/common/fossil-delete.md index 00974671c..ffb90430c 100644 --- a/pages.ar/common/fossil-delete.md +++ b/pages.ar/common/fossil-delete.md @@ -1,4 +1,4 @@ -# fossil-delete +# fossil delete > هذا الأمر هو اسم مستعار لـ `fossil rm`. > لمزيد من التفاصيل: . diff --git a/pages.ar/common/fossil-forget.md b/pages.ar/common/fossil-forget.md index 5d034c6bd..7605c9ccb 100644 --- a/pages.ar/common/fossil-forget.md +++ b/pages.ar/common/fossil-forget.md @@ -1,4 +1,4 @@ -# fossil-forget +# fossil forget > هذا الأمر هو اسم مستعار لـ `fossil rm`. > لمزيد من التفاصيل: . diff --git a/pages.ar/common/fossil-new.md b/pages.ar/common/fossil-new.md index 6f2d22adb..230a70251 100644 --- a/pages.ar/common/fossil-new.md +++ b/pages.ar/common/fossil-new.md @@ -1,6 +1,6 @@ -# fossil-new +# fossil new -> هذا الأمر هو اسم مستعار لـ `fossil-init`. +> هذا الأمر هو اسم مستعار لـ `fossil init`. > لمزيد من التفاصيل: . - إعرض التوثيقات للأمر الأصلي: diff --git a/pages.ar/common/gh-cs.md b/pages.ar/common/gh-cs.md index 320a61b02..e7965191f 100644 --- a/pages.ar/common/gh-cs.md +++ b/pages.ar/common/gh-cs.md @@ -1,6 +1,6 @@ -# gh-cs +# gh cs -> هذا الأمر هو اسم مستعار لـ `gh-codespace`. +> هذا الأمر هو اسم مستعار لـ `gh codespace`. > لمزيد من التفاصيل: . - إعرض التوثيقات للأمر الأصلي: diff --git a/pages.ar/common/gnmic-sub.md b/pages.ar/common/gnmic-sub.md index 1f6704e1a..22ae242a2 100644 --- a/pages.ar/common/gnmic-sub.md +++ b/pages.ar/common/gnmic-sub.md @@ -1,4 +1,4 @@ -# gnmic-sub +# gnmic sub > هذا الأمر هو اسم مستعار لـ `gnmic subscribe`. > لمزيد من التفاصيل: . diff --git a/pages.ar/common/google-chrome.md b/pages.ar/common/google-chrome.md deleted file mode 100644 index c84e04519..000000000 --- a/pages.ar/common/google-chrome.md +++ /dev/null @@ -1,8 +0,0 @@ -# google-chrome - -> هذا الأمر هو اسم مستعار لـ `chromium`. -> لمزيد من التفاصيل: . - -- إعرض التوثيقات للأمر الأصلي: - -`tldr chromium` diff --git a/pages.ar/common/hx.md b/pages.ar/common/hx.md deleted file mode 100644 index b89aea967..000000000 --- a/pages.ar/common/hx.md +++ /dev/null @@ -1,7 +0,0 @@ -# hx - -> هذا الأمر هو اسم مستعار لـ `helix`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr helix` diff --git a/pages.ar/common/kafkacat.md b/pages.ar/common/kafkacat.md deleted file mode 100644 index 32e24ab35..000000000 --- a/pages.ar/common/kafkacat.md +++ /dev/null @@ -1,7 +0,0 @@ -# kafkacat - -> هذا الأمر هو اسم مستعار لـ `kcat`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr kcat` diff --git a/pages.ar/common/llvm-ar.md b/pages.ar/common/llvm-ar.md deleted file mode 100644 index 3eddc79ff..000000000 --- a/pages.ar/common/llvm-ar.md +++ /dev/null @@ -1,7 +0,0 @@ -# llvm-ar - -> هذا الأمر هو اسم مستعار لـ `ar`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr ar` diff --git a/pages.ar/common/llvm-g++.md b/pages.ar/common/llvm-g++.md deleted file mode 100644 index 8a7da9c44..000000000 --- a/pages.ar/common/llvm-g++.md +++ /dev/null @@ -1,7 +0,0 @@ -# llvm-g++ - -> هذا الأمر هو اسم مستعار لـ `clang++`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr clang++` diff --git a/pages.ar/common/llvm-gcc.md b/pages.ar/common/llvm-gcc.md deleted file mode 100644 index 5d0737f3f..000000000 --- a/pages.ar/common/llvm-gcc.md +++ /dev/null @@ -1,7 +0,0 @@ -# llvm-gcc - -> هذا الأمر هو اسم مستعار لـ `clang`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr clang` diff --git a/pages.ar/common/llvm-nm.md b/pages.ar/common/llvm-nm.md deleted file mode 100644 index 610aee6f9..000000000 --- a/pages.ar/common/llvm-nm.md +++ /dev/null @@ -1,7 +0,0 @@ -# llvm-nm - -> هذا الأمر هو اسم مستعار لـ `nm`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr nm` diff --git a/pages.ar/common/llvm-objdump.md b/pages.ar/common/llvm-objdump.md deleted file mode 100644 index e5e95f4e8..000000000 --- a/pages.ar/common/llvm-objdump.md +++ /dev/null @@ -1,7 +0,0 @@ -# llvm-objdump - -> هذا الأمر هو اسم مستعار لـ `objdump`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr objdump` diff --git a/pages.ar/common/llvm-strings.md b/pages.ar/common/llvm-strings.md deleted file mode 100644 index 0e410e323..000000000 --- a/pages.ar/common/llvm-strings.md +++ /dev/null @@ -1,7 +0,0 @@ -# llvm-strings - -> هذا الأمر هو اسم مستعار لـ `strings`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr strings` diff --git a/pages.ar/common/ls.md b/pages.ar/common/ls.md new file mode 100644 index 000000000..785ad730a --- /dev/null +++ b/pages.ar/common/ls.md @@ -0,0 +1,36 @@ +# ls + +> إدراج محتويات مجلد. +> لمزيد من التفاصيل: . + +- إدراج كل الملفات في أسطر منفصلة: + +`ls -1` + +- إدراج جميع الملفات بما فيها الملفات المخفية: + +`ls -a` + +- إدراج جميع الملفات مع إضافة `/` لنهاية أسماء المللفات: + +`ls -F` + +- إدراج الملفات و معلموماتها لتشمل اللأذونات و الملكية و الحجم و تاريخ التغيير: + +`ls -la` + +- إدراج اللملفات بصيغة طويلة مع حجم الملفات بوحدات مقروءة (KiB, MiB, GiB): + +`ls -lh` + +- صيغة طويلة للملفات مرتبة تنازليا حسب اللحجم: + +`ls -lSR` + +- صيغة طويلة للملفات مرتبة تنازليا حسب التاريخ الأقدم اولا: + +`ls -ltr` + +- إدراج المجلدات فقط: + +`ls -d */` diff --git a/pages.ar/common/lzcat.md b/pages.ar/common/lzcat.md deleted file mode 100644 index 79d4fbb88..000000000 --- a/pages.ar/common/lzcat.md +++ /dev/null @@ -1,8 +0,0 @@ -# lzcat - -> هذا الأمر هو اسم مستعار لـ `xz`. -> لمزيد من التفاصيل: . - -- إعرض التوثيقات للأمر الأصلي: - -`tldr xz` diff --git a/pages.ar/common/lzma.md b/pages.ar/common/lzma.md deleted file mode 100644 index 91bc6fb52..000000000 --- a/pages.ar/common/lzma.md +++ /dev/null @@ -1,8 +0,0 @@ -# lzma - -> هذا الأمر هو اسم مستعار لـ `xz`. -> لمزيد من التفاصيل: . - -- إعرض التوثيقات للأمر الأصلي: - -`tldr xz` diff --git a/pages.ar/common/mscore.md b/pages.ar/common/mscore.md deleted file mode 100644 index ee04fb3ce..000000000 --- a/pages.ar/common/mscore.md +++ /dev/null @@ -1,8 +0,0 @@ -# mscore - -> هذا الأمر هو اسم مستعار لـ `musescore`. -> لمزيد من التفاصيل: . - -- إعرض التوثيقات للأمر الأصلي: - -`tldr musescore` diff --git a/pages.ar/common/nm-classic.md b/pages.ar/common/nm-classic.md deleted file mode 100644 index 71bf53a47..000000000 --- a/pages.ar/common/nm-classic.md +++ /dev/null @@ -1,7 +0,0 @@ -# nm-classic - -> هذا الأمر هو اسم مستعار لـ `nm`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr nm` diff --git a/pages.ar/common/ntl.md b/pages.ar/common/ntl.md deleted file mode 100644 index 20bfaa87e..000000000 --- a/pages.ar/common/ntl.md +++ /dev/null @@ -1,8 +0,0 @@ -# ntl - -> هذا الأمر هو اسم مستعار لـ `netlify`. -> لمزيد من التفاصيل: . - -- إعرض التوثيقات للأمر الأصلي: - -`tldr netlify` diff --git a/pages.ar/common/pio-init.md b/pages.ar/common/pio-init.md index ae38c3b84..8855563ab 100644 --- a/pages.ar/common/pio-init.md +++ b/pages.ar/common/pio-init.md @@ -1,4 +1,4 @@ -# pio-init +# pio init > هذا الأمر هو اسم مستعار لـ `pio project`. diff --git a/pages.ar/common/piodebuggdb.md b/pages.ar/common/piodebuggdb.md deleted file mode 100644 index 57399fccd..000000000 --- a/pages.ar/common/piodebuggdb.md +++ /dev/null @@ -1,7 +0,0 @@ -# piodebuggdb - -> هذا الأمر هو اسم مستعار لـ `pio debug`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr pio debug` diff --git a/pages.ar/common/platformio.md b/pages.ar/common/platformio.md deleted file mode 100644 index 1c0d26a60..000000000 --- a/pages.ar/common/platformio.md +++ /dev/null @@ -1,8 +0,0 @@ -# platformio - -> هذا الأمر هو اسم مستعار لـ `pio`. -> لمزيد من التفاصيل: . - -- إعرض التوثيقات للأمر الأصلي: - -`tldr pio` diff --git a/pages.ar/common/ptpython3.md b/pages.ar/common/ptpython3.md deleted file mode 100644 index f76962549..000000000 --- a/pages.ar/common/ptpython3.md +++ /dev/null @@ -1,7 +0,0 @@ -# ptpython3 - -> هذا الأمر هو اسم مستعار لـ `ptpython`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr ptpython` diff --git a/pages.ar/common/python3.md b/pages.ar/common/python3.md deleted file mode 100644 index 0969d6a82..000000000 --- a/pages.ar/common/python3.md +++ /dev/null @@ -1,7 +0,0 @@ -# python3 - -> هذا الأمر هو اسم مستعار لـ `python`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr python` diff --git a/pages.ar/common/r2.md b/pages.ar/common/r2.md deleted file mode 100644 index f1f7a2c1b..000000000 --- a/pages.ar/common/r2.md +++ /dev/null @@ -1,7 +0,0 @@ -# r2 - -> هذا الأمر هو اسم مستعار لـ `radare2`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr radare2` diff --git a/pages.ar/common/rcat.md b/pages.ar/common/rcat.md deleted file mode 100644 index d5cd99082..000000000 --- a/pages.ar/common/rcat.md +++ /dev/null @@ -1,7 +0,0 @@ -# rcat - -> هذا الأمر هو اسم مستعار لـ `rc`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr rc` diff --git a/pages.ar/common/ripgrep.md b/pages.ar/common/ripgrep.md deleted file mode 100644 index 0315c1aa5..000000000 --- a/pages.ar/common/ripgrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# ripgrep - -> هذا الأمر هو اسم مستعار لـ `rg`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr rg` diff --git a/pages.ar/common/tldrl.md b/pages.ar/common/tldrl.md deleted file mode 100644 index 064f8c8cd..000000000 --- a/pages.ar/common/tldrl.md +++ /dev/null @@ -1,8 +0,0 @@ -# tldrl - -> هذا الأمر هو اسم مستعار لـ `tldr-lint`. -> لمزيد من التفاصيل: . - -- إعرض التوثيقات للأمر الأصلي: - -`tldr tldr-lint` diff --git a/pages.ar/common/tlmgr-arch.md b/pages.ar/common/tlmgr-arch.md index abd27803e..269ff2e2d 100644 --- a/pages.ar/common/tlmgr-arch.md +++ b/pages.ar/common/tlmgr-arch.md @@ -1,4 +1,4 @@ -# tlmgr-arch +# tlmgr arch > هذا الأمر هو اسم مستعار لـ `tlmgr platform`. > لمزيد من التفاصيل: . diff --git a/pages.ar/common/todoman.md b/pages.ar/common/todoman.md deleted file mode 100644 index db48e20c9..000000000 --- a/pages.ar/common/todoman.md +++ /dev/null @@ -1,8 +0,0 @@ -# todoman - -> هذا الأمر هو اسم مستعار لـ `todo`. -> لمزيد من التفاصيل: . - -- إعرض التوثيقات للأمر الأصلي: - -`tldr todo` diff --git a/pages.ar/common/transmission.md b/pages.ar/common/transmission.md deleted file mode 100644 index ce17320fe..000000000 --- a/pages.ar/common/transmission.md +++ /dev/null @@ -1,8 +0,0 @@ -# transmission - -> هذا الأمر هو اسم مستعار لـ `transmission-daemon`. -> لمزيد من التفاصيل: . - -- إعرض التوثيقات للأمر الأصلي: - -`tldr transmission-daemon` diff --git a/pages.ar/common/unlzma.md b/pages.ar/common/unlzma.md deleted file mode 100644 index 0f95bace6..000000000 --- a/pages.ar/common/unlzma.md +++ /dev/null @@ -1,8 +0,0 @@ -# unlzma - -> هذا الأمر هو اسم مستعار لـ `xz`. -> لمزيد من التفاصيل: . - -- إعرض التوثيقات للأمر الأصلي: - -`tldr xz` diff --git a/pages.ar/common/unxz.md b/pages.ar/common/unxz.md deleted file mode 100644 index 29cd0c7aa..000000000 --- a/pages.ar/common/unxz.md +++ /dev/null @@ -1,8 +0,0 @@ -# unxz - -> هذا الأمر هو اسم مستعار لـ `xz`. -> لمزيد من التفاصيل: . - -- إعرض التوثيقات للأمر الأصلي: - -`tldr xz` diff --git a/pages.ar/common/vi.md b/pages.ar/common/vi.md deleted file mode 100644 index bce863cf2..000000000 --- a/pages.ar/common/vi.md +++ /dev/null @@ -1,7 +0,0 @@ -# vi - -> هذا الأمر هو اسم مستعار لـ `vim`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr vim` diff --git a/pages.ar/common/xzcat.md b/pages.ar/common/xzcat.md deleted file mode 100644 index d55f3849e..000000000 --- a/pages.ar/common/xzcat.md +++ /dev/null @@ -1,8 +0,0 @@ -# xzcat - -> هذا الأمر هو اسم مستعار لـ `xz`. -> لمزيد من التفاصيل: . - -- إعرض التوثيقات للأمر الأصلي: - -`tldr xz` diff --git a/pages.ar/linux/alternatives.md b/pages.ar/linux/alternatives.md deleted file mode 100644 index 41b52ccb0..000000000 --- a/pages.ar/linux/alternatives.md +++ /dev/null @@ -1,8 +0,0 @@ -# alternatives - -> هذا الأمر هو اسم مستعار لـ `update-alternatives`. -> لمزيد من التفاصيل: . - -- إعرض التوثيقات للأمر الأصلي: - -`tldr update-alternatives` diff --git a/pages.ar/linux/apt-get.md b/pages.ar/linux/apt-get.md index 269cd1445..f7d21e410 100644 --- a/pages.ar/linux/apt-get.md +++ b/pages.ar/linux/apt-get.md @@ -2,7 +2,7 @@ > أداة إدارة الحزم لديبيان وأوبونتو. > ابحث عن الحزم باستخدام `apt-cache`. -> لمزيد من التفاصيل: . +> لمزيد من التفاصيل: . - تحديث قائمة الحزم الموجودة وإصداراتها (يوصى بتشغيله قبل أي أمر `apt-get` آخر): diff --git a/pages.ar/linux/apt.md b/pages.ar/linux/apt.md index 07c621c36..98198ce0a 100644 --- a/pages.ar/linux/apt.md +++ b/pages.ar/linux/apt.md @@ -2,7 +2,7 @@ > أداة إدارة الحزم للتوزيعات القائمة على ديبيان. > بديل لـ `apt-get` عند الاستخدام الفعال في إصدارات أوبونتو 16.04 وما بعده. -> لمزيد من التفاصيل: . +> لمزيد من التفاصيل: . - تحديث قائمة الحزم الموجودة وإصداراتها (يوصى بتشغيله قبل أي أمر `apt` آخر): diff --git a/pages.ar/linux/batcat.md b/pages.ar/linux/batcat.md deleted file mode 100644 index f3088c599..000000000 --- a/pages.ar/linux/batcat.md +++ /dev/null @@ -1,8 +0,0 @@ -# batcat - -> هذا الأمر هو اسم مستعار لـ `bat`. -> لمزيد من التفاصيل: . - -- إعرض التوثيقات للأمر الأصلي: - -`tldr bat` diff --git a/pages.ar/linux/bspwm.md b/pages.ar/linux/bspwm.md deleted file mode 100644 index 20d86b8dc..000000000 --- a/pages.ar/linux/bspwm.md +++ /dev/null @@ -1,8 +0,0 @@ -# bspwm - -> هذا الأمر هو اسم مستعار لـ `bspc`. -> لمزيد من التفاصيل: . - -- إعرض التوثيقات للأمر الأصلي: - -`tldr bspc` diff --git a/pages.ar/linux/cc.md b/pages.ar/linux/cc.md deleted file mode 100644 index 0729f8a7a..000000000 --- a/pages.ar/linux/cc.md +++ /dev/null @@ -1,8 +0,0 @@ -# cc - -> هذا الأمر هو اسم مستعار لـ `gcc`. -> لمزيد من التفاصيل: . - -- إعرض التوثيقات للأمر الأصلي: - -`tldr gcc` diff --git a/pages.ar/linux/cgroups.md b/pages.ar/linux/cgroups.md deleted file mode 100644 index 20ce37854..000000000 --- a/pages.ar/linux/cgroups.md +++ /dev/null @@ -1,8 +0,0 @@ -# cgroups - -> هذا الأمر هو اسم مستعار لـ `cgclassify`. -> لمزيد من التفاصيل: . - -- إعرض التوثيقات للأمر الأصلي: - -`tldr cgclassify` diff --git a/pages.ar/linux/dockerd.md b/pages.ar/linux/dockerd.md index b47c58bfb..7f542ea12 100644 --- a/pages.ar/linux/dockerd.md +++ b/pages.ar/linux/dockerd.md @@ -1,7 +1,7 @@ # dockerd > هي عملية مستمرة تعمل في الخلفية تبدأها لتتحكم في حاويات الدوكر. -> لمزيد من التفاصيل: . +> لمزيد من التفاصيل: . - قم بتشغيل دوكر في الخلفية: @@ -21,4 +21,4 @@ - قم بتشغيل دوكر وحدد له مستوي سجل معين: -`dockerd --log-level={{debug|info|warn|error|fatal}}` +`dockerd --log-level {{debug|info|warn|error|fatal}}` diff --git a/pages.ar/linux/ip-route-list.md b/pages.ar/linux/ip-route-list.md index 1e8a95ae1..d63cfbf99 100644 --- a/pages.ar/linux/ip-route-list.md +++ b/pages.ar/linux/ip-route-list.md @@ -1,6 +1,6 @@ -# ip-route-list +# ip route list -> هذا الأمر هو اسم مستعار لـ `ip-route-show`. +> هذا الأمر هو اسم مستعار لـ `ip route show`. - إعرض التوثيقات للأمر الأصلي: diff --git a/pages.ar/linux/megadl.md b/pages.ar/linux/megadl.md deleted file mode 100644 index d5a20c8f1..000000000 --- a/pages.ar/linux/megadl.md +++ /dev/null @@ -1,8 +0,0 @@ -# megadl - -> هذا الأمر هو اسم مستعار لـ `megatools-dl`. -> لمزيد من التفاصيل: . - -- إعرض التوثيقات للأمر الأصلي: - -`tldr megatools-dl` diff --git a/pages.ar/linux/ncal.md b/pages.ar/linux/ncal.md deleted file mode 100644 index 36dc5d5b0..000000000 --- a/pages.ar/linux/ncal.md +++ /dev/null @@ -1,8 +0,0 @@ -# ncal - -> هذا الأمر هو اسم مستعار لـ `cal`. -> لمزيد من التفاصيل: . - -- إعرض التوثيقات للأمر الأصلي: - -`tldr cal` diff --git a/pages.ar/linux/ubuntu-bug.md b/pages.ar/linux/ubuntu-bug.md deleted file mode 100644 index af0eb3b4f..000000000 --- a/pages.ar/linux/ubuntu-bug.md +++ /dev/null @@ -1,8 +0,0 @@ -# ubuntu-bug - -> هذا الأمر هو اسم مستعار لـ `apport-bug`. -> لمزيد من التفاصيل: . - -- إعرض التوثيقات للأمر الأصلي: - -`tldr apport-bug` diff --git a/pages.ar/osx/aa.md b/pages.ar/osx/aa.md deleted file mode 100644 index 28a57fd3b..000000000 --- a/pages.ar/osx/aa.md +++ /dev/null @@ -1,7 +0,0 @@ -# aa - -> هذا الأمر هو اسم مستعار لـ `yaa`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr yaa` diff --git a/pages.ar/osx/g[.md b/pages.ar/osx/g[.md deleted file mode 100644 index 437dafa7a..000000000 --- a/pages.ar/osx/g[.md +++ /dev/null @@ -1,7 +0,0 @@ -# g[ - -> هذا الأمر هو اسم مستعار لـ `-p linux [`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux [` diff --git a/pages.ar/osx/gawk.md b/pages.ar/osx/gawk.md deleted file mode 100644 index 6779a717a..000000000 --- a/pages.ar/osx/gawk.md +++ /dev/null @@ -1,7 +0,0 @@ -# gawk - -> هذا الأمر هو اسم مستعار لـ `-p linux awk`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux awk` diff --git a/pages.ar/osx/gb2sum.md b/pages.ar/osx/gb2sum.md deleted file mode 100644 index af90ecbb1..000000000 --- a/pages.ar/osx/gb2sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gb2sum - -> هذا الأمر هو اسم مستعار لـ `-p linux b2sum`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux b2sum` diff --git a/pages.ar/osx/gbase32.md b/pages.ar/osx/gbase32.md deleted file mode 100644 index ab8c98f3a..000000000 --- a/pages.ar/osx/gbase32.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbase32 - -> هذا الأمر هو اسم مستعار لـ `-p linux base32`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux base32` diff --git a/pages.ar/osx/gbase64.md b/pages.ar/osx/gbase64.md deleted file mode 100644 index 650ac5124..000000000 --- a/pages.ar/osx/gbase64.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbase64 - -> هذا الأمر هو اسم مستعار لـ `-p linux base64`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux base64` diff --git a/pages.ar/osx/gbasename.md b/pages.ar/osx/gbasename.md deleted file mode 100644 index 43359c780..000000000 --- a/pages.ar/osx/gbasename.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbasename - -> هذا الأمر هو اسم مستعار لـ `-p linux basename`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux basename` diff --git a/pages.ar/osx/gbasenc.md b/pages.ar/osx/gbasenc.md deleted file mode 100644 index 1036c05fe..000000000 --- a/pages.ar/osx/gbasenc.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbasenc - -> هذا الأمر هو اسم مستعار لـ `-p linux basenc`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux basenc` diff --git a/pages.ar/osx/gcat.md b/pages.ar/osx/gcat.md deleted file mode 100644 index 61a30ae3d..000000000 --- a/pages.ar/osx/gcat.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcat - -> هذا الأمر هو اسم مستعار لـ `-p linux cat`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux cat` diff --git a/pages.ar/osx/gchcon.md b/pages.ar/osx/gchcon.md deleted file mode 100644 index bee8b5caf..000000000 --- a/pages.ar/osx/gchcon.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchcon - -> هذا الأمر هو اسم مستعار لـ `-p linux chcon`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux chcon` diff --git a/pages.ar/osx/gchgrp.md b/pages.ar/osx/gchgrp.md deleted file mode 100644 index 78cc87609..000000000 --- a/pages.ar/osx/gchgrp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchgrp - -> هذا الأمر هو اسم مستعار لـ `-p linux chgrp`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux chgrp` diff --git a/pages.ar/osx/gchmod.md b/pages.ar/osx/gchmod.md deleted file mode 100644 index 121621daa..000000000 --- a/pages.ar/osx/gchmod.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchmod - -> هذا الأمر هو اسم مستعار لـ `-p linux chmod`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux chmod` diff --git a/pages.ar/osx/gchown.md b/pages.ar/osx/gchown.md deleted file mode 100644 index 9092ab4f1..000000000 --- a/pages.ar/osx/gchown.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchown - -> هذا الأمر هو اسم مستعار لـ `-p linux chown`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux chown` diff --git a/pages.ar/osx/gchroot.md b/pages.ar/osx/gchroot.md deleted file mode 100644 index 3d38a593f..000000000 --- a/pages.ar/osx/gchroot.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchroot - -> هذا الأمر هو اسم مستعار لـ `-p linux chroot`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux chroot` diff --git a/pages.ar/osx/gcksum.md b/pages.ar/osx/gcksum.md deleted file mode 100644 index 87a623c5f..000000000 --- a/pages.ar/osx/gcksum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcksum - -> هذا الأمر هو اسم مستعار لـ `-p linux cksum`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux cksum` diff --git a/pages.ar/osx/gcomm.md b/pages.ar/osx/gcomm.md deleted file mode 100644 index a9615e271..000000000 --- a/pages.ar/osx/gcomm.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcomm - -> هذا الأمر هو اسم مستعار لـ `-p linux comm`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux comm` diff --git a/pages.ar/osx/gcp.md b/pages.ar/osx/gcp.md deleted file mode 100644 index df0b1539c..000000000 --- a/pages.ar/osx/gcp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcp - -> هذا الأمر هو اسم مستعار لـ `-p linux cp`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux cp` diff --git a/pages.ar/osx/gcsplit.md b/pages.ar/osx/gcsplit.md deleted file mode 100644 index 44c6cb0ba..000000000 --- a/pages.ar/osx/gcsplit.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcsplit - -> هذا الأمر هو اسم مستعار لـ `-p linux csplit`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux csplit` diff --git a/pages.ar/osx/gcut.md b/pages.ar/osx/gcut.md deleted file mode 100644 index 13988a5c1..000000000 --- a/pages.ar/osx/gcut.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcut - -> هذا الأمر هو اسم مستعار لـ `-p linux cut`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux cut` diff --git a/pages.ar/osx/gdate.md b/pages.ar/osx/gdate.md deleted file mode 100644 index 216aada11..000000000 --- a/pages.ar/osx/gdate.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdate - -> هذا الأمر هو اسم مستعار لـ `-p linux date`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux date` diff --git a/pages.ar/osx/gdd.md b/pages.ar/osx/gdd.md deleted file mode 100644 index 55075594b..000000000 --- a/pages.ar/osx/gdd.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdd - -> هذا الأمر هو اسم مستعار لـ `-p linux dd`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux dd` diff --git a/pages.ar/osx/gdf.md b/pages.ar/osx/gdf.md deleted file mode 100644 index 0c58018fa..000000000 --- a/pages.ar/osx/gdf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdf - -> هذا الأمر هو اسم مستعار لـ `-p linux df`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux df` diff --git a/pages.ar/osx/gdir.md b/pages.ar/osx/gdir.md deleted file mode 100644 index f857b150b..000000000 --- a/pages.ar/osx/gdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdir - -> هذا الأمر هو اسم مستعار لـ `-p linux dir`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux dir` diff --git a/pages.ar/osx/gdircolors.md b/pages.ar/osx/gdircolors.md deleted file mode 100644 index a07be24e2..000000000 --- a/pages.ar/osx/gdircolors.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdircolors - -> هذا الأمر هو اسم مستعار لـ `-p linux dircolors`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux dircolors` diff --git a/pages.ar/osx/gdirname.md b/pages.ar/osx/gdirname.md deleted file mode 100644 index 4bada346f..000000000 --- a/pages.ar/osx/gdirname.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdirname - -> هذا الأمر هو اسم مستعار لـ `-p linux dirname`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux dirname` diff --git a/pages.ar/osx/gdnsdomainname.md b/pages.ar/osx/gdnsdomainname.md deleted file mode 100644 index 792279cac..000000000 --- a/pages.ar/osx/gdnsdomainname.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdnsdomainname - -> هذا الأمر هو اسم مستعار لـ `-p linux dnsdomainname`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux dnsdomainname` diff --git a/pages.ar/osx/gecho.md b/pages.ar/osx/gecho.md deleted file mode 100644 index 1374e36b5..000000000 --- a/pages.ar/osx/gecho.md +++ /dev/null @@ -1,7 +0,0 @@ -# gecho - -> هذا الأمر هو اسم مستعار لـ `-p linux echo`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux echo` diff --git a/pages.ar/osx/ged.md b/pages.ar/osx/ged.md deleted file mode 100644 index 2a587b26d..000000000 --- a/pages.ar/osx/ged.md +++ /dev/null @@ -1,7 +0,0 @@ -# ged - -> هذا الأمر هو اسم مستعار لـ `-p linux ed`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux ed` diff --git a/pages.ar/osx/gegrep.md b/pages.ar/osx/gegrep.md deleted file mode 100644 index cc14fe9f5..000000000 --- a/pages.ar/osx/gegrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# gegrep - -> هذا الأمر هو اسم مستعار لـ `-p linux egrep`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux egrep` diff --git a/pages.ar/osx/genv.md b/pages.ar/osx/genv.md deleted file mode 100644 index c6b344ba1..000000000 --- a/pages.ar/osx/genv.md +++ /dev/null @@ -1,7 +0,0 @@ -# genv - -> هذا الأمر هو اسم مستعار لـ `-p linux env`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux env` diff --git a/pages.ar/osx/gexpand.md b/pages.ar/osx/gexpand.md deleted file mode 100644 index ca903f1fc..000000000 --- a/pages.ar/osx/gexpand.md +++ /dev/null @@ -1,7 +0,0 @@ -# gexpand - -> هذا الأمر هو اسم مستعار لـ `-p linux expand`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux expand` diff --git a/pages.ar/osx/gexpr.md b/pages.ar/osx/gexpr.md deleted file mode 100644 index e64c26747..000000000 --- a/pages.ar/osx/gexpr.md +++ /dev/null @@ -1,7 +0,0 @@ -# gexpr - -> هذا الأمر هو اسم مستعار لـ `-p linux expr`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux expr` diff --git a/pages.ar/osx/gfactor.md b/pages.ar/osx/gfactor.md deleted file mode 100644 index 3620a7d37..000000000 --- a/pages.ar/osx/gfactor.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfactor - -> هذا الأمر هو اسم مستعار لـ `-p linux factor`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux factor` diff --git a/pages.ar/osx/gfalse.md b/pages.ar/osx/gfalse.md deleted file mode 100644 index 260ab280a..000000000 --- a/pages.ar/osx/gfalse.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfalse - -> هذا الأمر هو اسم مستعار لـ `-p linux false`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux false` diff --git a/pages.ar/osx/gfgrep.md b/pages.ar/osx/gfgrep.md deleted file mode 100644 index 2ca2b7a2d..000000000 --- a/pages.ar/osx/gfgrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfgrep - -> هذا الأمر هو اسم مستعار لـ `-p linux fgrep`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux fgrep` diff --git a/pages.ar/osx/gfind.md b/pages.ar/osx/gfind.md deleted file mode 100644 index 59511e36e..000000000 --- a/pages.ar/osx/gfind.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfind - -> هذا الأمر هو اسم مستعار لـ `-p linux find`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux find` diff --git a/pages.ar/osx/gfmt.md b/pages.ar/osx/gfmt.md deleted file mode 100644 index 12046e3d2..000000000 --- a/pages.ar/osx/gfmt.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfmt - -> هذا الأمر هو اسم مستعار لـ `-p linux fmt`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux fmt` diff --git a/pages.ar/osx/gfold.md b/pages.ar/osx/gfold.md deleted file mode 100644 index 861fd3d11..000000000 --- a/pages.ar/osx/gfold.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfold - -> هذا الأمر هو اسم مستعار لـ `-p linux fold`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux fold` diff --git a/pages.ar/osx/gftp.md b/pages.ar/osx/gftp.md deleted file mode 100644 index 934de14b8..000000000 --- a/pages.ar/osx/gftp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gftp - -> هذا الأمر هو اسم مستعار لـ `-p linux ftp`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux ftp` diff --git a/pages.ar/osx/ggrep.md b/pages.ar/osx/ggrep.md deleted file mode 100644 index 63e54d368..000000000 --- a/pages.ar/osx/ggrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# ggrep - -> هذا الأمر هو اسم مستعار لـ `-p linux grep`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux grep` diff --git a/pages.ar/osx/ggroups.md b/pages.ar/osx/ggroups.md deleted file mode 100644 index b00397639..000000000 --- a/pages.ar/osx/ggroups.md +++ /dev/null @@ -1,7 +0,0 @@ -# ggroups - -> هذا الأمر هو اسم مستعار لـ `-p linux groups`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux groups` diff --git a/pages.ar/osx/ghead.md b/pages.ar/osx/ghead.md deleted file mode 100644 index 60b77f9e1..000000000 --- a/pages.ar/osx/ghead.md +++ /dev/null @@ -1,7 +0,0 @@ -# ghead - -> هذا الأمر هو اسم مستعار لـ `-p linux head`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux head` diff --git a/pages.ar/osx/ghostid.md b/pages.ar/osx/ghostid.md deleted file mode 100644 index cb59db5fb..000000000 --- a/pages.ar/osx/ghostid.md +++ /dev/null @@ -1,7 +0,0 @@ -# ghostid - -> هذا الأمر هو اسم مستعار لـ `-p linux hostid`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux hostid` diff --git a/pages.ar/osx/ghostname.md b/pages.ar/osx/ghostname.md deleted file mode 100644 index 9fe474d8d..000000000 --- a/pages.ar/osx/ghostname.md +++ /dev/null @@ -1,7 +0,0 @@ -# ghostname - -> هذا الأمر هو اسم مستعار لـ `-p linux hostname`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux hostname` diff --git a/pages.ar/osx/gid.md b/pages.ar/osx/gid.md deleted file mode 100644 index d9e893130..000000000 --- a/pages.ar/osx/gid.md +++ /dev/null @@ -1,7 +0,0 @@ -# gid - -> هذا الأمر هو اسم مستعار لـ `-p linux id`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux id` diff --git a/pages.ar/osx/gifconfig.md b/pages.ar/osx/gifconfig.md deleted file mode 100644 index 17d193a3d..000000000 --- a/pages.ar/osx/gifconfig.md +++ /dev/null @@ -1,7 +0,0 @@ -# gifconfig - -> هذا الأمر هو اسم مستعار لـ `-p linux ifconfig`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux ifconfig` diff --git a/pages.ar/osx/gindent.md b/pages.ar/osx/gindent.md deleted file mode 100644 index dafecd977..000000000 --- a/pages.ar/osx/gindent.md +++ /dev/null @@ -1,7 +0,0 @@ -# gindent - -> هذا الأمر هو اسم مستعار لـ `-p linux indent`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux indent` diff --git a/pages.ar/osx/ginstall.md b/pages.ar/osx/ginstall.md deleted file mode 100644 index 9c7f11998..000000000 --- a/pages.ar/osx/ginstall.md +++ /dev/null @@ -1,7 +0,0 @@ -# ginstall - -> هذا الأمر هو اسم مستعار لـ `-p linux install`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux install` diff --git a/pages.ar/osx/gjoin.md b/pages.ar/osx/gjoin.md deleted file mode 100644 index 2c50cd493..000000000 --- a/pages.ar/osx/gjoin.md +++ /dev/null @@ -1,7 +0,0 @@ -# gjoin - -> هذا الأمر هو اسم مستعار لـ `-p linux join`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux join` diff --git a/pages.ar/osx/gkill.md b/pages.ar/osx/gkill.md deleted file mode 100644 index 7d732dd64..000000000 --- a/pages.ar/osx/gkill.md +++ /dev/null @@ -1,7 +0,0 @@ -# gkill - -> هذا الأمر هو اسم مستعار لـ `-p linux kill`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux kill` diff --git a/pages.ar/osx/glibtool.md b/pages.ar/osx/glibtool.md deleted file mode 100644 index 25fd4c1c9..000000000 --- a/pages.ar/osx/glibtool.md +++ /dev/null @@ -1,7 +0,0 @@ -# glibtool - -> هذا الأمر هو اسم مستعار لـ `-p linux libtool`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux libtool` diff --git a/pages.ar/osx/glibtoolize.md b/pages.ar/osx/glibtoolize.md deleted file mode 100644 index 3c450c7b3..000000000 --- a/pages.ar/osx/glibtoolize.md +++ /dev/null @@ -1,7 +0,0 @@ -# glibtoolize - -> هذا الأمر هو اسم مستعار لـ `-p linux libtoolize`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux libtoolize` diff --git a/pages.ar/osx/glink.md b/pages.ar/osx/glink.md deleted file mode 100644 index 3f25bdfbc..000000000 --- a/pages.ar/osx/glink.md +++ /dev/null @@ -1,7 +0,0 @@ -# glink - -> هذا الأمر هو اسم مستعار لـ `-p linux link`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux link` diff --git a/pages.ar/osx/gln.md b/pages.ar/osx/gln.md deleted file mode 100644 index 3dc72c229..000000000 --- a/pages.ar/osx/gln.md +++ /dev/null @@ -1,7 +0,0 @@ -# gln - -> هذا الأمر هو اسم مستعار لـ `-p linux ln`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux ln` diff --git a/pages.ar/osx/glocate.md b/pages.ar/osx/glocate.md deleted file mode 100644 index b3fe401a2..000000000 --- a/pages.ar/osx/glocate.md +++ /dev/null @@ -1,7 +0,0 @@ -# glocate - -> هذا الأمر هو اسم مستعار لـ `-p linux locate`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux locate` diff --git a/pages.ar/osx/glogger.md b/pages.ar/osx/glogger.md deleted file mode 100644 index b3c389a4d..000000000 --- a/pages.ar/osx/glogger.md +++ /dev/null @@ -1,7 +0,0 @@ -# glogger - -> هذا الأمر هو اسم مستعار لـ `-p linux logger`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux logger` diff --git a/pages.ar/osx/glogname.md b/pages.ar/osx/glogname.md deleted file mode 100644 index b2ae9f174..000000000 --- a/pages.ar/osx/glogname.md +++ /dev/null @@ -1,7 +0,0 @@ -# glogname - -> هذا الأمر هو اسم مستعار لـ `-p linux logname`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux logname` diff --git a/pages.ar/osx/gls.md b/pages.ar/osx/gls.md deleted file mode 100644 index 89bfe6842..000000000 --- a/pages.ar/osx/gls.md +++ /dev/null @@ -1,7 +0,0 @@ -# gls - -> هذا الأمر هو اسم مستعار لـ `-p linux ls`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux ls` diff --git a/pages.ar/osx/gmake.md b/pages.ar/osx/gmake.md deleted file mode 100644 index 602311228..000000000 --- a/pages.ar/osx/gmake.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmake - -> هذا الأمر هو اسم مستعار لـ `-p linux make`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux make` diff --git a/pages.ar/osx/gmd5sum.md b/pages.ar/osx/gmd5sum.md deleted file mode 100644 index 8366a684f..000000000 --- a/pages.ar/osx/gmd5sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmd5sum - -> هذا الأمر هو اسم مستعار لـ `-p linux md5sum`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux md5sum` diff --git a/pages.ar/osx/gmkdir.md b/pages.ar/osx/gmkdir.md deleted file mode 100644 index fbd07005c..000000000 --- a/pages.ar/osx/gmkdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmkdir - -> هذا الأمر هو اسم مستعار لـ `-p linux mkdir`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux mkdir` diff --git a/pages.ar/osx/gmkfifo.md b/pages.ar/osx/gmkfifo.md deleted file mode 100644 index fdcc21a97..000000000 --- a/pages.ar/osx/gmkfifo.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmkfifo - -> هذا الأمر هو اسم مستعار لـ `-p linux mkfifo`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux mkfifo` diff --git a/pages.ar/osx/gmknod.md b/pages.ar/osx/gmknod.md deleted file mode 100644 index 45bbe2ccc..000000000 --- a/pages.ar/osx/gmknod.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmknod - -> هذا الأمر هو اسم مستعار لـ `-p linux mknod`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux mknod` diff --git a/pages.ar/osx/gmktemp.md b/pages.ar/osx/gmktemp.md deleted file mode 100644 index 2796b64f2..000000000 --- a/pages.ar/osx/gmktemp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmktemp - -> هذا الأمر هو اسم مستعار لـ `-p linux mktemp`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux mktemp` diff --git a/pages.ar/osx/gmv.md b/pages.ar/osx/gmv.md deleted file mode 100644 index 9ae12bb50..000000000 --- a/pages.ar/osx/gmv.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmv - -> هذا الأمر هو اسم مستعار لـ `-p linux mv`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux mv` diff --git a/pages.ar/osx/gnice.md b/pages.ar/osx/gnice.md deleted file mode 100644 index 4c6a36d09..000000000 --- a/pages.ar/osx/gnice.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnice - -> هذا الأمر هو اسم مستعار لـ `-p linux nice`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux nice` diff --git a/pages.ar/osx/gnl.md b/pages.ar/osx/gnl.md deleted file mode 100644 index 63048a9d3..000000000 --- a/pages.ar/osx/gnl.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnl - -> هذا الأمر هو اسم مستعار لـ `-p linux nl`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux nl` diff --git a/pages.ar/osx/gnohup.md b/pages.ar/osx/gnohup.md deleted file mode 100644 index 6e8c55301..000000000 --- a/pages.ar/osx/gnohup.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnohup - -> هذا الأمر هو اسم مستعار لـ `-p linux nohup`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux nohup` diff --git a/pages.ar/osx/gnproc.md b/pages.ar/osx/gnproc.md deleted file mode 100644 index 8a40123d0..000000000 --- a/pages.ar/osx/gnproc.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnproc - -> هذا الأمر هو اسم مستعار لـ `-p linux nproc`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux nproc` diff --git a/pages.ar/osx/gnumfmt.md b/pages.ar/osx/gnumfmt.md deleted file mode 100644 index da95b02ee..000000000 --- a/pages.ar/osx/gnumfmt.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnumfmt - -> هذا الأمر هو اسم مستعار لـ `-p linux numfmt`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux numfmt` diff --git a/pages.ar/osx/god.md b/pages.ar/osx/god.md deleted file mode 100644 index add485404..000000000 --- a/pages.ar/osx/god.md +++ /dev/null @@ -1,7 +0,0 @@ -# god - -> هذا الأمر هو اسم مستعار لـ `-p linux od`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux od` diff --git a/pages.ar/osx/gpaste.md b/pages.ar/osx/gpaste.md deleted file mode 100644 index ee08a8b24..000000000 --- a/pages.ar/osx/gpaste.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpaste - -> هذا الأمر هو اسم مستعار لـ `-p linux paste`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux paste` diff --git a/pages.ar/osx/gpathchk.md b/pages.ar/osx/gpathchk.md deleted file mode 100644 index 899c90270..000000000 --- a/pages.ar/osx/gpathchk.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpathchk - -> هذا الأمر هو اسم مستعار لـ `-p linux pathchk`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux pathchk` diff --git a/pages.ar/osx/gping.md b/pages.ar/osx/gping.md deleted file mode 100644 index 4f6cff28f..000000000 --- a/pages.ar/osx/gping.md +++ /dev/null @@ -1,7 +0,0 @@ -# gping - -> هذا الأمر هو اسم مستعار لـ `-p linux ping`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux ping` diff --git a/pages.ar/osx/gping6.md b/pages.ar/osx/gping6.md deleted file mode 100644 index e8b2a9857..000000000 --- a/pages.ar/osx/gping6.md +++ /dev/null @@ -1,7 +0,0 @@ -# gping6 - -> هذا الأمر هو اسم مستعار لـ `-p linux ping6`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux ping6` diff --git a/pages.ar/osx/gpinky.md b/pages.ar/osx/gpinky.md deleted file mode 100644 index 8be1c253d..000000000 --- a/pages.ar/osx/gpinky.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpinky - -> هذا الأمر هو اسم مستعار لـ `-p linux pinky`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux pinky` diff --git a/pages.ar/osx/gpr.md b/pages.ar/osx/gpr.md deleted file mode 100644 index caa8c407f..000000000 --- a/pages.ar/osx/gpr.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpr - -> هذا الأمر هو اسم مستعار لـ `-p linux pr`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux pr` diff --git a/pages.ar/osx/gprintenv.md b/pages.ar/osx/gprintenv.md deleted file mode 100644 index bd3dd873e..000000000 --- a/pages.ar/osx/gprintenv.md +++ /dev/null @@ -1,7 +0,0 @@ -# gprintenv - -> هذا الأمر هو اسم مستعار لـ `-p linux printenv`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux printenv` diff --git a/pages.ar/osx/gprintf.md b/pages.ar/osx/gprintf.md deleted file mode 100644 index 9c331251f..000000000 --- a/pages.ar/osx/gprintf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gprintf - -> هذا الأمر هو اسم مستعار لـ `-p linux printf`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux printf` diff --git a/pages.ar/osx/gptx.md b/pages.ar/osx/gptx.md deleted file mode 100644 index 6f6210079..000000000 --- a/pages.ar/osx/gptx.md +++ /dev/null @@ -1,7 +0,0 @@ -# gptx - -> هذا الأمر هو اسم مستعار لـ `-p linux ptx`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux ptx` diff --git a/pages.ar/osx/gpwd.md b/pages.ar/osx/gpwd.md deleted file mode 100644 index 74a7dbc0e..000000000 --- a/pages.ar/osx/gpwd.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpwd - -> هذا الأمر هو اسم مستعار لـ `-p linux pwd`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux pwd` diff --git a/pages.ar/osx/grcp.md b/pages.ar/osx/grcp.md deleted file mode 100644 index 2f9c87377..000000000 --- a/pages.ar/osx/grcp.md +++ /dev/null @@ -1,7 +0,0 @@ -# grcp - -> هذا الأمر هو اسم مستعار لـ `-p linux rcp`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux rcp` diff --git a/pages.ar/osx/greadlink.md b/pages.ar/osx/greadlink.md deleted file mode 100644 index fe92afeba..000000000 --- a/pages.ar/osx/greadlink.md +++ /dev/null @@ -1,7 +0,0 @@ -# greadlink - -> هذا الأمر هو اسم مستعار لـ `-p linux readlink`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux readlink` diff --git a/pages.ar/osx/grealpath.md b/pages.ar/osx/grealpath.md deleted file mode 100644 index 489dc2d55..000000000 --- a/pages.ar/osx/grealpath.md +++ /dev/null @@ -1,7 +0,0 @@ -# grealpath - -> هذا الأمر هو اسم مستعار لـ `-p linux realpath`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux realpath` diff --git a/pages.ar/osx/grexec.md b/pages.ar/osx/grexec.md deleted file mode 100644 index 98ef2b862..000000000 --- a/pages.ar/osx/grexec.md +++ /dev/null @@ -1,7 +0,0 @@ -# grexec - -> هذا الأمر هو اسم مستعار لـ `-p linux rexec`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux rexec` diff --git a/pages.ar/osx/grlogin.md b/pages.ar/osx/grlogin.md deleted file mode 100644 index dffe0da2e..000000000 --- a/pages.ar/osx/grlogin.md +++ /dev/null @@ -1,7 +0,0 @@ -# grlogin - -> هذا الأمر هو اسم مستعار لـ `-p linux rlogin`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux rlogin` diff --git a/pages.ar/osx/grm.md b/pages.ar/osx/grm.md deleted file mode 100644 index c81e06842..000000000 --- a/pages.ar/osx/grm.md +++ /dev/null @@ -1,7 +0,0 @@ -# grm - -> هذا الأمر هو اسم مستعار لـ `-p linux rm`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux rm` diff --git a/pages.ar/osx/grmdir.md b/pages.ar/osx/grmdir.md deleted file mode 100644 index 12851638a..000000000 --- a/pages.ar/osx/grmdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# grmdir - -> هذا الأمر هو اسم مستعار لـ `-p linux rmdir`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux rmdir` diff --git a/pages.ar/osx/grsh.md b/pages.ar/osx/grsh.md deleted file mode 100644 index 05dcaaece..000000000 --- a/pages.ar/osx/grsh.md +++ /dev/null @@ -1,7 +0,0 @@ -# grsh - -> هذا الأمر هو اسم مستعار لـ `-p linux rsh`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux rsh` diff --git a/pages.ar/osx/gruncon.md b/pages.ar/osx/gruncon.md deleted file mode 100644 index e105e3904..000000000 --- a/pages.ar/osx/gruncon.md +++ /dev/null @@ -1,7 +0,0 @@ -# gruncon - -> هذا الأمر هو اسم مستعار لـ `-p linux runcon`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux runcon` diff --git a/pages.ar/osx/gsed.md b/pages.ar/osx/gsed.md deleted file mode 100644 index 90ae5a6ac..000000000 --- a/pages.ar/osx/gsed.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsed - -> هذا الأمر هو اسم مستعار لـ `-p linux sed`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux sed` diff --git a/pages.ar/osx/gseq.md b/pages.ar/osx/gseq.md deleted file mode 100644 index e27443461..000000000 --- a/pages.ar/osx/gseq.md +++ /dev/null @@ -1,7 +0,0 @@ -# gseq - -> هذا الأمر هو اسم مستعار لـ `-p linux seq`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux seq` diff --git a/pages.ar/osx/gsha1sum.md b/pages.ar/osx/gsha1sum.md deleted file mode 100644 index 6328aad98..000000000 --- a/pages.ar/osx/gsha1sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha1sum - -> هذا الأمر هو اسم مستعار لـ `-p linux sha1sum`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux sha1sum` diff --git a/pages.ar/osx/gsha224sum.md b/pages.ar/osx/gsha224sum.md deleted file mode 100644 index 93ccc386a..000000000 --- a/pages.ar/osx/gsha224sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha224sum - -> هذا الأمر هو اسم مستعار لـ `-p linux sha224sum`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux sha224sum` diff --git a/pages.ar/osx/gsha256sum.md b/pages.ar/osx/gsha256sum.md deleted file mode 100644 index caa141e0f..000000000 --- a/pages.ar/osx/gsha256sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha256sum - -> هذا الأمر هو اسم مستعار لـ `-p linux sha256sum`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux sha256sum` diff --git a/pages.ar/osx/gsha384sum.md b/pages.ar/osx/gsha384sum.md deleted file mode 100644 index 5d919da87..000000000 --- a/pages.ar/osx/gsha384sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha384sum - -> هذا الأمر هو اسم مستعار لـ `-p linux sha384sum`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux sha384sum` diff --git a/pages.ar/osx/gsha512sum.md b/pages.ar/osx/gsha512sum.md deleted file mode 100644 index 62c3e4257..000000000 --- a/pages.ar/osx/gsha512sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha512sum - -> هذا الأمر هو اسم مستعار لـ `-p linux sha512sum`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux sha512sum` diff --git a/pages.ar/osx/gshred.md b/pages.ar/osx/gshred.md deleted file mode 100644 index 2564c057b..000000000 --- a/pages.ar/osx/gshred.md +++ /dev/null @@ -1,7 +0,0 @@ -# gshred - -> هذا الأمر هو اسم مستعار لـ `-p linux shred`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux shred` diff --git a/pages.ar/osx/gshuf.md b/pages.ar/osx/gshuf.md deleted file mode 100644 index f12c0ff28..000000000 --- a/pages.ar/osx/gshuf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gshuf - -> هذا الأمر هو اسم مستعار لـ `-p linux shuf`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux shuf` diff --git a/pages.ar/osx/gsleep.md b/pages.ar/osx/gsleep.md deleted file mode 100644 index afde382c5..000000000 --- a/pages.ar/osx/gsleep.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsleep - -> هذا الأمر هو اسم مستعار لـ `-p linux sleep`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux sleep` diff --git a/pages.ar/osx/gsort.md b/pages.ar/osx/gsort.md deleted file mode 100644 index 769eb536b..000000000 --- a/pages.ar/osx/gsort.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsort - -> هذا الأمر هو اسم مستعار لـ `-p linux sort`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux sort` diff --git a/pages.ar/osx/gsplit.md b/pages.ar/osx/gsplit.md deleted file mode 100644 index 92699eaac..000000000 --- a/pages.ar/osx/gsplit.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsplit - -> هذا الأمر هو اسم مستعار لـ `-p linux split`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux split` diff --git a/pages.ar/osx/gstat.md b/pages.ar/osx/gstat.md deleted file mode 100644 index ded8057c7..000000000 --- a/pages.ar/osx/gstat.md +++ /dev/null @@ -1,7 +0,0 @@ -# gstat - -> هذا الأمر هو اسم مستعار لـ `-p linux stat`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux stat` diff --git a/pages.ar/osx/gstdbuf.md b/pages.ar/osx/gstdbuf.md deleted file mode 100644 index 64a69a25a..000000000 --- a/pages.ar/osx/gstdbuf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gstdbuf - -> هذا الأمر هو اسم مستعار لـ `-p linux stdbuf`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux stdbuf` diff --git a/pages.ar/osx/gstty.md b/pages.ar/osx/gstty.md deleted file mode 100644 index f5dd8ed3b..000000000 --- a/pages.ar/osx/gstty.md +++ /dev/null @@ -1,7 +0,0 @@ -# gstty - -> هذا الأمر هو اسم مستعار لـ `-p linux stty`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux stty` diff --git a/pages.ar/osx/gsum.md b/pages.ar/osx/gsum.md deleted file mode 100644 index 6ce0fc7e9..000000000 --- a/pages.ar/osx/gsum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsum - -> هذا الأمر هو اسم مستعار لـ `-p linux sum`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux sum` diff --git a/pages.ar/osx/gsync.md b/pages.ar/osx/gsync.md deleted file mode 100644 index ba7cfb6d1..000000000 --- a/pages.ar/osx/gsync.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsync - -> هذا الأمر هو اسم مستعار لـ `-p linux sync`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux sync` diff --git a/pages.ar/osx/gtac.md b/pages.ar/osx/gtac.md deleted file mode 100644 index ec94252a8..000000000 --- a/pages.ar/osx/gtac.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtac - -> هذا الأمر هو اسم مستعار لـ `-p linux tac`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux tac` diff --git a/pages.ar/osx/gtail.md b/pages.ar/osx/gtail.md deleted file mode 100644 index c2495766e..000000000 --- a/pages.ar/osx/gtail.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtail - -> هذا الأمر هو اسم مستعار لـ `-p linux tail`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux tail` diff --git a/pages.ar/osx/gtalk.md b/pages.ar/osx/gtalk.md deleted file mode 100644 index 870b356b2..000000000 --- a/pages.ar/osx/gtalk.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtalk - -> هذا الأمر هو اسم مستعار لـ `-p linux talk`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux talk` diff --git a/pages.ar/osx/gtar.md b/pages.ar/osx/gtar.md deleted file mode 100644 index 7d1cf08ab..000000000 --- a/pages.ar/osx/gtar.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtar - -> هذا الأمر هو اسم مستعار لـ `-p linux tar`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux tar` diff --git a/pages.ar/osx/gtee.md b/pages.ar/osx/gtee.md deleted file mode 100644 index f1ecd7e6f..000000000 --- a/pages.ar/osx/gtee.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtee - -> هذا الأمر هو اسم مستعار لـ `-p linux tee`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux tee` diff --git a/pages.ar/osx/gtelnet.md b/pages.ar/osx/gtelnet.md deleted file mode 100644 index 27fa8d2dc..000000000 --- a/pages.ar/osx/gtelnet.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtelnet - -> هذا الأمر هو اسم مستعار لـ `-p linux telnet`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux telnet` diff --git a/pages.ar/osx/gtest.md b/pages.ar/osx/gtest.md deleted file mode 100644 index 6c7d04079..000000000 --- a/pages.ar/osx/gtest.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtest - -> هذا الأمر هو اسم مستعار لـ `-p linux test`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux test` diff --git a/pages.ar/osx/gtftp.md b/pages.ar/osx/gtftp.md deleted file mode 100644 index bba9b4a03..000000000 --- a/pages.ar/osx/gtftp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtftp - -> هذا الأمر هو اسم مستعار لـ `-p linux tftp`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux tftp` diff --git a/pages.ar/osx/gtime.md b/pages.ar/osx/gtime.md deleted file mode 100644 index 040cd8a76..000000000 --- a/pages.ar/osx/gtime.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtime - -> هذا الأمر هو اسم مستعار لـ `-p linux time`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux time` diff --git a/pages.ar/osx/gtimeout.md b/pages.ar/osx/gtimeout.md deleted file mode 100644 index 2cbbb7045..000000000 --- a/pages.ar/osx/gtimeout.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtimeout - -> هذا الأمر هو اسم مستعار لـ `-p linux timeout`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux timeout` diff --git a/pages.ar/osx/gtouch.md b/pages.ar/osx/gtouch.md deleted file mode 100644 index 5e7f6745a..000000000 --- a/pages.ar/osx/gtouch.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtouch - -> هذا الأمر هو اسم مستعار لـ `-p linux touch`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux touch` diff --git a/pages.ar/osx/gtr.md b/pages.ar/osx/gtr.md deleted file mode 100644 index 767956dc8..000000000 --- a/pages.ar/osx/gtr.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtr - -> هذا الأمر هو اسم مستعار لـ `-p linux tr`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux tr` diff --git a/pages.ar/osx/gtraceroute.md b/pages.ar/osx/gtraceroute.md deleted file mode 100644 index 782d243b7..000000000 --- a/pages.ar/osx/gtraceroute.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtraceroute - -> هذا الأمر هو اسم مستعار لـ `-p linux traceroute`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux traceroute` diff --git a/pages.ar/osx/gtrue.md b/pages.ar/osx/gtrue.md deleted file mode 100644 index 35f9ebca0..000000000 --- a/pages.ar/osx/gtrue.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtrue - -> هذا الأمر هو اسم مستعار لـ `-p linux true`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux true` diff --git a/pages.ar/osx/gtruncate.md b/pages.ar/osx/gtruncate.md deleted file mode 100644 index 1cdb14fe8..000000000 --- a/pages.ar/osx/gtruncate.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtruncate - -> هذا الأمر هو اسم مستعار لـ `-p linux truncate`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux truncate` diff --git a/pages.ar/osx/gtsort.md b/pages.ar/osx/gtsort.md deleted file mode 100644 index 9884f6d90..000000000 --- a/pages.ar/osx/gtsort.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtsort - -> هذا الأمر هو اسم مستعار لـ `-p linux tsort`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux tsort` diff --git a/pages.ar/osx/gtty.md b/pages.ar/osx/gtty.md deleted file mode 100644 index 63ba50b68..000000000 --- a/pages.ar/osx/gtty.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtty - -> هذا الأمر هو اسم مستعار لـ `-p linux tty`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux tty` diff --git a/pages.ar/osx/guname.md b/pages.ar/osx/guname.md deleted file mode 100644 index 412cacec0..000000000 --- a/pages.ar/osx/guname.md +++ /dev/null @@ -1,7 +0,0 @@ -# guname - -> هذا الأمر هو اسم مستعار لـ `-p linux uname`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux uname` diff --git a/pages.ar/osx/gunexpand.md b/pages.ar/osx/gunexpand.md deleted file mode 100644 index f88dbecad..000000000 --- a/pages.ar/osx/gunexpand.md +++ /dev/null @@ -1,7 +0,0 @@ -# gunexpand - -> هذا الأمر هو اسم مستعار لـ `-p linux unexpand`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux unexpand` diff --git a/pages.ar/osx/guniq.md b/pages.ar/osx/guniq.md deleted file mode 100644 index 181ae0a56..000000000 --- a/pages.ar/osx/guniq.md +++ /dev/null @@ -1,7 +0,0 @@ -# guniq - -> هذا الأمر هو اسم مستعار لـ `-p linux uniq`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux uniq` diff --git a/pages.ar/osx/gunits.md b/pages.ar/osx/gunits.md deleted file mode 100644 index fcb9d1a0f..000000000 --- a/pages.ar/osx/gunits.md +++ /dev/null @@ -1,7 +0,0 @@ -# gunits - -> هذا الأمر هو اسم مستعار لـ `-p linux units`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux units` diff --git a/pages.ar/osx/gunlink.md b/pages.ar/osx/gunlink.md deleted file mode 100644 index ea67a4bba..000000000 --- a/pages.ar/osx/gunlink.md +++ /dev/null @@ -1,7 +0,0 @@ -# gunlink - -> هذا الأمر هو اسم مستعار لـ `-p linux unlink`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux unlink` diff --git a/pages.ar/osx/gupdatedb.md b/pages.ar/osx/gupdatedb.md deleted file mode 100644 index f2ea7ec53..000000000 --- a/pages.ar/osx/gupdatedb.md +++ /dev/null @@ -1,7 +0,0 @@ -# gupdatedb - -> هذا الأمر هو اسم مستعار لـ `-p linux updatedb`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux updatedb` diff --git a/pages.ar/osx/guptime.md b/pages.ar/osx/guptime.md deleted file mode 100644 index 9a625a97a..000000000 --- a/pages.ar/osx/guptime.md +++ /dev/null @@ -1,7 +0,0 @@ -# guptime - -> هذا الأمر هو اسم مستعار لـ `-p linux uptime`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux uptime` diff --git a/pages.ar/osx/gusers.md b/pages.ar/osx/gusers.md deleted file mode 100644 index 37b41fd92..000000000 --- a/pages.ar/osx/gusers.md +++ /dev/null @@ -1,7 +0,0 @@ -# gusers - -> هذا الأمر هو اسم مستعار لـ `-p linux users`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux users` diff --git a/pages.ar/osx/gvdir.md b/pages.ar/osx/gvdir.md deleted file mode 100644 index ecd6abd10..000000000 --- a/pages.ar/osx/gvdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# gvdir - -> هذا الأمر هو اسم مستعار لـ `-p linux vdir`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux vdir` diff --git a/pages.ar/osx/gwc.md b/pages.ar/osx/gwc.md deleted file mode 100644 index 1be049487..000000000 --- a/pages.ar/osx/gwc.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwc - -> هذا الأمر هو اسم مستعار لـ `-p linux wc`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux wc` diff --git a/pages.ar/osx/gwhich.md b/pages.ar/osx/gwhich.md deleted file mode 100644 index 0ec1e7f69..000000000 --- a/pages.ar/osx/gwhich.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwhich - -> هذا الأمر هو اسم مستعار لـ `-p linux which`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux which` diff --git a/pages.ar/osx/gwho.md b/pages.ar/osx/gwho.md deleted file mode 100644 index 45ca03df3..000000000 --- a/pages.ar/osx/gwho.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwho - -> هذا الأمر هو اسم مستعار لـ `-p linux who`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux who` diff --git a/pages.ar/osx/gwhoami.md b/pages.ar/osx/gwhoami.md deleted file mode 100644 index 1c4e3f6b2..000000000 --- a/pages.ar/osx/gwhoami.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwhoami - -> هذا الأمر هو اسم مستعار لـ `-p linux whoami`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux whoami` diff --git a/pages.ar/osx/gwhois.md b/pages.ar/osx/gwhois.md deleted file mode 100644 index 9a4fd68fd..000000000 --- a/pages.ar/osx/gwhois.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwhois - -> هذا الأمر هو اسم مستعار لـ `-p linux whois`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux whois` diff --git a/pages.ar/osx/gxargs.md b/pages.ar/osx/gxargs.md deleted file mode 100644 index 585630029..000000000 --- a/pages.ar/osx/gxargs.md +++ /dev/null @@ -1,7 +0,0 @@ -# gxargs - -> هذا الأمر هو اسم مستعار لـ `-p linux xargs`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux xargs` diff --git a/pages.ar/osx/gyes.md b/pages.ar/osx/gyes.md deleted file mode 100644 index 018a147d2..000000000 --- a/pages.ar/osx/gyes.md +++ /dev/null @@ -1,7 +0,0 @@ -# gyes - -> هذا الأمر هو اسم مستعار لـ `-p linux yes`. - -- إعرض التوثيقات للأمر الأصلي: - -`tldr -p linux yes` diff --git a/pages.ar/osx/launchd.md b/pages.ar/osx/launchd.md deleted file mode 100644 index 99c60e326..000000000 --- a/pages.ar/osx/launchd.md +++ /dev/null @@ -1,8 +0,0 @@ -# launchd - -> هذا الأمر هو اسم مستعار لـ `launchctl`. -> لمزيد من التفاصيل: . - -- إعرض التوثيقات للأمر الأصلي: - -`tldr launchctl` diff --git a/pages.ar/windows/chrome.md b/pages.ar/windows/chrome.md deleted file mode 100644 index 44ffb045e..000000000 --- a/pages.ar/windows/chrome.md +++ /dev/null @@ -1,8 +0,0 @@ -# chrome - -> هذا الأمر هو اسم مستعار لـ `chromium`. -> لمزيد من التفاصيل: . - -- إعرض التوثيقات للأمر الأصلي: - -`tldr chromium` diff --git a/pages.ar/windows/cinst.md b/pages.ar/windows/cinst.md deleted file mode 100644 index a85188586..000000000 --- a/pages.ar/windows/cinst.md +++ /dev/null @@ -1,8 +0,0 @@ -# cinst - -> هذا الأمر هو اسم مستعار لـ `choco install`. -> لمزيد من التفاصيل: . - -- إعرض التوثيقات للأمر الأصلي: - -`tldr choco install` diff --git a/pages.ar/windows/clist.md b/pages.ar/windows/clist.md deleted file mode 100644 index 081c5e54b..000000000 --- a/pages.ar/windows/clist.md +++ /dev/null @@ -1,8 +0,0 @@ -# clist - -> هذا الأمر هو اسم مستعار لـ `choco list`. -> لمزيد من التفاصيل: . - -- إعرض التوثيقات للأمر الأصلي: - -`tldr choco list` diff --git a/pages.ar/windows/cpush.md b/pages.ar/windows/cpush.md deleted file mode 100644 index 5b0559bd2..000000000 --- a/pages.ar/windows/cpush.md +++ /dev/null @@ -1,8 +0,0 @@ -# cpush - -> هذا الأمر هو اسم مستعار لـ `choco-push`. -> لمزيد من التفاصيل: . - -- إعرض التوثيقات للأمر الأصلي: - -`tldr choco-push` diff --git a/pages.ar/windows/cuninst.md b/pages.ar/windows/cuninst.md deleted file mode 100644 index 4030f66bd..000000000 --- a/pages.ar/windows/cuninst.md +++ /dev/null @@ -1,8 +0,0 @@ -# cuninst - -> هذا الأمر هو اسم مستعار لـ `choco uninstall`. -> لمزيد من التفاصيل: . - -- إعرض التوثيقات للأمر الأصلي: - -`tldr choco uninstall` diff --git a/pages.ar/windows/rd.md b/pages.ar/windows/rd.md deleted file mode 100644 index 458a57545..000000000 --- a/pages.ar/windows/rd.md +++ /dev/null @@ -1,8 +0,0 @@ -# rd - -> هذا الأمر هو اسم مستعار لـ `rmdir`. -> لمزيد من التفاصيل: . - -- إعرض التوثيقات للأمر الأصلي: - -`tldr rmdir` diff --git a/pages.bn/common/!.md b/pages.bn/common/!.md index 77fca2bad..0984c5f63 100644 --- a/pages.bn/common/!.md +++ b/pages.bn/common/!.md @@ -1,7 +1,7 @@ # Exclamation mark > ইতিহাসে পেয়ে যাওয়া কমান্ড দিয়ে বিকল্প বাছানোর জন্য ব্যবহৃত ব্যাশ শেলে পুনর্নির্মিত। -> আরও তথ্য পাবেন: । +> আরও তথ্য পাবেন: । - সুডো দিয়ে আগের কমান্ড পুনর্নির্মিত করুন: diff --git a/pages.bn/common/2to3.md b/pages.bn/common/2to3.md index efa8b45e8..44a3723b5 100644 --- a/pages.bn/common/2to3.md +++ b/pages.bn/common/2to3.md @@ -13,11 +13,11 @@ - নির্দিষ্ট পাইথন 2 ভাষা বৈশিষ্ট্যগুলি পাইথন 3 এ রূপান্তর করুন: -`2to3 --write {{ফাইলের/পথ.py}} --fix={{raw_input}} --fix={{print}}` +`2to3 --write {{ফাইলের/পথ.py}} --fix {{raw_input}} --fix {{print}}` - নির্দিষ্ট না করে সমস্ত পাইথন 2 ভাষা বৈশিষ্ট্যগুলি পাইথন 3 এ রূপান্তর করুন: -`2to3 --write {{ফাইলের/পথ.py}} --nofix={{has_key}} --nofix={{isinstance}}` +`2to3 --write {{ফাইলের/পথ.py}} --nofix {{has_key}} --nofix {{isinstance}}` - পাইথন 2 থেকে পাইথন 3 এ রূপান্তর করা যাবত সমস্ত উপলব্ধ ভাষা বৈশিষ্ট্যের তালিকা প্রদর্শন করুন: @@ -25,8 +25,8 @@ - একটি ডিরেক্টরিতে সমস্ত পাইথন 2 ফাইলগুলি পাইথন 3 এ রূপান্তর করুন: -`2to3 --output-dir={{পাথ/টু/পাইথন3_ডিরেক্টরি}} --write-unchanged-files --nobackups {{পাথ/টু/পাইথন2_ডিরেক্টরি}}` +`2to3 --output-dir {{পাথ/টু/পাইথন3_ডিরেক্টরি}} --write-unchanged-files --nobackups {{পাথ/টু/পাইথন2_ডিরেক্টরি}}` - মাল্টিপল থ্রেড সহ ২টু৩ চালান: -`2to3 --processes={{4}} --output-dir={{পাথ/টু/পাইথন3_ডিরেক্টরি}} --write --nobackups --no-diff {{পাথ/টু/পাইথন2_ডিরেক্টরি}}` +`2to3 --processes {{4}} --output-dir {{পাথ/টু/পাইথন3_ডিরেক্টরি}} --write --nobackups --no-diff {{পাথ/টু/পাইথন2_ডিরেক্টরি}}` diff --git a/pages.bn/common/7zr.md b/pages.bn/common/7zr.md index 037693820..f57ac4788 100644 --- a/pages.bn/common/7zr.md +++ b/pages.bn/common/7zr.md @@ -1,7 +1,7 @@ # 7zr > একটি উচ্চ সঙ্কোচন অনুবাদক সাথে ফাইল অ্যার্কাইভার। -> `7z` এর মত, কিন্তু এটি কেবলমাত্র `.7z` ফাইলগুলি সমর্থন করে। +> `7z` এর মত, কিন্তু এটি কেবলমাত্র 7z ফাইলগুলি সমর্থন করে। > আরও তথ্য পাবেন: । - একটি ফাইল বা ডিরেক্টরি অ্যার্কাইভ করুন: diff --git a/pages.bn/common/[.md b/pages.bn/common/[.md index d96adb25c..509dad7b2 100644 --- a/pages.bn/common/[.md +++ b/pages.bn/common/[.md @@ -2,7 +2,7 @@ > ফাইল প্রকার পরীক্ষা করুন এবং মান তুলনা করুন। > শর্তটি সত্য মানে 0 স্ট্যাটাস ফিরিয়ে দেয়, এবং শর্তটি মিথ্যা মানে 1। -> আরও তথ্য পাবেন: । +> আরও তথ্য পাবেন: । - পরীক্ষা করুন যদি দেওয়া ভেরিয়েবল নির্দিষ্ট স্ট্রিং এর সমান/সমান না হয়: diff --git a/pages.bn/common/[[.md b/pages.bn/common/[[.md index 0103a7bec..d00fce9f7 100644 --- a/pages.bn/common/[[.md +++ b/pages.bn/common/[[.md @@ -2,7 +2,7 @@ > ফাইল প্রকার পরীক্ষা করুন এবং মান তুলনা করুন। > শর্তটি সত্য মানে 0 স্ট্যাটাস ফিরিয়ে দেয়, এবং শর্তটি মিথ্যা মানে 1। -> আরও তথ্য পাবেন: । +> আরও তথ্য পাবেন: । - পরীক্ষা করুন যদি দেওয়া ভেরিয়েবল নির্দিষ্ট স্ট্রিং এর সমান/সমান না হয়: diff --git a/pages.bn/common/ack.md b/pages.bn/common/ack.md index 214e4eb2d..a7aaaed73 100644 --- a/pages.bn/common/ack.md +++ b/pages.bn/common/ack.md @@ -18,11 +18,11 @@ - নির্দিষ্ট প্রকারের ফাইলগুলিতে সীমাবদ্ধ খোঁজ করুন: -`ack --type={{ruby}} "{{খোঁজের_প্যাটার্ন}}"` +`ack --type {{ruby}} "{{খোঁজের_প্যাটার্ন}}"` - নির্দিষ্ট প্রকারের ফাইলগুলিতে খোঁজুন না: -`ack --type=no{{ruby}} "{{খোঁজের_প্যাটার্ন}}"` +`ack --type no{{ruby}} "{{খোঁজের_প্যাটার্ন}}"` - পাওয়া মিলে সম্পূর্ণ ম্যাচের সম্পূর্ণ সংখ্যা গণনা করুন: diff --git a/pages.bn/linux/apt.md b/pages.bn/linux/apt.md index f521a3b20..3ee2df8f0 100644 --- a/pages.bn/linux/apt.md +++ b/pages.bn/linux/apt.md @@ -2,7 +2,7 @@ > ডেবিয়ান ভিত্তিক ডিস্ট্রিবিউশনের জন্য প্যাকেজ ম্যানেজমেন্ট ইউটিলিটি। > ইন্টারেক্টিভভাবে ব্যবহৃত হলে উবুন্টু সংস্করণ 16.04 এবং তার পরবর্তী সংস্করনের জন্য `apt-get` এর পরিবরতে রেকোমেন্ডেড প্রতিস্থাপন। -> আরও তথ্য পাবেন: । +> আরও তথ্য পাবেন: । - উপলভ্য প্যাকেজ এবং সংস্করণের তালিকা আপডেট করুন (অন্যান্য `apt` কমান্ডের আগে এটি চালানোর পরামর্শ দেওয়া হচ্ছে): diff --git a/pages.bs/common/bundler.md b/pages.bs/common/bundler.md deleted file mode 100644 index 185e22b3c..000000000 --- a/pages.bs/common/bundler.md +++ /dev/null @@ -1,8 +0,0 @@ -# bundler - -> Ova komanda je pseudonim za `bundle`. -> Više informacija: . - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr bundle` diff --git a/pages.bs/common/clamav.md b/pages.bs/common/clamav.md index 0a2e8e140..6548696fd 100644 --- a/pages.bs/common/clamav.md +++ b/pages.bs/common/clamav.md @@ -1,4 +1,4 @@ -# clamav +# ClamAV > Ova komanda je pseudonim za `clamdscan`. > Više informacija: . diff --git a/pages.bs/common/cron.md b/pages.bs/common/cron.md deleted file mode 100644 index 2b2914711..000000000 --- a/pages.bs/common/cron.md +++ /dev/null @@ -1,7 +0,0 @@ -# cron - -> Ova komanda je pseudonim za `crontab`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr crontab` diff --git a/pages.bs/common/fossil-ci.md b/pages.bs/common/fossil-ci.md index 0e9860108..54d861b24 100644 --- a/pages.bs/common/fossil-ci.md +++ b/pages.bs/common/fossil-ci.md @@ -1,6 +1,6 @@ -# fossil-ci +# fossil ci -> Ova komanda je pseudonim za `fossil-commit`. +> Ova komanda je pseudonim za `fossil commit`. > Više informacija: . - Pogledaj dokumentaciju za izvornu komandu: diff --git a/pages.bs/common/fossil-delete.md b/pages.bs/common/fossil-delete.md index e02011f95..536fec9da 100644 --- a/pages.bs/common/fossil-delete.md +++ b/pages.bs/common/fossil-delete.md @@ -1,4 +1,4 @@ -# fossil-delete +# fossil delete > Ova komanda je pseudonim za `fossil rm`. > Više informacija: . diff --git a/pages.bs/common/fossil-forget.md b/pages.bs/common/fossil-forget.md index fb18dad99..14a7c7d79 100644 --- a/pages.bs/common/fossil-forget.md +++ b/pages.bs/common/fossil-forget.md @@ -1,4 +1,4 @@ -# fossil-forget +# fossil forget > Ova komanda je pseudonim za `fossil rm`. > Više informacija: . diff --git a/pages.bs/common/fossil-new.md b/pages.bs/common/fossil-new.md index fc0f95418..0f2fde8ae 100644 --- a/pages.bs/common/fossil-new.md +++ b/pages.bs/common/fossil-new.md @@ -1,6 +1,6 @@ -# fossil-new +# fossil new -> Ova komanda je pseudonim za `fossil-init`. +> Ova komanda je pseudonim za `fossil init`. > Više informacija: . - Pogledaj dokumentaciju za izvornu komandu: diff --git a/pages.bs/common/gh-cs.md b/pages.bs/common/gh-cs.md index 9983ba1e6..ea7cd28ef 100644 --- a/pages.bs/common/gh-cs.md +++ b/pages.bs/common/gh-cs.md @@ -1,6 +1,6 @@ -# gh-cs +# gh cs -> Ova komanda je pseudonim za `gh-codespace`. +> Ova komanda je pseudonim za `gh codespace`. > Više informacija: . - Pogledaj dokumentaciju za izvornu komandu: diff --git a/pages.bs/common/gnmic-sub.md b/pages.bs/common/gnmic-sub.md index b0dc11512..63cb4ef6f 100644 --- a/pages.bs/common/gnmic-sub.md +++ b/pages.bs/common/gnmic-sub.md @@ -1,4 +1,4 @@ -# gnmic-sub +# gnmic sub > Ova komanda je pseudonim za `gnmic subscribe`. > Više informacija: . diff --git a/pages.bs/common/google-chrome.md b/pages.bs/common/google-chrome.md deleted file mode 100644 index d8e667643..000000000 --- a/pages.bs/common/google-chrome.md +++ /dev/null @@ -1,8 +0,0 @@ -# google-chrome - -> Ova komanda je pseudonim za `chromium`. -> Više informacija: . - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr chromium` diff --git a/pages.bs/common/hx.md b/pages.bs/common/hx.md deleted file mode 100644 index 78ea74cc0..000000000 --- a/pages.bs/common/hx.md +++ /dev/null @@ -1,7 +0,0 @@ -# hx - -> Ova komanda je pseudonim za `helix`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr helix` diff --git a/pages.bs/common/kafkacat.md b/pages.bs/common/kafkacat.md deleted file mode 100644 index 25371d816..000000000 --- a/pages.bs/common/kafkacat.md +++ /dev/null @@ -1,7 +0,0 @@ -# kafkacat - -> Ova komanda je pseudonim za `kcat`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr kcat` diff --git a/pages.bs/common/lzcat.md b/pages.bs/common/lzcat.md deleted file mode 100644 index 04045ee8b..000000000 --- a/pages.bs/common/lzcat.md +++ /dev/null @@ -1,8 +0,0 @@ -# lzcat - -> Ova komanda je pseudonim za `xz`. -> Više informacija: . - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr xz` diff --git a/pages.bs/common/lzma.md b/pages.bs/common/lzma.md deleted file mode 100644 index c44bd5f96..000000000 --- a/pages.bs/common/lzma.md +++ /dev/null @@ -1,8 +0,0 @@ -# lzma - -> Ova komanda je pseudonim za `xz`. -> Više informacija: . - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr xz` diff --git a/pages.bs/common/nm-classic.md b/pages.bs/common/nm-classic.md deleted file mode 100644 index 91396ef6e..000000000 --- a/pages.bs/common/nm-classic.md +++ /dev/null @@ -1,7 +0,0 @@ -# nm-classic - -> Ova komanda je pseudonim za `nm`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr nm` diff --git a/pages.bs/common/ntl.md b/pages.bs/common/ntl.md deleted file mode 100644 index 22030c020..000000000 --- a/pages.bs/common/ntl.md +++ /dev/null @@ -1,8 +0,0 @@ -# ntl - -> Ova komanda je pseudonim za `netlify`. -> Više informacija: . - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr netlify` diff --git a/pages.bs/common/ptpython3.md b/pages.bs/common/ptpython3.md deleted file mode 100644 index f85b7dd95..000000000 --- a/pages.bs/common/ptpython3.md +++ /dev/null @@ -1,7 +0,0 @@ -# ptpython3 - -> Ova komanda je pseudonim za `ptpython`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr ptpython` diff --git a/pages.bs/common/python3.md b/pages.bs/common/python3.md deleted file mode 100644 index dab642cef..000000000 --- a/pages.bs/common/python3.md +++ /dev/null @@ -1,7 +0,0 @@ -# python3 - -> Ova komanda je pseudonim za `python`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr python` diff --git a/pages.bs/common/rcat.md b/pages.bs/common/rcat.md deleted file mode 100644 index 3ce6d09dd..000000000 --- a/pages.bs/common/rcat.md +++ /dev/null @@ -1,7 +0,0 @@ -# rcat - -> Ova komanda je pseudonim za `rc`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr rc` diff --git a/pages.bs/common/ripgrep.md b/pages.bs/common/ripgrep.md deleted file mode 100644 index 3172ff97f..000000000 --- a/pages.bs/common/ripgrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# ripgrep - -> Ova komanda je pseudonim za `rg`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr rg` diff --git a/pages.bs/common/todoman.md b/pages.bs/common/todoman.md deleted file mode 100644 index 754e4bb01..000000000 --- a/pages.bs/common/todoman.md +++ /dev/null @@ -1,8 +0,0 @@ -# todoman - -> Ova komanda je pseudonim za `todo`. -> Više informacija: . - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr todo` diff --git a/pages.bs/common/transmission.md b/pages.bs/common/transmission.md deleted file mode 100644 index d03e685ab..000000000 --- a/pages.bs/common/transmission.md +++ /dev/null @@ -1,8 +0,0 @@ -# transmission - -> Ova komanda je pseudonim za `transmission-daemon`. -> Više informacija: . - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr transmission-daemon` diff --git a/pages.bs/common/unlzma.md b/pages.bs/common/unlzma.md deleted file mode 100644 index abecd58ee..000000000 --- a/pages.bs/common/unlzma.md +++ /dev/null @@ -1,8 +0,0 @@ -# unlzma - -> Ova komanda je pseudonim za `xz`. -> Više informacija: . - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr xz` diff --git a/pages.bs/common/unxz.md b/pages.bs/common/unxz.md deleted file mode 100644 index fb54e88f9..000000000 --- a/pages.bs/common/unxz.md +++ /dev/null @@ -1,8 +0,0 @@ -# unxz - -> Ova komanda je pseudonim za `xz`. -> Više informacija: . - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr xz` diff --git a/pages.bs/common/xzcat.md b/pages.bs/common/xzcat.md deleted file mode 100644 index 6e51b6462..000000000 --- a/pages.bs/common/xzcat.md +++ /dev/null @@ -1,8 +0,0 @@ -# xzcat - -> Ova komanda je pseudonim za `xz`. -> Više informacija: . - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr xz` diff --git a/pages.bs/linux/alternatives.md b/pages.bs/linux/alternatives.md deleted file mode 100644 index 85e6a08f5..000000000 --- a/pages.bs/linux/alternatives.md +++ /dev/null @@ -1,8 +0,0 @@ -# alternatives - -> Ova komanda je pseudonim za `update-alternatives`. -> Više informacija: . - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr update-alternatives` diff --git a/pages.bs/linux/batcat.md b/pages.bs/linux/batcat.md deleted file mode 100644 index 939ff4209..000000000 --- a/pages.bs/linux/batcat.md +++ /dev/null @@ -1,8 +0,0 @@ -# batcat - -> Ova komanda je pseudonim za `bat`. -> Više informacija: . - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr bat` diff --git a/pages.bs/linux/bspwm.md b/pages.bs/linux/bspwm.md deleted file mode 100644 index 4b18aeb3c..000000000 --- a/pages.bs/linux/bspwm.md +++ /dev/null @@ -1,8 +0,0 @@ -# bspwm - -> Ova komanda je pseudonim za `bspc`. -> Više informacija: . - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr bspc` diff --git a/pages.bs/linux/cc.md b/pages.bs/linux/cc.md deleted file mode 100644 index f2e369c0d..000000000 --- a/pages.bs/linux/cc.md +++ /dev/null @@ -1,8 +0,0 @@ -# cc - -> Ova komanda je pseudonim za `gcc`. -> Više informacija: . - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr gcc` diff --git a/pages.bs/linux/cgroups.md b/pages.bs/linux/cgroups.md deleted file mode 100644 index bc4995482..000000000 --- a/pages.bs/linux/cgroups.md +++ /dev/null @@ -1,8 +0,0 @@ -# cgroups - -> Ova komanda je pseudonim za `cgclassify`. -> Više informacija: . - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr cgclassify` diff --git a/pages.bs/linux/ip-route-list.md b/pages.bs/linux/ip-route-list.md index e86e52d17..7f87e1919 100644 --- a/pages.bs/linux/ip-route-list.md +++ b/pages.bs/linux/ip-route-list.md @@ -1,6 +1,6 @@ -# ip-route-list +# ip route list -> Ova komanda je pseudonim za `ip-route-show`. +> Ova komanda je pseudonim za `ip route show`. - Pogledaj dokumentaciju za izvornu komandu: diff --git a/pages.bs/linux/megadl.md b/pages.bs/linux/megadl.md deleted file mode 100644 index cdd987552..000000000 --- a/pages.bs/linux/megadl.md +++ /dev/null @@ -1,8 +0,0 @@ -# megadl - -> Ova komanda je pseudonim za `megatools-dl`. -> Više informacija: . - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr megatools-dl` diff --git a/pages.bs/linux/ubuntu-bug.md b/pages.bs/linux/ubuntu-bug.md deleted file mode 100644 index 1361cf211..000000000 --- a/pages.bs/linux/ubuntu-bug.md +++ /dev/null @@ -1,8 +0,0 @@ -# ubuntu-bug - -> Ova komanda je pseudonim za `apport-bug`. -> Više informacija: . - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr apport-bug` diff --git a/pages.bs/osx/aa.md b/pages.bs/osx/aa.md deleted file mode 100644 index 77e506f6d..000000000 --- a/pages.bs/osx/aa.md +++ /dev/null @@ -1,7 +0,0 @@ -# aa - -> Ova komanda je pseudonim za `yaa`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr yaa` diff --git a/pages.bs/osx/g[.md b/pages.bs/osx/g[.md deleted file mode 100644 index ec69bdbcf..000000000 --- a/pages.bs/osx/g[.md +++ /dev/null @@ -1,7 +0,0 @@ -# g[ - -> Ova komanda je pseudonim za `-p linux [`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux [` diff --git a/pages.bs/osx/gawk.md b/pages.bs/osx/gawk.md deleted file mode 100644 index ea7de8a03..000000000 --- a/pages.bs/osx/gawk.md +++ /dev/null @@ -1,7 +0,0 @@ -# gawk - -> Ova komanda je pseudonim za `-p linux awk`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux awk` diff --git a/pages.bs/osx/gb2sum.md b/pages.bs/osx/gb2sum.md deleted file mode 100644 index 824ad6710..000000000 --- a/pages.bs/osx/gb2sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gb2sum - -> Ova komanda je pseudonim za `-p linux b2sum`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux b2sum` diff --git a/pages.bs/osx/gbase32.md b/pages.bs/osx/gbase32.md deleted file mode 100644 index fae165550..000000000 --- a/pages.bs/osx/gbase32.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbase32 - -> Ova komanda je pseudonim za `-p linux base32`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux base32` diff --git a/pages.bs/osx/gbase64.md b/pages.bs/osx/gbase64.md deleted file mode 100644 index 2397530d4..000000000 --- a/pages.bs/osx/gbase64.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbase64 - -> Ova komanda je pseudonim za `-p linux base64`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux base64` diff --git a/pages.bs/osx/gbasename.md b/pages.bs/osx/gbasename.md deleted file mode 100644 index a55465149..000000000 --- a/pages.bs/osx/gbasename.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbasename - -> Ova komanda je pseudonim za `-p linux basename`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux basename` diff --git a/pages.bs/osx/gbasenc.md b/pages.bs/osx/gbasenc.md deleted file mode 100644 index 79cb6422a..000000000 --- a/pages.bs/osx/gbasenc.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbasenc - -> Ova komanda je pseudonim za `-p linux basenc`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux basenc` diff --git a/pages.bs/osx/gcat.md b/pages.bs/osx/gcat.md deleted file mode 100644 index 469ba29e1..000000000 --- a/pages.bs/osx/gcat.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcat - -> Ova komanda je pseudonim za `-p linux cat`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux cat` diff --git a/pages.bs/osx/gchcon.md b/pages.bs/osx/gchcon.md deleted file mode 100644 index 32049783a..000000000 --- a/pages.bs/osx/gchcon.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchcon - -> Ova komanda je pseudonim za `-p linux chcon`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux chcon` diff --git a/pages.bs/osx/gchgrp.md b/pages.bs/osx/gchgrp.md deleted file mode 100644 index a42970143..000000000 --- a/pages.bs/osx/gchgrp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchgrp - -> Ova komanda je pseudonim za `-p linux chgrp`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux chgrp` diff --git a/pages.bs/osx/gchmod.md b/pages.bs/osx/gchmod.md deleted file mode 100644 index 4bf7a7a7c..000000000 --- a/pages.bs/osx/gchmod.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchmod - -> Ova komanda je pseudonim za `-p linux chmod`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux chmod` diff --git a/pages.bs/osx/gchown.md b/pages.bs/osx/gchown.md deleted file mode 100644 index 162056100..000000000 --- a/pages.bs/osx/gchown.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchown - -> Ova komanda je pseudonim za `-p linux chown`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux chown` diff --git a/pages.bs/osx/gchroot.md b/pages.bs/osx/gchroot.md deleted file mode 100644 index 6ce5d8fd5..000000000 --- a/pages.bs/osx/gchroot.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchroot - -> Ova komanda je pseudonim za `-p linux chroot`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux chroot` diff --git a/pages.bs/osx/gcksum.md b/pages.bs/osx/gcksum.md deleted file mode 100644 index f3aa2b7f5..000000000 --- a/pages.bs/osx/gcksum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcksum - -> Ova komanda je pseudonim za `-p linux cksum`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux cksum` diff --git a/pages.bs/osx/gcomm.md b/pages.bs/osx/gcomm.md deleted file mode 100644 index afe22bef5..000000000 --- a/pages.bs/osx/gcomm.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcomm - -> Ova komanda je pseudonim za `-p linux comm`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux comm` diff --git a/pages.bs/osx/gcp.md b/pages.bs/osx/gcp.md deleted file mode 100644 index 9ce70be0c..000000000 --- a/pages.bs/osx/gcp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcp - -> Ova komanda je pseudonim za `-p linux cp`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux cp` diff --git a/pages.bs/osx/gcsplit.md b/pages.bs/osx/gcsplit.md deleted file mode 100644 index c988c1d45..000000000 --- a/pages.bs/osx/gcsplit.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcsplit - -> Ova komanda je pseudonim za `-p linux csplit`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux csplit` diff --git a/pages.bs/osx/gcut.md b/pages.bs/osx/gcut.md deleted file mode 100644 index 8ab40d0f0..000000000 --- a/pages.bs/osx/gcut.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcut - -> Ova komanda je pseudonim za `-p linux cut`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux cut` diff --git a/pages.bs/osx/gdate.md b/pages.bs/osx/gdate.md deleted file mode 100644 index 760b59f89..000000000 --- a/pages.bs/osx/gdate.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdate - -> Ova komanda je pseudonim za `-p linux date`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux date` diff --git a/pages.bs/osx/gdd.md b/pages.bs/osx/gdd.md deleted file mode 100644 index 01b1f1579..000000000 --- a/pages.bs/osx/gdd.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdd - -> Ova komanda je pseudonim za `-p linux dd`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux dd` diff --git a/pages.bs/osx/gdf.md b/pages.bs/osx/gdf.md deleted file mode 100644 index 0aba67466..000000000 --- a/pages.bs/osx/gdf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdf - -> Ova komanda je pseudonim za `-p linux df`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux df` diff --git a/pages.bs/osx/gdir.md b/pages.bs/osx/gdir.md deleted file mode 100644 index 400f0dde9..000000000 --- a/pages.bs/osx/gdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdir - -> Ova komanda je pseudonim za `-p linux dir`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux dir` diff --git a/pages.bs/osx/gdircolors.md b/pages.bs/osx/gdircolors.md deleted file mode 100644 index d484542fa..000000000 --- a/pages.bs/osx/gdircolors.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdircolors - -> Ova komanda je pseudonim za `-p linux dircolors`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux dircolors` diff --git a/pages.bs/osx/gdirname.md b/pages.bs/osx/gdirname.md deleted file mode 100644 index 968555fbe..000000000 --- a/pages.bs/osx/gdirname.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdirname - -> Ova komanda je pseudonim za `-p linux dirname`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux dirname` diff --git a/pages.bs/osx/gdnsdomainname.md b/pages.bs/osx/gdnsdomainname.md deleted file mode 100644 index 1d2dae831..000000000 --- a/pages.bs/osx/gdnsdomainname.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdnsdomainname - -> Ova komanda je pseudonim za `-p linux dnsdomainname`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux dnsdomainname` diff --git a/pages.bs/osx/gecho.md b/pages.bs/osx/gecho.md deleted file mode 100644 index 8ab7c6748..000000000 --- a/pages.bs/osx/gecho.md +++ /dev/null @@ -1,7 +0,0 @@ -# gecho - -> Ova komanda je pseudonim za `-p linux echo`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux echo` diff --git a/pages.bs/osx/ged.md b/pages.bs/osx/ged.md deleted file mode 100644 index 2ceca5f83..000000000 --- a/pages.bs/osx/ged.md +++ /dev/null @@ -1,7 +0,0 @@ -# ged - -> Ova komanda je pseudonim za `-p linux ed`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux ed` diff --git a/pages.bs/osx/gegrep.md b/pages.bs/osx/gegrep.md deleted file mode 100644 index 3980d6135..000000000 --- a/pages.bs/osx/gegrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# gegrep - -> Ova komanda je pseudonim za `-p linux egrep`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux egrep` diff --git a/pages.bs/osx/genv.md b/pages.bs/osx/genv.md deleted file mode 100644 index 6e95ef6cf..000000000 --- a/pages.bs/osx/genv.md +++ /dev/null @@ -1,7 +0,0 @@ -# genv - -> Ova komanda je pseudonim za `-p linux env`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux env` diff --git a/pages.bs/osx/gexpand.md b/pages.bs/osx/gexpand.md deleted file mode 100644 index ae6afed28..000000000 --- a/pages.bs/osx/gexpand.md +++ /dev/null @@ -1,7 +0,0 @@ -# gexpand - -> Ova komanda je pseudonim za `-p linux expand`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux expand` diff --git a/pages.bs/osx/gexpr.md b/pages.bs/osx/gexpr.md deleted file mode 100644 index 73404e9e8..000000000 --- a/pages.bs/osx/gexpr.md +++ /dev/null @@ -1,7 +0,0 @@ -# gexpr - -> Ova komanda je pseudonim za `-p linux expr`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux expr` diff --git a/pages.bs/osx/gfactor.md b/pages.bs/osx/gfactor.md deleted file mode 100644 index e20a6b595..000000000 --- a/pages.bs/osx/gfactor.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfactor - -> Ova komanda je pseudonim za `-p linux factor`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux factor` diff --git a/pages.bs/osx/gfalse.md b/pages.bs/osx/gfalse.md deleted file mode 100644 index f90fc2ffd..000000000 --- a/pages.bs/osx/gfalse.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfalse - -> Ova komanda je pseudonim za `-p linux false`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux false` diff --git a/pages.bs/osx/gfgrep.md b/pages.bs/osx/gfgrep.md deleted file mode 100644 index 1543bb8fc..000000000 --- a/pages.bs/osx/gfgrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfgrep - -> Ova komanda je pseudonim za `-p linux fgrep`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux fgrep` diff --git a/pages.bs/osx/gfind.md b/pages.bs/osx/gfind.md deleted file mode 100644 index 7b43756e8..000000000 --- a/pages.bs/osx/gfind.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfind - -> Ova komanda je pseudonim za `-p linux find`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux find` diff --git a/pages.bs/osx/gfmt.md b/pages.bs/osx/gfmt.md deleted file mode 100644 index 0c5c7a1b0..000000000 --- a/pages.bs/osx/gfmt.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfmt - -> Ova komanda je pseudonim za `-p linux fmt`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux fmt` diff --git a/pages.bs/osx/gfold.md b/pages.bs/osx/gfold.md deleted file mode 100644 index 68a50a2df..000000000 --- a/pages.bs/osx/gfold.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfold - -> Ova komanda je pseudonim za `-p linux fold`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux fold` diff --git a/pages.bs/osx/gftp.md b/pages.bs/osx/gftp.md deleted file mode 100644 index d3fe380d1..000000000 --- a/pages.bs/osx/gftp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gftp - -> Ova komanda je pseudonim za `-p linux ftp`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux ftp` diff --git a/pages.bs/osx/ggrep.md b/pages.bs/osx/ggrep.md deleted file mode 100644 index 5106e7107..000000000 --- a/pages.bs/osx/ggrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# ggrep - -> Ova komanda je pseudonim za `-p linux grep`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux grep` diff --git a/pages.bs/osx/ggroups.md b/pages.bs/osx/ggroups.md deleted file mode 100644 index f9a344c51..000000000 --- a/pages.bs/osx/ggroups.md +++ /dev/null @@ -1,7 +0,0 @@ -# ggroups - -> Ova komanda je pseudonim za `-p linux groups`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux groups` diff --git a/pages.bs/osx/ghead.md b/pages.bs/osx/ghead.md deleted file mode 100644 index afaf026e1..000000000 --- a/pages.bs/osx/ghead.md +++ /dev/null @@ -1,7 +0,0 @@ -# ghead - -> Ova komanda je pseudonim za `-p linux head`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux head` diff --git a/pages.bs/osx/ghostid.md b/pages.bs/osx/ghostid.md deleted file mode 100644 index 9fe356b82..000000000 --- a/pages.bs/osx/ghostid.md +++ /dev/null @@ -1,7 +0,0 @@ -# ghostid - -> Ova komanda je pseudonim za `-p linux hostid`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux hostid` diff --git a/pages.bs/osx/ghostname.md b/pages.bs/osx/ghostname.md deleted file mode 100644 index 3fb96eb82..000000000 --- a/pages.bs/osx/ghostname.md +++ /dev/null @@ -1,7 +0,0 @@ -# ghostname - -> Ova komanda je pseudonim za `-p linux hostname`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux hostname` diff --git a/pages.bs/osx/gid.md b/pages.bs/osx/gid.md deleted file mode 100644 index 1bd40e32f..000000000 --- a/pages.bs/osx/gid.md +++ /dev/null @@ -1,7 +0,0 @@ -# gid - -> Ova komanda je pseudonim za `-p linux id`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux id` diff --git a/pages.bs/osx/gifconfig.md b/pages.bs/osx/gifconfig.md deleted file mode 100644 index b78ba0b8d..000000000 --- a/pages.bs/osx/gifconfig.md +++ /dev/null @@ -1,7 +0,0 @@ -# gifconfig - -> Ova komanda je pseudonim za `-p linux ifconfig`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux ifconfig` diff --git a/pages.bs/osx/gindent.md b/pages.bs/osx/gindent.md deleted file mode 100644 index 4df828e79..000000000 --- a/pages.bs/osx/gindent.md +++ /dev/null @@ -1,7 +0,0 @@ -# gindent - -> Ova komanda je pseudonim za `-p linux indent`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux indent` diff --git a/pages.bs/osx/ginstall.md b/pages.bs/osx/ginstall.md deleted file mode 100644 index 0d8fcc535..000000000 --- a/pages.bs/osx/ginstall.md +++ /dev/null @@ -1,7 +0,0 @@ -# ginstall - -> Ova komanda je pseudonim za `-p linux install`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux install` diff --git a/pages.bs/osx/gjoin.md b/pages.bs/osx/gjoin.md deleted file mode 100644 index 886fc3833..000000000 --- a/pages.bs/osx/gjoin.md +++ /dev/null @@ -1,7 +0,0 @@ -# gjoin - -> Ova komanda je pseudonim za `-p linux join`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux join` diff --git a/pages.bs/osx/gkill.md b/pages.bs/osx/gkill.md deleted file mode 100644 index 40b7fcdf1..000000000 --- a/pages.bs/osx/gkill.md +++ /dev/null @@ -1,7 +0,0 @@ -# gkill - -> Ova komanda je pseudonim za `-p linux kill`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux kill` diff --git a/pages.bs/osx/glibtool.md b/pages.bs/osx/glibtool.md deleted file mode 100644 index 7ec1e82a4..000000000 --- a/pages.bs/osx/glibtool.md +++ /dev/null @@ -1,7 +0,0 @@ -# glibtool - -> Ova komanda je pseudonim za `-p linux libtool`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux libtool` diff --git a/pages.bs/osx/glibtoolize.md b/pages.bs/osx/glibtoolize.md deleted file mode 100644 index 89fa86178..000000000 --- a/pages.bs/osx/glibtoolize.md +++ /dev/null @@ -1,7 +0,0 @@ -# glibtoolize - -> Ova komanda je pseudonim za `-p linux libtoolize`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux libtoolize` diff --git a/pages.bs/osx/glink.md b/pages.bs/osx/glink.md deleted file mode 100644 index e3847c6d8..000000000 --- a/pages.bs/osx/glink.md +++ /dev/null @@ -1,7 +0,0 @@ -# glink - -> Ova komanda je pseudonim za `-p linux link`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux link` diff --git a/pages.bs/osx/gln.md b/pages.bs/osx/gln.md deleted file mode 100644 index 75e0be54a..000000000 --- a/pages.bs/osx/gln.md +++ /dev/null @@ -1,7 +0,0 @@ -# gln - -> Ova komanda je pseudonim za `-p linux ln`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux ln` diff --git a/pages.bs/osx/glocate.md b/pages.bs/osx/glocate.md deleted file mode 100644 index d1d9f66ba..000000000 --- a/pages.bs/osx/glocate.md +++ /dev/null @@ -1,7 +0,0 @@ -# glocate - -> Ova komanda je pseudonim za `-p linux locate`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux locate` diff --git a/pages.bs/osx/glogger.md b/pages.bs/osx/glogger.md deleted file mode 100644 index 42322caa7..000000000 --- a/pages.bs/osx/glogger.md +++ /dev/null @@ -1,7 +0,0 @@ -# glogger - -> Ova komanda je pseudonim za `-p linux logger`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux logger` diff --git a/pages.bs/osx/glogname.md b/pages.bs/osx/glogname.md deleted file mode 100644 index be6ae10a4..000000000 --- a/pages.bs/osx/glogname.md +++ /dev/null @@ -1,7 +0,0 @@ -# glogname - -> Ova komanda je pseudonim za `-p linux logname`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux logname` diff --git a/pages.bs/osx/gls.md b/pages.bs/osx/gls.md deleted file mode 100644 index 5f704a029..000000000 --- a/pages.bs/osx/gls.md +++ /dev/null @@ -1,7 +0,0 @@ -# gls - -> Ova komanda je pseudonim za `-p linux ls`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux ls` diff --git a/pages.bs/osx/gmake.md b/pages.bs/osx/gmake.md deleted file mode 100644 index fd64dfa13..000000000 --- a/pages.bs/osx/gmake.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmake - -> Ova komanda je pseudonim za `-p linux make`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux make` diff --git a/pages.bs/osx/gmd5sum.md b/pages.bs/osx/gmd5sum.md deleted file mode 100644 index 087ee2f73..000000000 --- a/pages.bs/osx/gmd5sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmd5sum - -> Ova komanda je pseudonim za `-p linux md5sum`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux md5sum` diff --git a/pages.bs/osx/gmkdir.md b/pages.bs/osx/gmkdir.md deleted file mode 100644 index 271e277cf..000000000 --- a/pages.bs/osx/gmkdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmkdir - -> Ova komanda je pseudonim za `-p linux mkdir`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux mkdir` diff --git a/pages.bs/osx/gmkfifo.md b/pages.bs/osx/gmkfifo.md deleted file mode 100644 index 6bb42819e..000000000 --- a/pages.bs/osx/gmkfifo.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmkfifo - -> Ova komanda je pseudonim za `-p linux mkfifo`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux mkfifo` diff --git a/pages.bs/osx/gmknod.md b/pages.bs/osx/gmknod.md deleted file mode 100644 index 2786608a9..000000000 --- a/pages.bs/osx/gmknod.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmknod - -> Ova komanda je pseudonim za `-p linux mknod`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux mknod` diff --git a/pages.bs/osx/gmktemp.md b/pages.bs/osx/gmktemp.md deleted file mode 100644 index d31425a58..000000000 --- a/pages.bs/osx/gmktemp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmktemp - -> Ova komanda je pseudonim za `-p linux mktemp`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux mktemp` diff --git a/pages.bs/osx/gmv.md b/pages.bs/osx/gmv.md deleted file mode 100644 index 00d96b274..000000000 --- a/pages.bs/osx/gmv.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmv - -> Ova komanda je pseudonim za `-p linux mv`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux mv` diff --git a/pages.bs/osx/gnice.md b/pages.bs/osx/gnice.md deleted file mode 100644 index e5e4f94f9..000000000 --- a/pages.bs/osx/gnice.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnice - -> Ova komanda je pseudonim za `-p linux nice`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux nice` diff --git a/pages.bs/osx/gnl.md b/pages.bs/osx/gnl.md deleted file mode 100644 index 293b634c5..000000000 --- a/pages.bs/osx/gnl.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnl - -> Ova komanda je pseudonim za `-p linux nl`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux nl` diff --git a/pages.bs/osx/gnohup.md b/pages.bs/osx/gnohup.md deleted file mode 100644 index abe14061c..000000000 --- a/pages.bs/osx/gnohup.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnohup - -> Ova komanda je pseudonim za `-p linux nohup`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux nohup` diff --git a/pages.bs/osx/gnproc.md b/pages.bs/osx/gnproc.md deleted file mode 100644 index 5b1ee6b6f..000000000 --- a/pages.bs/osx/gnproc.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnproc - -> Ova komanda je pseudonim za `-p linux nproc`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux nproc` diff --git a/pages.bs/osx/gnumfmt.md b/pages.bs/osx/gnumfmt.md deleted file mode 100644 index 1601ae7cc..000000000 --- a/pages.bs/osx/gnumfmt.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnumfmt - -> Ova komanda je pseudonim za `-p linux numfmt`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux numfmt` diff --git a/pages.bs/osx/god.md b/pages.bs/osx/god.md deleted file mode 100644 index 95605a1dd..000000000 --- a/pages.bs/osx/god.md +++ /dev/null @@ -1,7 +0,0 @@ -# god - -> Ova komanda je pseudonim za `-p linux od`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux od` diff --git a/pages.bs/osx/gpaste.md b/pages.bs/osx/gpaste.md deleted file mode 100644 index 9541ab099..000000000 --- a/pages.bs/osx/gpaste.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpaste - -> Ova komanda je pseudonim za `-p linux paste`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux paste` diff --git a/pages.bs/osx/gpathchk.md b/pages.bs/osx/gpathchk.md deleted file mode 100644 index 158f466e4..000000000 --- a/pages.bs/osx/gpathchk.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpathchk - -> Ova komanda je pseudonim za `-p linux pathchk`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux pathchk` diff --git a/pages.bs/osx/gping.md b/pages.bs/osx/gping.md deleted file mode 100644 index 27ca9c4d8..000000000 --- a/pages.bs/osx/gping.md +++ /dev/null @@ -1,7 +0,0 @@ -# gping - -> Ova komanda je pseudonim za `-p linux ping`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux ping` diff --git a/pages.bs/osx/gping6.md b/pages.bs/osx/gping6.md deleted file mode 100644 index f2daf79ab..000000000 --- a/pages.bs/osx/gping6.md +++ /dev/null @@ -1,7 +0,0 @@ -# gping6 - -> Ova komanda je pseudonim za `-p linux ping6`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux ping6` diff --git a/pages.bs/osx/gpinky.md b/pages.bs/osx/gpinky.md deleted file mode 100644 index 9eb35f852..000000000 --- a/pages.bs/osx/gpinky.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpinky - -> Ova komanda je pseudonim za `-p linux pinky`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux pinky` diff --git a/pages.bs/osx/gpr.md b/pages.bs/osx/gpr.md deleted file mode 100644 index 85d0205c0..000000000 --- a/pages.bs/osx/gpr.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpr - -> Ova komanda je pseudonim za `-p linux pr`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux pr` diff --git a/pages.bs/osx/gprintenv.md b/pages.bs/osx/gprintenv.md deleted file mode 100644 index d39f1920d..000000000 --- a/pages.bs/osx/gprintenv.md +++ /dev/null @@ -1,7 +0,0 @@ -# gprintenv - -> Ova komanda je pseudonim za `-p linux printenv`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux printenv` diff --git a/pages.bs/osx/gprintf.md b/pages.bs/osx/gprintf.md deleted file mode 100644 index 00a32f052..000000000 --- a/pages.bs/osx/gprintf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gprintf - -> Ova komanda je pseudonim za `-p linux printf`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux printf` diff --git a/pages.bs/osx/gptx.md b/pages.bs/osx/gptx.md deleted file mode 100644 index 4e515bd4d..000000000 --- a/pages.bs/osx/gptx.md +++ /dev/null @@ -1,7 +0,0 @@ -# gptx - -> Ova komanda je pseudonim za `-p linux ptx`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux ptx` diff --git a/pages.bs/osx/gpwd.md b/pages.bs/osx/gpwd.md deleted file mode 100644 index 98ee572e7..000000000 --- a/pages.bs/osx/gpwd.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpwd - -> Ova komanda je pseudonim za `-p linux pwd`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux pwd` diff --git a/pages.bs/osx/grcp.md b/pages.bs/osx/grcp.md deleted file mode 100644 index 04cdb073a..000000000 --- a/pages.bs/osx/grcp.md +++ /dev/null @@ -1,7 +0,0 @@ -# grcp - -> Ova komanda je pseudonim za `-p linux rcp`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux rcp` diff --git a/pages.bs/osx/greadlink.md b/pages.bs/osx/greadlink.md deleted file mode 100644 index 99559149b..000000000 --- a/pages.bs/osx/greadlink.md +++ /dev/null @@ -1,7 +0,0 @@ -# greadlink - -> Ova komanda je pseudonim za `-p linux readlink`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux readlink` diff --git a/pages.bs/osx/grealpath.md b/pages.bs/osx/grealpath.md deleted file mode 100644 index ac8696591..000000000 --- a/pages.bs/osx/grealpath.md +++ /dev/null @@ -1,7 +0,0 @@ -# grealpath - -> Ova komanda je pseudonim za `-p linux realpath`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux realpath` diff --git a/pages.bs/osx/grexec.md b/pages.bs/osx/grexec.md deleted file mode 100644 index 3f466ee89..000000000 --- a/pages.bs/osx/grexec.md +++ /dev/null @@ -1,7 +0,0 @@ -# grexec - -> Ova komanda je pseudonim za `-p linux rexec`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux rexec` diff --git a/pages.bs/osx/grlogin.md b/pages.bs/osx/grlogin.md deleted file mode 100644 index 52c960e2c..000000000 --- a/pages.bs/osx/grlogin.md +++ /dev/null @@ -1,7 +0,0 @@ -# grlogin - -> Ova komanda je pseudonim za `-p linux rlogin`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux rlogin` diff --git a/pages.bs/osx/grm.md b/pages.bs/osx/grm.md deleted file mode 100644 index b4288233b..000000000 --- a/pages.bs/osx/grm.md +++ /dev/null @@ -1,7 +0,0 @@ -# grm - -> Ova komanda je pseudonim za `-p linux rm`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux rm` diff --git a/pages.bs/osx/grmdir.md b/pages.bs/osx/grmdir.md deleted file mode 100644 index 6b0870561..000000000 --- a/pages.bs/osx/grmdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# grmdir - -> Ova komanda je pseudonim za `-p linux rmdir`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux rmdir` diff --git a/pages.bs/osx/grsh.md b/pages.bs/osx/grsh.md deleted file mode 100644 index d9e59828e..000000000 --- a/pages.bs/osx/grsh.md +++ /dev/null @@ -1,7 +0,0 @@ -# grsh - -> Ova komanda je pseudonim za `-p linux rsh`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux rsh` diff --git a/pages.bs/osx/gruncon.md b/pages.bs/osx/gruncon.md deleted file mode 100644 index e5bc9a2a9..000000000 --- a/pages.bs/osx/gruncon.md +++ /dev/null @@ -1,7 +0,0 @@ -# gruncon - -> Ova komanda je pseudonim za `-p linux runcon`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux runcon` diff --git a/pages.bs/osx/gsed.md b/pages.bs/osx/gsed.md deleted file mode 100644 index 061916bc8..000000000 --- a/pages.bs/osx/gsed.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsed - -> Ova komanda je pseudonim za `-p linux sed`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux sed` diff --git a/pages.bs/osx/gseq.md b/pages.bs/osx/gseq.md deleted file mode 100644 index 595545ea5..000000000 --- a/pages.bs/osx/gseq.md +++ /dev/null @@ -1,7 +0,0 @@ -# gseq - -> Ova komanda je pseudonim za `-p linux seq`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux seq` diff --git a/pages.bs/osx/gsha1sum.md b/pages.bs/osx/gsha1sum.md deleted file mode 100644 index eb9eb3a0c..000000000 --- a/pages.bs/osx/gsha1sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha1sum - -> Ova komanda je pseudonim za `-p linux sha1sum`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux sha1sum` diff --git a/pages.bs/osx/gsha224sum.md b/pages.bs/osx/gsha224sum.md deleted file mode 100644 index 7e6d819c6..000000000 --- a/pages.bs/osx/gsha224sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha224sum - -> Ova komanda je pseudonim za `-p linux sha224sum`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux sha224sum` diff --git a/pages.bs/osx/gsha256sum.md b/pages.bs/osx/gsha256sum.md deleted file mode 100644 index c432810ab..000000000 --- a/pages.bs/osx/gsha256sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha256sum - -> Ova komanda je pseudonim za `-p linux sha256sum`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux sha256sum` diff --git a/pages.bs/osx/gsha384sum.md b/pages.bs/osx/gsha384sum.md deleted file mode 100644 index ce49b1fbd..000000000 --- a/pages.bs/osx/gsha384sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha384sum - -> Ova komanda je pseudonim za `-p linux sha384sum`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux sha384sum` diff --git a/pages.bs/osx/gsha512sum.md b/pages.bs/osx/gsha512sum.md deleted file mode 100644 index 481a1b23e..000000000 --- a/pages.bs/osx/gsha512sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha512sum - -> Ova komanda je pseudonim za `-p linux sha512sum`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux sha512sum` diff --git a/pages.bs/osx/gshred.md b/pages.bs/osx/gshred.md deleted file mode 100644 index d06aa3f80..000000000 --- a/pages.bs/osx/gshred.md +++ /dev/null @@ -1,7 +0,0 @@ -# gshred - -> Ova komanda je pseudonim za `-p linux shred`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux shred` diff --git a/pages.bs/osx/gshuf.md b/pages.bs/osx/gshuf.md deleted file mode 100644 index 6b15193e9..000000000 --- a/pages.bs/osx/gshuf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gshuf - -> Ova komanda je pseudonim za `-p linux shuf`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux shuf` diff --git a/pages.bs/osx/gsleep.md b/pages.bs/osx/gsleep.md deleted file mode 100644 index eaeb4aca9..000000000 --- a/pages.bs/osx/gsleep.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsleep - -> Ova komanda je pseudonim za `-p linux sleep`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux sleep` diff --git a/pages.bs/osx/gsort.md b/pages.bs/osx/gsort.md deleted file mode 100644 index 46b29f6b6..000000000 --- a/pages.bs/osx/gsort.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsort - -> Ova komanda je pseudonim za `-p linux sort`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux sort` diff --git a/pages.bs/osx/gsplit.md b/pages.bs/osx/gsplit.md deleted file mode 100644 index 1fb7ef73e..000000000 --- a/pages.bs/osx/gsplit.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsplit - -> Ova komanda je pseudonim za `-p linux split`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux split` diff --git a/pages.bs/osx/gstat.md b/pages.bs/osx/gstat.md deleted file mode 100644 index 3b8b73129..000000000 --- a/pages.bs/osx/gstat.md +++ /dev/null @@ -1,7 +0,0 @@ -# gstat - -> Ova komanda je pseudonim za `-p linux stat`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux stat` diff --git a/pages.bs/osx/gstdbuf.md b/pages.bs/osx/gstdbuf.md deleted file mode 100644 index f01cab4dd..000000000 --- a/pages.bs/osx/gstdbuf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gstdbuf - -> Ova komanda je pseudonim za `-p linux stdbuf`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux stdbuf` diff --git a/pages.bs/osx/gstty.md b/pages.bs/osx/gstty.md deleted file mode 100644 index 383758858..000000000 --- a/pages.bs/osx/gstty.md +++ /dev/null @@ -1,7 +0,0 @@ -# gstty - -> Ova komanda je pseudonim za `-p linux stty`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux stty` diff --git a/pages.bs/osx/gsum.md b/pages.bs/osx/gsum.md deleted file mode 100644 index 13a3083e3..000000000 --- a/pages.bs/osx/gsum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsum - -> Ova komanda je pseudonim za `-p linux sum`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux sum` diff --git a/pages.bs/osx/gsync.md b/pages.bs/osx/gsync.md deleted file mode 100644 index 46020f97c..000000000 --- a/pages.bs/osx/gsync.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsync - -> Ova komanda je pseudonim za `-p linux sync`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux sync` diff --git a/pages.bs/osx/gtac.md b/pages.bs/osx/gtac.md deleted file mode 100644 index 76d97b5d0..000000000 --- a/pages.bs/osx/gtac.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtac - -> Ova komanda je pseudonim za `-p linux tac`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux tac` diff --git a/pages.bs/osx/gtail.md b/pages.bs/osx/gtail.md deleted file mode 100644 index a250587a5..000000000 --- a/pages.bs/osx/gtail.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtail - -> Ova komanda je pseudonim za `-p linux tail`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux tail` diff --git a/pages.bs/osx/gtalk.md b/pages.bs/osx/gtalk.md deleted file mode 100644 index 85936f69f..000000000 --- a/pages.bs/osx/gtalk.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtalk - -> Ova komanda je pseudonim za `-p linux talk`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux talk` diff --git a/pages.bs/osx/gtar.md b/pages.bs/osx/gtar.md deleted file mode 100644 index 5f05ff2b6..000000000 --- a/pages.bs/osx/gtar.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtar - -> Ova komanda je pseudonim za `-p linux tar`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux tar` diff --git a/pages.bs/osx/gtee.md b/pages.bs/osx/gtee.md deleted file mode 100644 index 627555605..000000000 --- a/pages.bs/osx/gtee.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtee - -> Ova komanda je pseudonim za `-p linux tee`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux tee` diff --git a/pages.bs/osx/gtelnet.md b/pages.bs/osx/gtelnet.md deleted file mode 100644 index 823045ae4..000000000 --- a/pages.bs/osx/gtelnet.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtelnet - -> Ova komanda je pseudonim za `-p linux telnet`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux telnet` diff --git a/pages.bs/osx/gtest.md b/pages.bs/osx/gtest.md deleted file mode 100644 index 4a2bffe70..000000000 --- a/pages.bs/osx/gtest.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtest - -> Ova komanda je pseudonim za `-p linux test`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux test` diff --git a/pages.bs/osx/gtftp.md b/pages.bs/osx/gtftp.md deleted file mode 100644 index 2aa9691e1..000000000 --- a/pages.bs/osx/gtftp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtftp - -> Ova komanda je pseudonim za `-p linux tftp`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux tftp` diff --git a/pages.bs/osx/gtime.md b/pages.bs/osx/gtime.md deleted file mode 100644 index 2d60ebd66..000000000 --- a/pages.bs/osx/gtime.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtime - -> Ova komanda je pseudonim za `-p linux time`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux time` diff --git a/pages.bs/osx/gtimeout.md b/pages.bs/osx/gtimeout.md deleted file mode 100644 index 3f21c5733..000000000 --- a/pages.bs/osx/gtimeout.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtimeout - -> Ova komanda je pseudonim za `-p linux timeout`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux timeout` diff --git a/pages.bs/osx/gtouch.md b/pages.bs/osx/gtouch.md deleted file mode 100644 index 54d07ad95..000000000 --- a/pages.bs/osx/gtouch.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtouch - -> Ova komanda je pseudonim za `-p linux touch`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux touch` diff --git a/pages.bs/osx/gtr.md b/pages.bs/osx/gtr.md deleted file mode 100644 index ff4877ad9..000000000 --- a/pages.bs/osx/gtr.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtr - -> Ova komanda je pseudonim za `-p linux tr`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux tr` diff --git a/pages.bs/osx/gtraceroute.md b/pages.bs/osx/gtraceroute.md deleted file mode 100644 index 227d71d1a..000000000 --- a/pages.bs/osx/gtraceroute.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtraceroute - -> Ova komanda je pseudonim za `-p linux traceroute`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux traceroute` diff --git a/pages.bs/osx/gtrue.md b/pages.bs/osx/gtrue.md deleted file mode 100644 index 9dc597c59..000000000 --- a/pages.bs/osx/gtrue.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtrue - -> Ova komanda je pseudonim za `-p linux true`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux true` diff --git a/pages.bs/osx/gtruncate.md b/pages.bs/osx/gtruncate.md deleted file mode 100644 index 4ca28cc13..000000000 --- a/pages.bs/osx/gtruncate.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtruncate - -> Ova komanda je pseudonim za `-p linux truncate`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux truncate` diff --git a/pages.bs/osx/gtsort.md b/pages.bs/osx/gtsort.md deleted file mode 100644 index a78a93bc2..000000000 --- a/pages.bs/osx/gtsort.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtsort - -> Ova komanda je pseudonim za `-p linux tsort`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux tsort` diff --git a/pages.bs/osx/gtty.md b/pages.bs/osx/gtty.md deleted file mode 100644 index 96cfa7a40..000000000 --- a/pages.bs/osx/gtty.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtty - -> Ova komanda je pseudonim za `-p linux tty`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux tty` diff --git a/pages.bs/osx/guname.md b/pages.bs/osx/guname.md deleted file mode 100644 index de388ac9b..000000000 --- a/pages.bs/osx/guname.md +++ /dev/null @@ -1,7 +0,0 @@ -# guname - -> Ova komanda je pseudonim za `-p linux uname`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux uname` diff --git a/pages.bs/osx/gunexpand.md b/pages.bs/osx/gunexpand.md deleted file mode 100644 index cdd79f0b9..000000000 --- a/pages.bs/osx/gunexpand.md +++ /dev/null @@ -1,7 +0,0 @@ -# gunexpand - -> Ova komanda je pseudonim za `-p linux unexpand`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux unexpand` diff --git a/pages.bs/osx/guniq.md b/pages.bs/osx/guniq.md deleted file mode 100644 index 57f12f746..000000000 --- a/pages.bs/osx/guniq.md +++ /dev/null @@ -1,7 +0,0 @@ -# guniq - -> Ova komanda je pseudonim za `-p linux uniq`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux uniq` diff --git a/pages.bs/osx/gunits.md b/pages.bs/osx/gunits.md deleted file mode 100644 index 45852fea8..000000000 --- a/pages.bs/osx/gunits.md +++ /dev/null @@ -1,7 +0,0 @@ -# gunits - -> Ova komanda je pseudonim za `-p linux units`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux units` diff --git a/pages.bs/osx/gunlink.md b/pages.bs/osx/gunlink.md deleted file mode 100644 index 6b23f92cf..000000000 --- a/pages.bs/osx/gunlink.md +++ /dev/null @@ -1,7 +0,0 @@ -# gunlink - -> Ova komanda je pseudonim za `-p linux unlink`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux unlink` diff --git a/pages.bs/osx/gupdatedb.md b/pages.bs/osx/gupdatedb.md deleted file mode 100644 index 5f611313a..000000000 --- a/pages.bs/osx/gupdatedb.md +++ /dev/null @@ -1,7 +0,0 @@ -# gupdatedb - -> Ova komanda je pseudonim za `-p linux updatedb`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux updatedb` diff --git a/pages.bs/osx/guptime.md b/pages.bs/osx/guptime.md deleted file mode 100644 index c7f29e61f..000000000 --- a/pages.bs/osx/guptime.md +++ /dev/null @@ -1,7 +0,0 @@ -# guptime - -> Ova komanda je pseudonim za `-p linux uptime`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux uptime` diff --git a/pages.bs/osx/gusers.md b/pages.bs/osx/gusers.md deleted file mode 100644 index 2ce38c857..000000000 --- a/pages.bs/osx/gusers.md +++ /dev/null @@ -1,7 +0,0 @@ -# gusers - -> Ova komanda je pseudonim za `-p linux users`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux users` diff --git a/pages.bs/osx/gvdir.md b/pages.bs/osx/gvdir.md deleted file mode 100644 index 64f48ac14..000000000 --- a/pages.bs/osx/gvdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# gvdir - -> Ova komanda je pseudonim za `-p linux vdir`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux vdir` diff --git a/pages.bs/osx/gwc.md b/pages.bs/osx/gwc.md deleted file mode 100644 index eadb6daa0..000000000 --- a/pages.bs/osx/gwc.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwc - -> Ova komanda je pseudonim za `-p linux wc`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux wc` diff --git a/pages.bs/osx/gwhich.md b/pages.bs/osx/gwhich.md deleted file mode 100644 index 05e36124d..000000000 --- a/pages.bs/osx/gwhich.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwhich - -> Ova komanda je pseudonim za `-p linux which`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux which` diff --git a/pages.bs/osx/gwho.md b/pages.bs/osx/gwho.md deleted file mode 100644 index b88c07384..000000000 --- a/pages.bs/osx/gwho.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwho - -> Ova komanda je pseudonim za `-p linux who`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux who` diff --git a/pages.bs/osx/gwhoami.md b/pages.bs/osx/gwhoami.md deleted file mode 100644 index a43af2b97..000000000 --- a/pages.bs/osx/gwhoami.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwhoami - -> Ova komanda je pseudonim za `-p linux whoami`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux whoami` diff --git a/pages.bs/osx/gwhois.md b/pages.bs/osx/gwhois.md deleted file mode 100644 index 1f8af261f..000000000 --- a/pages.bs/osx/gwhois.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwhois - -> Ova komanda je pseudonim za `-p linux whois`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux whois` diff --git a/pages.bs/osx/gxargs.md b/pages.bs/osx/gxargs.md deleted file mode 100644 index 0685408c4..000000000 --- a/pages.bs/osx/gxargs.md +++ /dev/null @@ -1,7 +0,0 @@ -# gxargs - -> Ova komanda je pseudonim za `-p linux xargs`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux xargs` diff --git a/pages.bs/osx/gyes.md b/pages.bs/osx/gyes.md deleted file mode 100644 index c7fc3b84e..000000000 --- a/pages.bs/osx/gyes.md +++ /dev/null @@ -1,7 +0,0 @@ -# gyes - -> Ova komanda je pseudonim za `-p linux yes`. - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr -p linux yes` diff --git a/pages.bs/osx/launchd.md b/pages.bs/osx/launchd.md deleted file mode 100644 index fcaa924fa..000000000 --- a/pages.bs/osx/launchd.md +++ /dev/null @@ -1,8 +0,0 @@ -# launchd - -> Ova komanda je pseudonim za `launchctl`. -> Više informacija: . - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr launchctl` diff --git a/pages.bs/windows/chrome.md b/pages.bs/windows/chrome.md deleted file mode 100644 index 2541ce0de..000000000 --- a/pages.bs/windows/chrome.md +++ /dev/null @@ -1,8 +0,0 @@ -# chrome - -> Ova komanda je pseudonim za `chromium`. -> Više informacija: . - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr chromium` diff --git a/pages.bs/windows/cpush.md b/pages.bs/windows/cpush.md deleted file mode 100644 index 05edcbc3e..000000000 --- a/pages.bs/windows/cpush.md +++ /dev/null @@ -1,8 +0,0 @@ -# cpush - -> Ova komanda je pseudonim za `choco-push`. -> Više informacija: . - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr choco-push` diff --git a/pages.bs/windows/rd.md b/pages.bs/windows/rd.md deleted file mode 100644 index 4acc0fba7..000000000 --- a/pages.bs/windows/rd.md +++ /dev/null @@ -1,8 +0,0 @@ -# rd - -> Ova komanda je pseudonim za `rmdir`. -> Više informacija: . - -- Pogledaj dokumentaciju za izvornu komandu: - -`tldr rmdir` diff --git a/pages.ca/common/bundler.md b/pages.ca/common/bundler.md deleted file mode 100644 index 93cc0ccd4..000000000 --- a/pages.ca/common/bundler.md +++ /dev/null @@ -1,8 +0,0 @@ -# bundler - -> Aquest comandament és un àlies de `bundle`. -> Més informació: . - -- Veure documentació pel comandament original: - -`tldr bundle` diff --git a/pages.ca/common/clang-cpp.md b/pages.ca/common/clang-cpp.md deleted file mode 100644 index 829257c9e..000000000 --- a/pages.ca/common/clang-cpp.md +++ /dev/null @@ -1,7 +0,0 @@ -# clang-cpp - -> Aquest comandament és un àlies de `clang++`. - -- Veure documentació pel comandament original: - -`tldr clang++` diff --git a/pages.ca/common/clojure.md b/pages.ca/common/clojure.md deleted file mode 100644 index 2a8da1669..000000000 --- a/pages.ca/common/clojure.md +++ /dev/null @@ -1,7 +0,0 @@ -# clojure - -> Aquest comandament és un àlies de `clj`. - -- Veure documentació pel comandament original: - -`tldr clj` diff --git a/pages.ca/common/cola.md b/pages.ca/common/cola.md deleted file mode 100644 index a68588bef..000000000 --- a/pages.ca/common/cola.md +++ /dev/null @@ -1,7 +0,0 @@ -# cola - -> Aquest comandament és un àlies de `git-cola`. - -- Veure documentació pel comandament original: - -`tldr git-cola` diff --git a/pages.ca/common/cron.md b/pages.ca/common/cron.md deleted file mode 100644 index 358c9b8c5..000000000 --- a/pages.ca/common/cron.md +++ /dev/null @@ -1,7 +0,0 @@ -# cron - -> Aquest comandament és un àlies de `crontab`. - -- Veure documentació pel comandament original: - -`tldr crontab` diff --git a/pages.ca/common/fossil-delete.md b/pages.ca/common/fossil-delete.md index cb22b9560..9553f1f18 100644 --- a/pages.ca/common/fossil-delete.md +++ b/pages.ca/common/fossil-delete.md @@ -1,4 +1,4 @@ -# fossil-delete +# fossil delete > Aquest comandament és un àlies de `fossil rm`. > Més informació: . diff --git a/pages.ca/common/fossil-forget.md b/pages.ca/common/fossil-forget.md index 485a67e92..78dab0a29 100644 --- a/pages.ca/common/fossil-forget.md +++ b/pages.ca/common/fossil-forget.md @@ -1,4 +1,4 @@ -# fossil-forget +# fossil forget > Aquest comandament és un àlies de `fossil rm`. > Més informació: . diff --git a/pages.ca/common/fossil-new.md b/pages.ca/common/fossil-new.md index f218ff197..5b99147b4 100644 --- a/pages.ca/common/fossil-new.md +++ b/pages.ca/common/fossil-new.md @@ -1,6 +1,6 @@ -# fossil-new +# fossil new -> Aquest comandament és un àlies de `fossil-init`. +> Aquest comandament és un àlies de `fossil init`. > Més informació: . - Veure documentació pel comandament original: diff --git a/pages.ca/common/gh-cs.md b/pages.ca/common/gh-cs.md index f5048c23e..d31c4191d 100644 --- a/pages.ca/common/gh-cs.md +++ b/pages.ca/common/gh-cs.md @@ -1,6 +1,6 @@ -# gh-cs +# gh cs -> Aquest comandament és un àlies de `gh-codespace`. +> Aquest comandament és un àlies de `gh codespace`. > Més informació: . - Veure documentació pel comandament original: diff --git a/pages.ca/common/gnmic-sub.md b/pages.ca/common/gnmic-sub.md index fb3cb9000..13062ac1c 100644 --- a/pages.ca/common/gnmic-sub.md +++ b/pages.ca/common/gnmic-sub.md @@ -1,4 +1,4 @@ -# gnmic-sub +# gnmic sub > Aquest comandament és un àlies de `gnmic subscribe`. > Més informació: . diff --git a/pages.ca/common/google-chrome.md b/pages.ca/common/google-chrome.md deleted file mode 100644 index 4644619f0..000000000 --- a/pages.ca/common/google-chrome.md +++ /dev/null @@ -1,8 +0,0 @@ -# google-chrome - -> Aquest comandament és un àlies de `chromium`. -> Més informació: . - -- Veure documentació pel comandament original: - -`tldr chromium` diff --git a/pages.ca/common/hx.md b/pages.ca/common/hx.md deleted file mode 100644 index 7da6dbb02..000000000 --- a/pages.ca/common/hx.md +++ /dev/null @@ -1,7 +0,0 @@ -# hx - -> Aquest comandament és un àlies de `helix`. - -- Veure documentació pel comandament original: - -`tldr helix` diff --git a/pages.ca/common/kafkacat.md b/pages.ca/common/kafkacat.md deleted file mode 100644 index 799b064a3..000000000 --- a/pages.ca/common/kafkacat.md +++ /dev/null @@ -1,7 +0,0 @@ -# kafkacat - -> Aquest comandament és un àlies de `kcat`. - -- Veure documentació pel comandament original: - -`tldr kcat` diff --git a/pages.ca/common/llvm-ar.md b/pages.ca/common/llvm-ar.md deleted file mode 100644 index 7aa513769..000000000 --- a/pages.ca/common/llvm-ar.md +++ /dev/null @@ -1,7 +0,0 @@ -# llvm-ar - -> Aquest comandament és un àlies de `ar`. - -- Veure documentació pel comandament original: - -`tldr ar` diff --git a/pages.ca/common/llvm-g++.md b/pages.ca/common/llvm-g++.md deleted file mode 100644 index 6fa148ed6..000000000 --- a/pages.ca/common/llvm-g++.md +++ /dev/null @@ -1,7 +0,0 @@ -# llvm-g++ - -> Aquest comandament és un àlies de `clang++`. - -- Veure documentació pel comandament original: - -`tldr clang++` diff --git a/pages.ca/common/llvm-gcc.md b/pages.ca/common/llvm-gcc.md deleted file mode 100644 index e00f9ffb1..000000000 --- a/pages.ca/common/llvm-gcc.md +++ /dev/null @@ -1,7 +0,0 @@ -# llvm-gcc - -> Aquest comandament és un àlies de `clang`. - -- Veure documentació pel comandament original: - -`tldr clang` diff --git a/pages.ca/common/llvm-nm.md b/pages.ca/common/llvm-nm.md deleted file mode 100644 index c0af1adc4..000000000 --- a/pages.ca/common/llvm-nm.md +++ /dev/null @@ -1,7 +0,0 @@ -# llvm-nm - -> Aquest comandament és un àlies de `nm`. - -- Veure documentació pel comandament original: - -`tldr nm` diff --git a/pages.ca/common/llvm-objdump.md b/pages.ca/common/llvm-objdump.md deleted file mode 100644 index 2decd83b0..000000000 --- a/pages.ca/common/llvm-objdump.md +++ /dev/null @@ -1,7 +0,0 @@ -# llvm-objdump - -> Aquest comandament és un àlies de `objdump`. - -- Veure documentació pel comandament original: - -`tldr objdump` diff --git a/pages.ca/common/llvm-strings.md b/pages.ca/common/llvm-strings.md deleted file mode 100644 index de3da45b1..000000000 --- a/pages.ca/common/llvm-strings.md +++ /dev/null @@ -1,7 +0,0 @@ -# llvm-strings - -> Aquest comandament és un àlies de `strings`. - -- Veure documentació pel comandament original: - -`tldr strings` diff --git a/pages.ca/common/lzcat.md b/pages.ca/common/lzcat.md deleted file mode 100644 index 5361517a3..000000000 --- a/pages.ca/common/lzcat.md +++ /dev/null @@ -1,8 +0,0 @@ -# lzcat - -> Aquest comandament és un àlies de `xz`. -> Més informació: . - -- Veure documentació pel comandament original: - -`tldr xz` diff --git a/pages.ca/common/lzma.md b/pages.ca/common/lzma.md deleted file mode 100644 index b3cc97816..000000000 --- a/pages.ca/common/lzma.md +++ /dev/null @@ -1,8 +0,0 @@ -# lzma - -> Aquest comandament és un àlies de `xz`. -> Més informació: . - -- Veure documentació pel comandament original: - -`tldr xz` diff --git a/pages.ca/common/mscore.md b/pages.ca/common/mscore.md deleted file mode 100644 index 6cbcc63dd..000000000 --- a/pages.ca/common/mscore.md +++ /dev/null @@ -1,8 +0,0 @@ -# mscore - -> Aquest comandament és un àlies de `musescore`. -> Més informació: . - -- Veure documentació pel comandament original: - -`tldr musescore` diff --git a/pages.ca/common/nm-classic.md b/pages.ca/common/nm-classic.md deleted file mode 100644 index 4277b61cf..000000000 --- a/pages.ca/common/nm-classic.md +++ /dev/null @@ -1,7 +0,0 @@ -# nm-classic - -> Aquest comandament és un àlies de `nm`. - -- Veure documentació pel comandament original: - -`tldr nm` diff --git a/pages.ca/common/ntl.md b/pages.ca/common/ntl.md deleted file mode 100644 index fe159fde9..000000000 --- a/pages.ca/common/ntl.md +++ /dev/null @@ -1,8 +0,0 @@ -# ntl - -> Aquest comandament és un àlies de `netlify`. -> Més informació: . - -- Veure documentació pel comandament original: - -`tldr netlify` diff --git a/pages.ca/common/pio-init.md b/pages.ca/common/pio-init.md index 879dc8914..f0a73935d 100644 --- a/pages.ca/common/pio-init.md +++ b/pages.ca/common/pio-init.md @@ -1,4 +1,4 @@ -# pio-init +# pio init > Aquest comandament és un àlies de `pio project`. diff --git a/pages.ca/common/piodebuggdb.md b/pages.ca/common/piodebuggdb.md deleted file mode 100644 index 9cd1ec07e..000000000 --- a/pages.ca/common/piodebuggdb.md +++ /dev/null @@ -1,7 +0,0 @@ -# piodebuggdb - -> Aquest comandament és un àlies de `pio debug`. - -- Veure documentació pel comandament original: - -`tldr pio debug` diff --git a/pages.ca/common/platformio.md b/pages.ca/common/platformio.md deleted file mode 100644 index 3fc9ff4b5..000000000 --- a/pages.ca/common/platformio.md +++ /dev/null @@ -1,8 +0,0 @@ -# platformio - -> Aquest comandament és un àlies de `pio`. -> Més informació: . - -- Veure documentació pel comandament original: - -`tldr pio` diff --git a/pages.ca/common/ptpython3.md b/pages.ca/common/ptpython3.md deleted file mode 100644 index eb09dd839..000000000 --- a/pages.ca/common/ptpython3.md +++ /dev/null @@ -1,7 +0,0 @@ -# ptpython3 - -> Aquest comandament és un àlies de `ptpython`. - -- Veure documentació pel comandament original: - -`tldr ptpython` diff --git a/pages.ca/common/python3.md b/pages.ca/common/python3.md deleted file mode 100644 index 8e84f5aee..000000000 --- a/pages.ca/common/python3.md +++ /dev/null @@ -1,7 +0,0 @@ -# python3 - -> Aquest comandament és un àlies de `python`. - -- Veure documentació pel comandament original: - -`tldr python` diff --git a/pages.ca/common/r2.md b/pages.ca/common/r2.md deleted file mode 100644 index b6f2f9045..000000000 --- a/pages.ca/common/r2.md +++ /dev/null @@ -1,7 +0,0 @@ -# r2 - -> Aquest comandament és un àlies de `radare2`. - -- Veure documentació pel comandament original: - -`tldr radare2` diff --git a/pages.ca/common/rcat.md b/pages.ca/common/rcat.md deleted file mode 100644 index 561fb79f6..000000000 --- a/pages.ca/common/rcat.md +++ /dev/null @@ -1,7 +0,0 @@ -# rcat - -> Aquest comandament és un àlies de `rc`. - -- Veure documentació pel comandament original: - -`tldr rc` diff --git a/pages.ca/common/ripgrep.md b/pages.ca/common/ripgrep.md deleted file mode 100644 index 648a50338..000000000 --- a/pages.ca/common/ripgrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# ripgrep - -> Aquest comandament és un àlies de `rg`. - -- Veure documentació pel comandament original: - -`tldr rg` diff --git a/pages.ca/common/tldrl.md b/pages.ca/common/tldrl.md deleted file mode 100644 index 7d4597efc..000000000 --- a/pages.ca/common/tldrl.md +++ /dev/null @@ -1,8 +0,0 @@ -# tldrl - -> Aquest comandament és un àlies de `tldr-lint`. -> Més informació: . - -- Veure documentació pel comandament original: - -`tldr tldr-lint` diff --git a/pages.ca/common/tlmgr-arch.md b/pages.ca/common/tlmgr-arch.md index 5acb501d3..619ae5f60 100644 --- a/pages.ca/common/tlmgr-arch.md +++ b/pages.ca/common/tlmgr-arch.md @@ -1,4 +1,4 @@ -# tlmgr-arch +# tlmgr arch > Aquest comandament és un àlies de `tlmgr platform`. > Més informació: . diff --git a/pages.ca/common/todoman.md b/pages.ca/common/todoman.md deleted file mode 100644 index df5cbd582..000000000 --- a/pages.ca/common/todoman.md +++ /dev/null @@ -1,8 +0,0 @@ -# todoman - -> Aquest comandament és un àlies de `todo`. -> Més informació: . - -- Veure documentació pel comandament original: - -`tldr todo` diff --git a/pages.ca/common/touch.md b/pages.ca/common/touch.md index 16d133f3b..55c791a75 100644 --- a/pages.ca/common/touch.md +++ b/pages.ca/common/touch.md @@ -1,7 +1,7 @@ # touch > Canvia els temps d'accés i modificació d'un fitxer (atime, ntime). -> Més informació: . +> Més informació: . - Crea un o múltiples fitxers o canvia els temps al temps actual: diff --git a/pages.ca/common/transmission.md b/pages.ca/common/transmission.md deleted file mode 100644 index f0623c33b..000000000 --- a/pages.ca/common/transmission.md +++ /dev/null @@ -1,8 +0,0 @@ -# transmission - -> Aquest comandament és un àlies de `transmission-daemon`. -> Més informació: . - -- Veure documentació pel comandament original: - -`tldr transmission-daemon` diff --git a/pages.ca/common/unlzma.md b/pages.ca/common/unlzma.md deleted file mode 100644 index ed00d4ff6..000000000 --- a/pages.ca/common/unlzma.md +++ /dev/null @@ -1,8 +0,0 @@ -# unlzma - -> Aquest comandament és un àlies de `xz`. -> Més informació: . - -- Veure documentació pel comandament original: - -`tldr xz` diff --git a/pages.ca/common/unxz.md b/pages.ca/common/unxz.md deleted file mode 100644 index d0e535096..000000000 --- a/pages.ca/common/unxz.md +++ /dev/null @@ -1,8 +0,0 @@ -# unxz - -> Aquest comandament és un àlies de `xz`. -> Més informació: . - -- Veure documentació pel comandament original: - -`tldr xz` diff --git a/pages.ca/common/vi.md b/pages.ca/common/vi.md deleted file mode 100644 index b22dc7d06..000000000 --- a/pages.ca/common/vi.md +++ /dev/null @@ -1,7 +0,0 @@ -# vi - -> Aquest comandament és un àlies de `vim`. - -- Veure documentació pel comandament original: - -`tldr vim` diff --git a/pages.ca/common/xzcat.md b/pages.ca/common/xzcat.md deleted file mode 100644 index 0adc93e16..000000000 --- a/pages.ca/common/xzcat.md +++ /dev/null @@ -1,8 +0,0 @@ -# xzcat - -> Aquest comandament és un àlies de `xz`. -> Més informació: . - -- Veure documentació pel comandament original: - -`tldr xz` diff --git a/pages.ca/linux/a2disconf.md b/pages.ca/linux/a2disconf.md index 4a66de119..8cb89b943 100644 --- a/pages.ca/linux/a2disconf.md +++ b/pages.ca/linux/a2disconf.md @@ -1,7 +1,7 @@ # a2disconf > Desactiva un fitxer de configuració d'Apache en sistemes operatius basats en Debian. -> Més informació: . +> Més informació: . - Desactiva un fitxer de configuració: diff --git a/pages.ca/linux/a2dismod.md b/pages.ca/linux/a2dismod.md index 1de5d0eb7..f09ac7506 100644 --- a/pages.ca/linux/a2dismod.md +++ b/pages.ca/linux/a2dismod.md @@ -1,7 +1,7 @@ # a2dismod > Desactiva un mòdul Apache en sistemes operatius basats en Debian. -> Més informació: . +> Més informació: . - Desactiva un mòdul: diff --git a/pages.ca/linux/a2dissite.md b/pages.ca/linux/a2dissite.md index e732ea9d7..04fe325de 100644 --- a/pages.ca/linux/a2dissite.md +++ b/pages.ca/linux/a2dissite.md @@ -1,7 +1,7 @@ # a2dissite > Desactiva un host virtual d'Apache en sistemes operatius basats en Debian. -> Més informació: . +> Més informació: . - Desactiva un host virtual: diff --git a/pages.ca/linux/a2enconf.md b/pages.ca/linux/a2enconf.md index fe9d6710c..d8bb5564e 100644 --- a/pages.ca/linux/a2enconf.md +++ b/pages.ca/linux/a2enconf.md @@ -1,7 +1,7 @@ # a2enconf > Activa un fitxer de configuració d'Apache en sistemes operatius basats en debian. -> Més informació: . +> Més informació: . - Activa un fitxer de configuració: diff --git a/pages.ca/linux/a2enmod.md b/pages.ca/linux/a2enmod.md index c5d7380ae..1712ca044 100644 --- a/pages.ca/linux/a2enmod.md +++ b/pages.ca/linux/a2enmod.md @@ -1,7 +1,7 @@ # a2enmod > Activa un mòdul d'Apache en sistemes operatius basats en Debian. -> Més informació: . +> Més informació: . - Activa un mòdul: diff --git a/pages.ca/linux/a2ensite.md b/pages.ca/linux/a2ensite.md index a064036c3..4766c02f5 100644 --- a/pages.ca/linux/a2ensite.md +++ b/pages.ca/linux/a2ensite.md @@ -1,7 +1,7 @@ # a2ensite > Activa un host virtual d'Apache en sistemes operatius basats en Debian. -> Més informació: . +> Més informació: . - Activa un host virtual: diff --git a/pages.ca/linux/a2query.md b/pages.ca/linux/a2query.md index 682dd79ee..698fd39d9 100644 --- a/pages.ca/linux/a2query.md +++ b/pages.ca/linux/a2query.md @@ -1,7 +1,7 @@ # a2query > Recupera la configuració del temps d'execució d'Apache en sistemes operatius basats en Debian. -> Més informació: . +> Més informació: . - Llista mòduls Apache activats: diff --git a/pages.ca/linux/add-apt-repository.md b/pages.ca/linux/add-apt-repository.md index 4564c1c4b..71d16a483 100644 --- a/pages.ca/linux/add-apt-repository.md +++ b/pages.ca/linux/add-apt-repository.md @@ -1,13 +1,13 @@ # add-apt-repository -> Gestiona les definicions dels repositoris apt. +> Gestiona les definicions dels repositoris APT. > Més informació: . -- Afegeix un nou repositori apt: +- Afegeix un nou repositori APT: `add-apt-repository {{especificacions_del_respositori}}` -- Elimina un repositori apt: +- Elimina un repositori APT: `add-apt-repository --remove {{especificacions_del_repositori}}` diff --git a/pages.ca/linux/alternatives.md b/pages.ca/linux/alternatives.md deleted file mode 100644 index 1751b2f24..000000000 --- a/pages.ca/linux/alternatives.md +++ /dev/null @@ -1,8 +0,0 @@ -# alternatives - -> Aquest comandament és un àlies de `update-alternatives`. -> Més informació: . - -- Veure documentació pel comandament original: - -`tldr update-alternatives` diff --git a/pages.ca/linux/apt-add-repository.md b/pages.ca/linux/apt-add-repository.md index cbf1b3e77..17c54fe23 100644 --- a/pages.ca/linux/apt-add-repository.md +++ b/pages.ca/linux/apt-add-repository.md @@ -1,13 +1,13 @@ # apt-add-repository -> Gestiona les definicions del repositori apt. -> Més informació: . +> Gestiona les definicions del repositori APT. +> Més informació: . -- Afegeix un nou repositori apt: +- Afegeix un nou repositori APT: `apt-add-repository {{repositori}}` -- Elimina un repositori apt: +- Elimina un repositori APT: `apt-add-repository --remove {{repositori}}` diff --git a/pages.ca/linux/apt-cache.md b/pages.ca/linux/apt-cache.md index 028883cc7..26aaf1b53 100644 --- a/pages.ca/linux/apt-cache.md +++ b/pages.ca/linux/apt-cache.md @@ -1,7 +1,7 @@ # apt-cache > Eina de consulta de paquets per a Debian y Ubuntu. -> Més informació: . +> Més informació: . - Busca un paquete en les teves fonts actuals: diff --git a/pages.ca/linux/apt-file.md b/pages.ca/linux/apt-file.md index 941c67054..73484fb95 100644 --- a/pages.ca/linux/apt-file.md +++ b/pages.ca/linux/apt-file.md @@ -1,7 +1,7 @@ # apt-file -> Busca arxius en paquets apt, incloent els que encara no s'han instal·lat. -> Més informació: . +> Busca arxius en paquets APT, incloent els que encara no s'han instal·lat. +> Més informació: . - Actualita les metadades de la base de dades: diff --git a/pages.ca/linux/apt-get.md b/pages.ca/linux/apt-get.md index bb3aa6da7..bb3e039bc 100644 --- a/pages.ca/linux/apt-get.md +++ b/pages.ca/linux/apt-get.md @@ -2,7 +2,7 @@ > Eina de gestió de paquets per a distribucions basades en Debian. > Busca paquets utilizant `apt-cache`. -> Més informació: . +> Més informació: . - Actualitza la llista de paquets i versions disponibles (es recomana executar aquest comandament abans que qualsevol altre `apt-get`): diff --git a/pages.ca/linux/apt-key.md b/pages.ca/linux/apt-key.md index d0876a724..a18f67caf 100644 --- a/pages.ca/linux/apt-key.md +++ b/pages.ca/linux/apt-key.md @@ -2,7 +2,7 @@ > Eina de gestió de claus per al Gestor de Paquets APT (APT Package Manager) en Debian i Ubuntu. > Nota: `apt-key` és obsolet (excepte l'ús de `apt-key del` en scrits de mantenidor). -> Més informació: . +> Més informació: . - Mostra les claus de confiança: diff --git a/pages.ca/linux/apt-mark.md b/pages.ca/linux/apt-mark.md index 6485e1773..3042b6a0b 100644 --- a/pages.ca/linux/apt-mark.md +++ b/pages.ca/linux/apt-mark.md @@ -1,7 +1,7 @@ # apt-mark > Eina per canviar l'estat dels paquets instal·lats. -> Més informació: . +> Més informació: . - Marca un paquet com a instal·lat automàticament: diff --git a/pages.ca/linux/apt.md b/pages.ca/linux/apt.md index 85e5a8f2e..e00f171af 100644 --- a/pages.ca/linux/apt.md +++ b/pages.ca/linux/apt.md @@ -2,7 +2,7 @@ > Eina de gestió de paquets per a distribucions basades en Debian. > Es recomana substituïr-lo per `apt-get` quan es faci servir interactivament en Ubuntu 16.04 o en versions posteriors. -> Més informació: . +> Més informació: . - Actualitza la llista de paquets i versions disponbles (es recomana executar aquest comandament abans que qualsevol altre `apt`): diff --git a/pages.ca/linux/aptitude.md b/pages.ca/linux/aptitude.md index b8349fafe..570cbad00 100644 --- a/pages.ca/linux/aptitude.md +++ b/pages.ca/linux/aptitude.md @@ -1,7 +1,7 @@ # aptitude > Eina de gestió de paquets per a Debian i Ubuntu. -> Més informació: . +> Més informació: . - Sincronitza la llista de paquets i versions disponibles (es recomana executar aquest commandament abans que qualsevol altre `aptitude`): diff --git a/pages.ca/linux/batcat.md b/pages.ca/linux/batcat.md deleted file mode 100644 index 1c0594ee1..000000000 --- a/pages.ca/linux/batcat.md +++ /dev/null @@ -1,8 +0,0 @@ -# batcat - -> Aquest comandament és un àlies de `bat`. -> Més informació: . - -- Veure documentació pel comandament original: - -`tldr bat` diff --git a/pages.ca/linux/bspwm.md b/pages.ca/linux/bspwm.md deleted file mode 100644 index 20dcb8e03..000000000 --- a/pages.ca/linux/bspwm.md +++ /dev/null @@ -1,8 +0,0 @@ -# bspwm - -> Aquest comandament és un àlies de `bspc`. -> Més informació: . - -- Veure documentació pel comandament original: - -`tldr bspc` diff --git a/pages.ca/linux/cc.md b/pages.ca/linux/cc.md deleted file mode 100644 index a674da7da..000000000 --- a/pages.ca/linux/cc.md +++ /dev/null @@ -1,8 +0,0 @@ -# cc - -> Aquest comandament és un àlies de `gcc`. -> Més informació: . - -- Veure documentació pel comandament original: - -`tldr gcc` diff --git a/pages.ca/linux/cgroups.md b/pages.ca/linux/cgroups.md deleted file mode 100644 index 86c4e6d74..000000000 --- a/pages.ca/linux/cgroups.md +++ /dev/null @@ -1,8 +0,0 @@ -# cgroups - -> Aquest comandament és un àlies de `cgclassify`. -> Més informació: . - -- Veure documentació pel comandament original: - -`tldr cgclassify` diff --git a/pages.ca/linux/ip-route-list.md b/pages.ca/linux/ip-route-list.md index 3263069b3..bb1965a4f 100644 --- a/pages.ca/linux/ip-route-list.md +++ b/pages.ca/linux/ip-route-list.md @@ -1,6 +1,6 @@ -# ip-route-list +# ip route list -> Aquest comandament és un àlies de `ip-route-show`. +> Aquest comandament és un àlies de `ip route show`. - Veure documentació pel comandament original: diff --git a/pages.ca/linux/nautilus.md b/pages.ca/linux/nautilus.md index a0806c5a3..743c7216a 100644 --- a/pages.ca/linux/nautilus.md +++ b/pages.ca/linux/nautilus.md @@ -10,7 +10,7 @@ - Obre Nautilus com a root: -`sudo nautilus` +`nautilus admin:/` - Obre Nautilus en un directori específic: diff --git a/pages.ca/linux/poweroff.md b/pages.ca/linux/poweroff.md index 889cfb183..d500bc536 100644 --- a/pages.ca/linux/poweroff.md +++ b/pages.ca/linux/poweroff.md @@ -1,7 +1,7 @@ # poweroff > Apaga la màquina. -> Més informació: . +> Més informació: . - Apaga la màquina: diff --git a/pages.ca/osx/aa.md b/pages.ca/osx/aa.md deleted file mode 100644 index a1867ff02..000000000 --- a/pages.ca/osx/aa.md +++ /dev/null @@ -1,7 +0,0 @@ -# aa - -> Aquest comandament és un àlies de `yaa`. - -- Veure documentació pel comandament original: - -`tldr yaa` diff --git a/pages.ca/osx/g[.md b/pages.ca/osx/g[.md deleted file mode 100644 index 06eb8c774..000000000 --- a/pages.ca/osx/g[.md +++ /dev/null @@ -1,7 +0,0 @@ -# g[ - -> Aquest comandament és un àlies de `-p linux [`. - -- Veure documentació pel comandament original: - -`tldr -p linux [` diff --git a/pages.ca/osx/gawk.md b/pages.ca/osx/gawk.md deleted file mode 100644 index 2a456df4a..000000000 --- a/pages.ca/osx/gawk.md +++ /dev/null @@ -1,7 +0,0 @@ -# gawk - -> Aquest comandament és un àlies de `-p linux awk`. - -- Veure documentació pel comandament original: - -`tldr -p linux awk` diff --git a/pages.ca/osx/gb2sum.md b/pages.ca/osx/gb2sum.md deleted file mode 100644 index d1de6eab1..000000000 --- a/pages.ca/osx/gb2sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gb2sum - -> Aquest comandament és un àlies de `-p linux b2sum`. - -- Veure documentació pel comandament original: - -`tldr -p linux b2sum` diff --git a/pages.ca/osx/gbase32.md b/pages.ca/osx/gbase32.md deleted file mode 100644 index 467390c60..000000000 --- a/pages.ca/osx/gbase32.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbase32 - -> Aquest comandament és un àlies de `-p linux base32`. - -- Veure documentació pel comandament original: - -`tldr -p linux base32` diff --git a/pages.ca/osx/gbase64.md b/pages.ca/osx/gbase64.md deleted file mode 100644 index 460e4b4fb..000000000 --- a/pages.ca/osx/gbase64.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbase64 - -> Aquest comandament és un àlies de `-p linux base64`. - -- Veure documentació pel comandament original: - -`tldr -p linux base64` diff --git a/pages.ca/osx/gbasename.md b/pages.ca/osx/gbasename.md deleted file mode 100644 index 05e4b2f42..000000000 --- a/pages.ca/osx/gbasename.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbasename - -> Aquest comandament és un àlies de `-p linux basename`. - -- Veure documentació pel comandament original: - -`tldr -p linux basename` diff --git a/pages.ca/osx/gbasenc.md b/pages.ca/osx/gbasenc.md deleted file mode 100644 index 7442fad88..000000000 --- a/pages.ca/osx/gbasenc.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbasenc - -> Aquest comandament és un àlies de `-p linux basenc`. - -- Veure documentació pel comandament original: - -`tldr -p linux basenc` diff --git a/pages.ca/osx/gcat.md b/pages.ca/osx/gcat.md deleted file mode 100644 index f46f82b97..000000000 --- a/pages.ca/osx/gcat.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcat - -> Aquest comandament és un àlies de `-p linux cat`. - -- Veure documentació pel comandament original: - -`tldr -p linux cat` diff --git a/pages.ca/osx/gchcon.md b/pages.ca/osx/gchcon.md deleted file mode 100644 index 89729e345..000000000 --- a/pages.ca/osx/gchcon.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchcon - -> Aquest comandament és un àlies de `-p linux chcon`. - -- Veure documentació pel comandament original: - -`tldr -p linux chcon` diff --git a/pages.ca/osx/gchgrp.md b/pages.ca/osx/gchgrp.md deleted file mode 100644 index 34fceca50..000000000 --- a/pages.ca/osx/gchgrp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchgrp - -> Aquest comandament és un àlies de `-p linux chgrp`. - -- Veure documentació pel comandament original: - -`tldr -p linux chgrp` diff --git a/pages.ca/osx/gchmod.md b/pages.ca/osx/gchmod.md deleted file mode 100644 index 16d63b424..000000000 --- a/pages.ca/osx/gchmod.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchmod - -> Aquest comandament és un àlies de `-p linux chmod`. - -- Veure documentació pel comandament original: - -`tldr -p linux chmod` diff --git a/pages.ca/osx/gchown.md b/pages.ca/osx/gchown.md deleted file mode 100644 index 0bc6d884c..000000000 --- a/pages.ca/osx/gchown.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchown - -> Aquest comandament és un àlies de `-p linux chown`. - -- Veure documentació pel comandament original: - -`tldr -p linux chown` diff --git a/pages.ca/osx/gchroot.md b/pages.ca/osx/gchroot.md deleted file mode 100644 index 72a4b06ff..000000000 --- a/pages.ca/osx/gchroot.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchroot - -> Aquest comandament és un àlies de `-p linux chroot`. - -- Veure documentació pel comandament original: - -`tldr -p linux chroot` diff --git a/pages.ca/osx/gcksum.md b/pages.ca/osx/gcksum.md deleted file mode 100644 index b816934f4..000000000 --- a/pages.ca/osx/gcksum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcksum - -> Aquest comandament és un àlies de `-p linux cksum`. - -- Veure documentació pel comandament original: - -`tldr -p linux cksum` diff --git a/pages.ca/osx/gcomm.md b/pages.ca/osx/gcomm.md deleted file mode 100644 index 4eb2d1f3a..000000000 --- a/pages.ca/osx/gcomm.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcomm - -> Aquest comandament és un àlies de `-p linux comm`. - -- Veure documentació pel comandament original: - -`tldr -p linux comm` diff --git a/pages.ca/osx/gcp.md b/pages.ca/osx/gcp.md deleted file mode 100644 index 0ae3adcc5..000000000 --- a/pages.ca/osx/gcp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcp - -> Aquest comandament és un àlies de `-p linux cp`. - -- Veure documentació pel comandament original: - -`tldr -p linux cp` diff --git a/pages.ca/osx/gcsplit.md b/pages.ca/osx/gcsplit.md deleted file mode 100644 index 95436991e..000000000 --- a/pages.ca/osx/gcsplit.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcsplit - -> Aquest comandament és un àlies de `-p linux csplit`. - -- Veure documentació pel comandament original: - -`tldr -p linux csplit` diff --git a/pages.ca/osx/gcut.md b/pages.ca/osx/gcut.md deleted file mode 100644 index 3fcb6ceea..000000000 --- a/pages.ca/osx/gcut.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcut - -> Aquest comandament és un àlies de `-p linux cut`. - -- Veure documentació pel comandament original: - -`tldr -p linux cut` diff --git a/pages.ca/osx/gdate.md b/pages.ca/osx/gdate.md deleted file mode 100644 index 6d43e879d..000000000 --- a/pages.ca/osx/gdate.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdate - -> Aquest comandament és un àlies de `-p linux date`. - -- Veure documentació pel comandament original: - -`tldr -p linux date` diff --git a/pages.ca/osx/gdd.md b/pages.ca/osx/gdd.md deleted file mode 100644 index f87dea046..000000000 --- a/pages.ca/osx/gdd.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdd - -> Aquest comandament és un àlies de `-p linux dd`. - -- Veure documentació pel comandament original: - -`tldr -p linux dd` diff --git a/pages.ca/osx/gdf.md b/pages.ca/osx/gdf.md deleted file mode 100644 index 106466f8d..000000000 --- a/pages.ca/osx/gdf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdf - -> Aquest comandament és un àlies de `-p linux df`. - -- Veure documentació pel comandament original: - -`tldr -p linux df` diff --git a/pages.ca/osx/gdir.md b/pages.ca/osx/gdir.md deleted file mode 100644 index 6b6d1e994..000000000 --- a/pages.ca/osx/gdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdir - -> Aquest comandament és un àlies de `-p linux dir`. - -- Veure documentació pel comandament original: - -`tldr -p linux dir` diff --git a/pages.ca/osx/gdircolors.md b/pages.ca/osx/gdircolors.md deleted file mode 100644 index c95e8679a..000000000 --- a/pages.ca/osx/gdircolors.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdircolors - -> Aquest comandament és un àlies de `-p linux dircolors`. - -- Veure documentació pel comandament original: - -`tldr -p linux dircolors` diff --git a/pages.ca/osx/gdirname.md b/pages.ca/osx/gdirname.md deleted file mode 100644 index 3e452e3d8..000000000 --- a/pages.ca/osx/gdirname.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdirname - -> Aquest comandament és un àlies de `-p linux dirname`. - -- Veure documentació pel comandament original: - -`tldr -p linux dirname` diff --git a/pages.ca/osx/gdnsdomainname.md b/pages.ca/osx/gdnsdomainname.md deleted file mode 100644 index ee033022a..000000000 --- a/pages.ca/osx/gdnsdomainname.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdnsdomainname - -> Aquest comandament és un àlies de `-p linux dnsdomainname`. - -- Veure documentació pel comandament original: - -`tldr -p linux dnsdomainname` diff --git a/pages.ca/osx/gecho.md b/pages.ca/osx/gecho.md deleted file mode 100644 index bada65d1d..000000000 --- a/pages.ca/osx/gecho.md +++ /dev/null @@ -1,7 +0,0 @@ -# gecho - -> Aquest comandament és un àlies de `-p linux echo`. - -- Veure documentació pel comandament original: - -`tldr -p linux echo` diff --git a/pages.ca/osx/ged.md b/pages.ca/osx/ged.md deleted file mode 100644 index a28c6e9ff..000000000 --- a/pages.ca/osx/ged.md +++ /dev/null @@ -1,7 +0,0 @@ -# ged - -> Aquest comandament és un àlies de `-p linux ed`. - -- Veure documentació pel comandament original: - -`tldr -p linux ed` diff --git a/pages.ca/osx/gegrep.md b/pages.ca/osx/gegrep.md deleted file mode 100644 index 08f750f83..000000000 --- a/pages.ca/osx/gegrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# gegrep - -> Aquest comandament és un àlies de `-p linux egrep`. - -- Veure documentació pel comandament original: - -`tldr -p linux egrep` diff --git a/pages.ca/osx/genv.md b/pages.ca/osx/genv.md deleted file mode 100644 index 6aed81e08..000000000 --- a/pages.ca/osx/genv.md +++ /dev/null @@ -1,7 +0,0 @@ -# genv - -> Aquest comandament és un àlies de `-p linux env`. - -- Veure documentació pel comandament original: - -`tldr -p linux env` diff --git a/pages.ca/osx/gexpand.md b/pages.ca/osx/gexpand.md deleted file mode 100644 index c42434428..000000000 --- a/pages.ca/osx/gexpand.md +++ /dev/null @@ -1,7 +0,0 @@ -# gexpand - -> Aquest comandament és un àlies de `-p linux expand`. - -- Veure documentació pel comandament original: - -`tldr -p linux expand` diff --git a/pages.ca/osx/gexpr.md b/pages.ca/osx/gexpr.md deleted file mode 100644 index 74fe526dd..000000000 --- a/pages.ca/osx/gexpr.md +++ /dev/null @@ -1,7 +0,0 @@ -# gexpr - -> Aquest comandament és un àlies de `-p linux expr`. - -- Veure documentació pel comandament original: - -`tldr -p linux expr` diff --git a/pages.ca/osx/gfactor.md b/pages.ca/osx/gfactor.md deleted file mode 100644 index 15e5da7e5..000000000 --- a/pages.ca/osx/gfactor.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfactor - -> Aquest comandament és un àlies de `-p linux factor`. - -- Veure documentació pel comandament original: - -`tldr -p linux factor` diff --git a/pages.ca/osx/gfalse.md b/pages.ca/osx/gfalse.md deleted file mode 100644 index 0d237b2a8..000000000 --- a/pages.ca/osx/gfalse.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfalse - -> Aquest comandament és un àlies de `-p linux false`. - -- Veure documentació pel comandament original: - -`tldr -p linux false` diff --git a/pages.ca/osx/gfgrep.md b/pages.ca/osx/gfgrep.md deleted file mode 100644 index c833657df..000000000 --- a/pages.ca/osx/gfgrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfgrep - -> Aquest comandament és un àlies de `-p linux fgrep`. - -- Veure documentació pel comandament original: - -`tldr -p linux fgrep` diff --git a/pages.ca/osx/gfind.md b/pages.ca/osx/gfind.md deleted file mode 100644 index 53f920ce6..000000000 --- a/pages.ca/osx/gfind.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfind - -> Aquest comandament és un àlies de `-p linux find`. - -- Veure documentació pel comandament original: - -`tldr -p linux find` diff --git a/pages.ca/osx/gfmt.md b/pages.ca/osx/gfmt.md deleted file mode 100644 index 254897eea..000000000 --- a/pages.ca/osx/gfmt.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfmt - -> Aquest comandament és un àlies de `-p linux fmt`. - -- Veure documentació pel comandament original: - -`tldr -p linux fmt` diff --git a/pages.ca/osx/gfold.md b/pages.ca/osx/gfold.md deleted file mode 100644 index 05f57bdec..000000000 --- a/pages.ca/osx/gfold.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfold - -> Aquest comandament és un àlies de `-p linux fold`. - -- Veure documentació pel comandament original: - -`tldr -p linux fold` diff --git a/pages.ca/osx/gftp.md b/pages.ca/osx/gftp.md deleted file mode 100644 index 42dc81a69..000000000 --- a/pages.ca/osx/gftp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gftp - -> Aquest comandament és un àlies de `-p linux ftp`. - -- Veure documentació pel comandament original: - -`tldr -p linux ftp` diff --git a/pages.ca/osx/ggrep.md b/pages.ca/osx/ggrep.md deleted file mode 100644 index 2d6af75c7..000000000 --- a/pages.ca/osx/ggrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# ggrep - -> Aquest comandament és un àlies de `-p linux grep`. - -- Veure documentació pel comandament original: - -`tldr -p linux grep` diff --git a/pages.ca/osx/ggroups.md b/pages.ca/osx/ggroups.md deleted file mode 100644 index 88b2612b0..000000000 --- a/pages.ca/osx/ggroups.md +++ /dev/null @@ -1,7 +0,0 @@ -# ggroups - -> Aquest comandament és un àlies de `-p linux groups`. - -- Veure documentació pel comandament original: - -`tldr -p linux groups` diff --git a/pages.ca/osx/ghead.md b/pages.ca/osx/ghead.md deleted file mode 100644 index e819b64b6..000000000 --- a/pages.ca/osx/ghead.md +++ /dev/null @@ -1,7 +0,0 @@ -# ghead - -> Aquest comandament és un àlies de `-p linux head`. - -- Veure documentació pel comandament original: - -`tldr -p linux head` diff --git a/pages.ca/osx/ghostid.md b/pages.ca/osx/ghostid.md deleted file mode 100644 index 95255b5e6..000000000 --- a/pages.ca/osx/ghostid.md +++ /dev/null @@ -1,7 +0,0 @@ -# ghostid - -> Aquest comandament és un àlies de `-p linux hostid`. - -- Veure documentació pel comandament original: - -`tldr -p linux hostid` diff --git a/pages.ca/osx/ghostname.md b/pages.ca/osx/ghostname.md deleted file mode 100644 index 0b1be4932..000000000 --- a/pages.ca/osx/ghostname.md +++ /dev/null @@ -1,7 +0,0 @@ -# ghostname - -> Aquest comandament és un àlies de `-p linux hostname`. - -- Veure documentació pel comandament original: - -`tldr -p linux hostname` diff --git a/pages.ca/osx/gid.md b/pages.ca/osx/gid.md deleted file mode 100644 index 74393dff5..000000000 --- a/pages.ca/osx/gid.md +++ /dev/null @@ -1,7 +0,0 @@ -# gid - -> Aquest comandament és un àlies de `-p linux id`. - -- Veure documentació pel comandament original: - -`tldr -p linux id` diff --git a/pages.ca/osx/gifconfig.md b/pages.ca/osx/gifconfig.md deleted file mode 100644 index 5e2880bb1..000000000 --- a/pages.ca/osx/gifconfig.md +++ /dev/null @@ -1,7 +0,0 @@ -# gifconfig - -> Aquest comandament és un àlies de `-p linux ifconfig`. - -- Veure documentació pel comandament original: - -`tldr -p linux ifconfig` diff --git a/pages.ca/osx/gindent.md b/pages.ca/osx/gindent.md deleted file mode 100644 index 8d0fd02f3..000000000 --- a/pages.ca/osx/gindent.md +++ /dev/null @@ -1,7 +0,0 @@ -# gindent - -> Aquest comandament és un àlies de `-p linux indent`. - -- Veure documentació pel comandament original: - -`tldr -p linux indent` diff --git a/pages.ca/osx/ginstall.md b/pages.ca/osx/ginstall.md deleted file mode 100644 index 784bb9f9a..000000000 --- a/pages.ca/osx/ginstall.md +++ /dev/null @@ -1,7 +0,0 @@ -# ginstall - -> Aquest comandament és un àlies de `-p linux install`. - -- Veure documentació pel comandament original: - -`tldr -p linux install` diff --git a/pages.ca/osx/gjoin.md b/pages.ca/osx/gjoin.md deleted file mode 100644 index f40b4e0fe..000000000 --- a/pages.ca/osx/gjoin.md +++ /dev/null @@ -1,7 +0,0 @@ -# gjoin - -> Aquest comandament és un àlies de `-p linux join`. - -- Veure documentació pel comandament original: - -`tldr -p linux join` diff --git a/pages.ca/osx/gkill.md b/pages.ca/osx/gkill.md deleted file mode 100644 index 02a6f9982..000000000 --- a/pages.ca/osx/gkill.md +++ /dev/null @@ -1,7 +0,0 @@ -# gkill - -> Aquest comandament és un àlies de `-p linux kill`. - -- Veure documentació pel comandament original: - -`tldr -p linux kill` diff --git a/pages.ca/osx/glibtool.md b/pages.ca/osx/glibtool.md deleted file mode 100644 index 0c32414ab..000000000 --- a/pages.ca/osx/glibtool.md +++ /dev/null @@ -1,7 +0,0 @@ -# glibtool - -> Aquest comandament és un àlies de `-p linux libtool`. - -- Veure documentació pel comandament original: - -`tldr -p linux libtool` diff --git a/pages.ca/osx/glibtoolize.md b/pages.ca/osx/glibtoolize.md deleted file mode 100644 index d278c5892..000000000 --- a/pages.ca/osx/glibtoolize.md +++ /dev/null @@ -1,7 +0,0 @@ -# glibtoolize - -> Aquest comandament és un àlies de `-p linux libtoolize`. - -- Veure documentació pel comandament original: - -`tldr -p linux libtoolize` diff --git a/pages.ca/osx/glink.md b/pages.ca/osx/glink.md deleted file mode 100644 index 4b0d96175..000000000 --- a/pages.ca/osx/glink.md +++ /dev/null @@ -1,7 +0,0 @@ -# glink - -> Aquest comandament és un àlies de `-p linux link`. - -- Veure documentació pel comandament original: - -`tldr -p linux link` diff --git a/pages.ca/osx/gln.md b/pages.ca/osx/gln.md deleted file mode 100644 index c8756a985..000000000 --- a/pages.ca/osx/gln.md +++ /dev/null @@ -1,7 +0,0 @@ -# gln - -> Aquest comandament és un àlies de `-p linux ln`. - -- Veure documentació pel comandament original: - -`tldr -p linux ln` diff --git a/pages.ca/osx/glocate.md b/pages.ca/osx/glocate.md deleted file mode 100644 index b70a548a4..000000000 --- a/pages.ca/osx/glocate.md +++ /dev/null @@ -1,7 +0,0 @@ -# glocate - -> Aquest comandament és un àlies de `-p linux locate`. - -- Veure documentació pel comandament original: - -`tldr -p linux locate` diff --git a/pages.ca/osx/glogger.md b/pages.ca/osx/glogger.md deleted file mode 100644 index fd814e764..000000000 --- a/pages.ca/osx/glogger.md +++ /dev/null @@ -1,7 +0,0 @@ -# glogger - -> Aquest comandament és un àlies de `-p linux logger`. - -- Veure documentació pel comandament original: - -`tldr -p linux logger` diff --git a/pages.ca/osx/glogname.md b/pages.ca/osx/glogname.md deleted file mode 100644 index fb2ae9771..000000000 --- a/pages.ca/osx/glogname.md +++ /dev/null @@ -1,7 +0,0 @@ -# glogname - -> Aquest comandament és un àlies de `-p linux logname`. - -- Veure documentació pel comandament original: - -`tldr -p linux logname` diff --git a/pages.ca/osx/gls.md b/pages.ca/osx/gls.md deleted file mode 100644 index c342013ab..000000000 --- a/pages.ca/osx/gls.md +++ /dev/null @@ -1,7 +0,0 @@ -# gls - -> Aquest comandament és un àlies de `-p linux ls`. - -- Veure documentació pel comandament original: - -`tldr -p linux ls` diff --git a/pages.ca/osx/gmake.md b/pages.ca/osx/gmake.md deleted file mode 100644 index 9f6fad5ff..000000000 --- a/pages.ca/osx/gmake.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmake - -> Aquest comandament és un àlies de `-p linux make`. - -- Veure documentació pel comandament original: - -`tldr -p linux make` diff --git a/pages.ca/osx/gmd5sum.md b/pages.ca/osx/gmd5sum.md deleted file mode 100644 index e306b00f9..000000000 --- a/pages.ca/osx/gmd5sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmd5sum - -> Aquest comandament és un àlies de `-p linux md5sum`. - -- Veure documentació pel comandament original: - -`tldr -p linux md5sum` diff --git a/pages.ca/osx/gmkdir.md b/pages.ca/osx/gmkdir.md deleted file mode 100644 index eb63128b9..000000000 --- a/pages.ca/osx/gmkdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmkdir - -> Aquest comandament és un àlies de `-p linux mkdir`. - -- Veure documentació pel comandament original: - -`tldr -p linux mkdir` diff --git a/pages.ca/osx/gmkfifo.md b/pages.ca/osx/gmkfifo.md deleted file mode 100644 index 7ee15c90a..000000000 --- a/pages.ca/osx/gmkfifo.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmkfifo - -> Aquest comandament és un àlies de `-p linux mkfifo`. - -- Veure documentació pel comandament original: - -`tldr -p linux mkfifo` diff --git a/pages.ca/osx/gmknod.md b/pages.ca/osx/gmknod.md deleted file mode 100644 index 4af478b1f..000000000 --- a/pages.ca/osx/gmknod.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmknod - -> Aquest comandament és un àlies de `-p linux mknod`. - -- Veure documentació pel comandament original: - -`tldr -p linux mknod` diff --git a/pages.ca/osx/gmktemp.md b/pages.ca/osx/gmktemp.md deleted file mode 100644 index 84edfa763..000000000 --- a/pages.ca/osx/gmktemp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmktemp - -> Aquest comandament és un àlies de `-p linux mktemp`. - -- Veure documentació pel comandament original: - -`tldr -p linux mktemp` diff --git a/pages.ca/osx/gmv.md b/pages.ca/osx/gmv.md deleted file mode 100644 index 99df95ee0..000000000 --- a/pages.ca/osx/gmv.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmv - -> Aquest comandament és un àlies de `-p linux mv`. - -- Veure documentació pel comandament original: - -`tldr -p linux mv` diff --git a/pages.ca/osx/gnice.md b/pages.ca/osx/gnice.md deleted file mode 100644 index 122ec438f..000000000 --- a/pages.ca/osx/gnice.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnice - -> Aquest comandament és un àlies de `-p linux nice`. - -- Veure documentació pel comandament original: - -`tldr -p linux nice` diff --git a/pages.ca/osx/gnl.md b/pages.ca/osx/gnl.md deleted file mode 100644 index 38d36014d..000000000 --- a/pages.ca/osx/gnl.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnl - -> Aquest comandament és un àlies de `-p linux nl`. - -- Veure documentació pel comandament original: - -`tldr -p linux nl` diff --git a/pages.ca/osx/gnohup.md b/pages.ca/osx/gnohup.md deleted file mode 100644 index 56db162ea..000000000 --- a/pages.ca/osx/gnohup.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnohup - -> Aquest comandament és un àlies de `-p linux nohup`. - -- Veure documentació pel comandament original: - -`tldr -p linux nohup` diff --git a/pages.ca/osx/gnproc.md b/pages.ca/osx/gnproc.md deleted file mode 100644 index b5cf3509e..000000000 --- a/pages.ca/osx/gnproc.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnproc - -> Aquest comandament és un àlies de `-p linux nproc`. - -- Veure documentació pel comandament original: - -`tldr -p linux nproc` diff --git a/pages.ca/osx/gnumfmt.md b/pages.ca/osx/gnumfmt.md deleted file mode 100644 index ab25d45df..000000000 --- a/pages.ca/osx/gnumfmt.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnumfmt - -> Aquest comandament és un àlies de `-p linux numfmt`. - -- Veure documentació pel comandament original: - -`tldr -p linux numfmt` diff --git a/pages.ca/osx/god.md b/pages.ca/osx/god.md deleted file mode 100644 index aad3aa053..000000000 --- a/pages.ca/osx/god.md +++ /dev/null @@ -1,7 +0,0 @@ -# god - -> Aquest comandament és un àlies de `-p linux od`. - -- Veure documentació pel comandament original: - -`tldr -p linux od` diff --git a/pages.ca/osx/gpaste.md b/pages.ca/osx/gpaste.md deleted file mode 100644 index 416cc93fe..000000000 --- a/pages.ca/osx/gpaste.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpaste - -> Aquest comandament és un àlies de `-p linux paste`. - -- Veure documentació pel comandament original: - -`tldr -p linux paste` diff --git a/pages.ca/osx/gpathchk.md b/pages.ca/osx/gpathchk.md deleted file mode 100644 index 787521f65..000000000 --- a/pages.ca/osx/gpathchk.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpathchk - -> Aquest comandament és un àlies de `-p linux pathchk`. - -- Veure documentació pel comandament original: - -`tldr -p linux pathchk` diff --git a/pages.ca/osx/gping.md b/pages.ca/osx/gping.md deleted file mode 100644 index c2db4fbe5..000000000 --- a/pages.ca/osx/gping.md +++ /dev/null @@ -1,7 +0,0 @@ -# gping - -> Aquest comandament és un àlies de `-p linux ping`. - -- Veure documentació pel comandament original: - -`tldr -p linux ping` diff --git a/pages.ca/osx/gping6.md b/pages.ca/osx/gping6.md deleted file mode 100644 index 5ffdf2b10..000000000 --- a/pages.ca/osx/gping6.md +++ /dev/null @@ -1,7 +0,0 @@ -# gping6 - -> Aquest comandament és un àlies de `-p linux ping6`. - -- Veure documentació pel comandament original: - -`tldr -p linux ping6` diff --git a/pages.ca/osx/gpinky.md b/pages.ca/osx/gpinky.md deleted file mode 100644 index 643d390f4..000000000 --- a/pages.ca/osx/gpinky.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpinky - -> Aquest comandament és un àlies de `-p linux pinky`. - -- Veure documentació pel comandament original: - -`tldr -p linux pinky` diff --git a/pages.ca/osx/gpr.md b/pages.ca/osx/gpr.md deleted file mode 100644 index ae6b32ff1..000000000 --- a/pages.ca/osx/gpr.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpr - -> Aquest comandament és un àlies de `-p linux pr`. - -- Veure documentació pel comandament original: - -`tldr -p linux pr` diff --git a/pages.ca/osx/gprintenv.md b/pages.ca/osx/gprintenv.md deleted file mode 100644 index a1a378cf4..000000000 --- a/pages.ca/osx/gprintenv.md +++ /dev/null @@ -1,7 +0,0 @@ -# gprintenv - -> Aquest comandament és un àlies de `-p linux printenv`. - -- Veure documentació pel comandament original: - -`tldr -p linux printenv` diff --git a/pages.ca/osx/gprintf.md b/pages.ca/osx/gprintf.md deleted file mode 100644 index 0755b95a2..000000000 --- a/pages.ca/osx/gprintf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gprintf - -> Aquest comandament és un àlies de `-p linux printf`. - -- Veure documentació pel comandament original: - -`tldr -p linux printf` diff --git a/pages.ca/osx/gptx.md b/pages.ca/osx/gptx.md deleted file mode 100644 index ac5d61bce..000000000 --- a/pages.ca/osx/gptx.md +++ /dev/null @@ -1,7 +0,0 @@ -# gptx - -> Aquest comandament és un àlies de `-p linux ptx`. - -- Veure documentació pel comandament original: - -`tldr -p linux ptx` diff --git a/pages.ca/osx/gpwd.md b/pages.ca/osx/gpwd.md deleted file mode 100644 index d93dfa903..000000000 --- a/pages.ca/osx/gpwd.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpwd - -> Aquest comandament és un àlies de `-p linux pwd`. - -- Veure documentació pel comandament original: - -`tldr -p linux pwd` diff --git a/pages.ca/osx/grcp.md b/pages.ca/osx/grcp.md deleted file mode 100644 index ae7032c1a..000000000 --- a/pages.ca/osx/grcp.md +++ /dev/null @@ -1,7 +0,0 @@ -# grcp - -> Aquest comandament és un àlies de `-p linux rcp`. - -- Veure documentació pel comandament original: - -`tldr -p linux rcp` diff --git a/pages.ca/osx/greadlink.md b/pages.ca/osx/greadlink.md deleted file mode 100644 index d535406f8..000000000 --- a/pages.ca/osx/greadlink.md +++ /dev/null @@ -1,7 +0,0 @@ -# greadlink - -> Aquest comandament és un àlies de `-p linux readlink`. - -- Veure documentació pel comandament original: - -`tldr -p linux readlink` diff --git a/pages.ca/osx/grealpath.md b/pages.ca/osx/grealpath.md deleted file mode 100644 index cefd3c1ad..000000000 --- a/pages.ca/osx/grealpath.md +++ /dev/null @@ -1,7 +0,0 @@ -# grealpath - -> Aquest comandament és un àlies de `-p linux realpath`. - -- Veure documentació pel comandament original: - -`tldr -p linux realpath` diff --git a/pages.ca/osx/grexec.md b/pages.ca/osx/grexec.md deleted file mode 100644 index 181da3c4f..000000000 --- a/pages.ca/osx/grexec.md +++ /dev/null @@ -1,7 +0,0 @@ -# grexec - -> Aquest comandament és un àlies de `-p linux rexec`. - -- Veure documentació pel comandament original: - -`tldr -p linux rexec` diff --git a/pages.ca/osx/grlogin.md b/pages.ca/osx/grlogin.md deleted file mode 100644 index 44fbd2d5a..000000000 --- a/pages.ca/osx/grlogin.md +++ /dev/null @@ -1,7 +0,0 @@ -# grlogin - -> Aquest comandament és un àlies de `-p linux rlogin`. - -- Veure documentació pel comandament original: - -`tldr -p linux rlogin` diff --git a/pages.ca/osx/grm.md b/pages.ca/osx/grm.md deleted file mode 100644 index 502501db1..000000000 --- a/pages.ca/osx/grm.md +++ /dev/null @@ -1,7 +0,0 @@ -# grm - -> Aquest comandament és un àlies de `-p linux rm`. - -- Veure documentació pel comandament original: - -`tldr -p linux rm` diff --git a/pages.ca/osx/grmdir.md b/pages.ca/osx/grmdir.md deleted file mode 100644 index ca7747ef3..000000000 --- a/pages.ca/osx/grmdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# grmdir - -> Aquest comandament és un àlies de `-p linux rmdir`. - -- Veure documentació pel comandament original: - -`tldr -p linux rmdir` diff --git a/pages.ca/osx/grsh.md b/pages.ca/osx/grsh.md deleted file mode 100644 index a1ba0f3c7..000000000 --- a/pages.ca/osx/grsh.md +++ /dev/null @@ -1,7 +0,0 @@ -# grsh - -> Aquest comandament és un àlies de `-p linux rsh`. - -- Veure documentació pel comandament original: - -`tldr -p linux rsh` diff --git a/pages.ca/osx/gruncon.md b/pages.ca/osx/gruncon.md deleted file mode 100644 index 836ea36a4..000000000 --- a/pages.ca/osx/gruncon.md +++ /dev/null @@ -1,7 +0,0 @@ -# gruncon - -> Aquest comandament és un àlies de `-p linux runcon`. - -- Veure documentació pel comandament original: - -`tldr -p linux runcon` diff --git a/pages.ca/osx/gsed.md b/pages.ca/osx/gsed.md deleted file mode 100644 index 6fe3c8319..000000000 --- a/pages.ca/osx/gsed.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsed - -> Aquest comandament és un àlies de `-p linux sed`. - -- Veure documentació pel comandament original: - -`tldr -p linux sed` diff --git a/pages.ca/osx/gseq.md b/pages.ca/osx/gseq.md deleted file mode 100644 index fbeed9a4b..000000000 --- a/pages.ca/osx/gseq.md +++ /dev/null @@ -1,7 +0,0 @@ -# gseq - -> Aquest comandament és un àlies de `-p linux seq`. - -- Veure documentació pel comandament original: - -`tldr -p linux seq` diff --git a/pages.ca/osx/gsha1sum.md b/pages.ca/osx/gsha1sum.md deleted file mode 100644 index 747dc0b92..000000000 --- a/pages.ca/osx/gsha1sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha1sum - -> Aquest comandament és un àlies de `-p linux sha1sum`. - -- Veure documentació pel comandament original: - -`tldr -p linux sha1sum` diff --git a/pages.ca/osx/gsha224sum.md b/pages.ca/osx/gsha224sum.md deleted file mode 100644 index 5641e7381..000000000 --- a/pages.ca/osx/gsha224sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha224sum - -> Aquest comandament és un àlies de `-p linux sha224sum`. - -- Veure documentació pel comandament original: - -`tldr -p linux sha224sum` diff --git a/pages.ca/osx/gsha256sum.md b/pages.ca/osx/gsha256sum.md deleted file mode 100644 index 781b8f122..000000000 --- a/pages.ca/osx/gsha256sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha256sum - -> Aquest comandament és un àlies de `-p linux sha256sum`. - -- Veure documentació pel comandament original: - -`tldr -p linux sha256sum` diff --git a/pages.ca/osx/gsha384sum.md b/pages.ca/osx/gsha384sum.md deleted file mode 100644 index 1df8b714a..000000000 --- a/pages.ca/osx/gsha384sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha384sum - -> Aquest comandament és un àlies de `-p linux sha384sum`. - -- Veure documentació pel comandament original: - -`tldr -p linux sha384sum` diff --git a/pages.ca/osx/gsha512sum.md b/pages.ca/osx/gsha512sum.md deleted file mode 100644 index 16fe64374..000000000 --- a/pages.ca/osx/gsha512sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha512sum - -> Aquest comandament és un àlies de `-p linux sha512sum`. - -- Veure documentació pel comandament original: - -`tldr -p linux sha512sum` diff --git a/pages.ca/osx/gshred.md b/pages.ca/osx/gshred.md deleted file mode 100644 index ba2553887..000000000 --- a/pages.ca/osx/gshred.md +++ /dev/null @@ -1,7 +0,0 @@ -# gshred - -> Aquest comandament és un àlies de `-p linux shred`. - -- Veure documentació pel comandament original: - -`tldr -p linux shred` diff --git a/pages.ca/osx/gshuf.md b/pages.ca/osx/gshuf.md deleted file mode 100644 index 885757caa..000000000 --- a/pages.ca/osx/gshuf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gshuf - -> Aquest comandament és un àlies de `-p linux shuf`. - -- Veure documentació pel comandament original: - -`tldr -p linux shuf` diff --git a/pages.ca/osx/gsleep.md b/pages.ca/osx/gsleep.md deleted file mode 100644 index 38984cfa3..000000000 --- a/pages.ca/osx/gsleep.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsleep - -> Aquest comandament és un àlies de `-p linux sleep`. - -- Veure documentació pel comandament original: - -`tldr -p linux sleep` diff --git a/pages.ca/osx/gsort.md b/pages.ca/osx/gsort.md deleted file mode 100644 index d23692ea4..000000000 --- a/pages.ca/osx/gsort.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsort - -> Aquest comandament és un àlies de `-p linux sort`. - -- Veure documentació pel comandament original: - -`tldr -p linux sort` diff --git a/pages.ca/osx/gsplit.md b/pages.ca/osx/gsplit.md deleted file mode 100644 index e1c689a63..000000000 --- a/pages.ca/osx/gsplit.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsplit - -> Aquest comandament és un àlies de `-p linux split`. - -- Veure documentació pel comandament original: - -`tldr -p linux split` diff --git a/pages.ca/osx/gstat.md b/pages.ca/osx/gstat.md deleted file mode 100644 index a860e638d..000000000 --- a/pages.ca/osx/gstat.md +++ /dev/null @@ -1,7 +0,0 @@ -# gstat - -> Aquest comandament és un àlies de `-p linux stat`. - -- Veure documentació pel comandament original: - -`tldr -p linux stat` diff --git a/pages.ca/osx/gstdbuf.md b/pages.ca/osx/gstdbuf.md deleted file mode 100644 index 2c25513a7..000000000 --- a/pages.ca/osx/gstdbuf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gstdbuf - -> Aquest comandament és un àlies de `-p linux stdbuf`. - -- Veure documentació pel comandament original: - -`tldr -p linux stdbuf` diff --git a/pages.ca/osx/gstty.md b/pages.ca/osx/gstty.md deleted file mode 100644 index d1e3eb5d0..000000000 --- a/pages.ca/osx/gstty.md +++ /dev/null @@ -1,7 +0,0 @@ -# gstty - -> Aquest comandament és un àlies de `-p linux stty`. - -- Veure documentació pel comandament original: - -`tldr -p linux stty` diff --git a/pages.ca/osx/gsum.md b/pages.ca/osx/gsum.md deleted file mode 100644 index dc3b2b3f7..000000000 --- a/pages.ca/osx/gsum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsum - -> Aquest comandament és un àlies de `-p linux sum`. - -- Veure documentació pel comandament original: - -`tldr -p linux sum` diff --git a/pages.ca/osx/gsync.md b/pages.ca/osx/gsync.md deleted file mode 100644 index f9a58d41e..000000000 --- a/pages.ca/osx/gsync.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsync - -> Aquest comandament és un àlies de `-p linux sync`. - -- Veure documentació pel comandament original: - -`tldr -p linux sync` diff --git a/pages.ca/osx/gtac.md b/pages.ca/osx/gtac.md deleted file mode 100644 index 1fafbaaca..000000000 --- a/pages.ca/osx/gtac.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtac - -> Aquest comandament és un àlies de `-p linux tac`. - -- Veure documentació pel comandament original: - -`tldr -p linux tac` diff --git a/pages.ca/osx/gtail.md b/pages.ca/osx/gtail.md deleted file mode 100644 index 31a455091..000000000 --- a/pages.ca/osx/gtail.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtail - -> Aquest comandament és un àlies de `-p linux tail`. - -- Veure documentació pel comandament original: - -`tldr -p linux tail` diff --git a/pages.ca/osx/gtalk.md b/pages.ca/osx/gtalk.md deleted file mode 100644 index 35a99d901..000000000 --- a/pages.ca/osx/gtalk.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtalk - -> Aquest comandament és un àlies de `-p linux talk`. - -- Veure documentació pel comandament original: - -`tldr -p linux talk` diff --git a/pages.ca/osx/gtar.md b/pages.ca/osx/gtar.md deleted file mode 100644 index c397847f0..000000000 --- a/pages.ca/osx/gtar.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtar - -> Aquest comandament és un àlies de `-p linux tar`. - -- Veure documentació pel comandament original: - -`tldr -p linux tar` diff --git a/pages.ca/osx/gtee.md b/pages.ca/osx/gtee.md deleted file mode 100644 index 783986882..000000000 --- a/pages.ca/osx/gtee.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtee - -> Aquest comandament és un àlies de `-p linux tee`. - -- Veure documentació pel comandament original: - -`tldr -p linux tee` diff --git a/pages.ca/osx/gtelnet.md b/pages.ca/osx/gtelnet.md deleted file mode 100644 index 9cfa4d120..000000000 --- a/pages.ca/osx/gtelnet.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtelnet - -> Aquest comandament és un àlies de `-p linux telnet`. - -- Veure documentació pel comandament original: - -`tldr -p linux telnet` diff --git a/pages.ca/osx/gtest.md b/pages.ca/osx/gtest.md deleted file mode 100644 index 72627e18b..000000000 --- a/pages.ca/osx/gtest.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtest - -> Aquest comandament és un àlies de `-p linux test`. - -- Veure documentació pel comandament original: - -`tldr -p linux test` diff --git a/pages.ca/osx/gtftp.md b/pages.ca/osx/gtftp.md deleted file mode 100644 index 36cc6b6ef..000000000 --- a/pages.ca/osx/gtftp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtftp - -> Aquest comandament és un àlies de `-p linux tftp`. - -- Veure documentació pel comandament original: - -`tldr -p linux tftp` diff --git a/pages.ca/osx/gtime.md b/pages.ca/osx/gtime.md deleted file mode 100644 index bfe92c49c..000000000 --- a/pages.ca/osx/gtime.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtime - -> Aquest comandament és un àlies de `-p linux time`. - -- Veure documentació pel comandament original: - -`tldr -p linux time` diff --git a/pages.ca/osx/gtimeout.md b/pages.ca/osx/gtimeout.md deleted file mode 100644 index fbd55c640..000000000 --- a/pages.ca/osx/gtimeout.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtimeout - -> Aquest comandament és un àlies de `-p linux timeout`. - -- Veure documentació pel comandament original: - -`tldr -p linux timeout` diff --git a/pages.ca/osx/gtouch.md b/pages.ca/osx/gtouch.md deleted file mode 100644 index 0c2439c49..000000000 --- a/pages.ca/osx/gtouch.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtouch - -> Aquest comandament és un àlies de `-p linux touch`. - -- Veure documentació pel comandament original: - -`tldr -p linux touch` diff --git a/pages.ca/osx/gtr.md b/pages.ca/osx/gtr.md deleted file mode 100644 index b8402ca33..000000000 --- a/pages.ca/osx/gtr.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtr - -> Aquest comandament és un àlies de `-p linux tr`. - -- Veure documentació pel comandament original: - -`tldr -p linux tr` diff --git a/pages.ca/osx/gtraceroute.md b/pages.ca/osx/gtraceroute.md deleted file mode 100644 index d828d4ba2..000000000 --- a/pages.ca/osx/gtraceroute.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtraceroute - -> Aquest comandament és un àlies de `-p linux traceroute`. - -- Veure documentació pel comandament original: - -`tldr -p linux traceroute` diff --git a/pages.ca/osx/gtrue.md b/pages.ca/osx/gtrue.md deleted file mode 100644 index 2529066dd..000000000 --- a/pages.ca/osx/gtrue.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtrue - -> Aquest comandament és un àlies de `-p linux true`. - -- Veure documentació pel comandament original: - -`tldr -p linux true` diff --git a/pages.ca/osx/gtruncate.md b/pages.ca/osx/gtruncate.md deleted file mode 100644 index 5a16709d7..000000000 --- a/pages.ca/osx/gtruncate.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtruncate - -> Aquest comandament és un àlies de `-p linux truncate`. - -- Veure documentació pel comandament original: - -`tldr -p linux truncate` diff --git a/pages.ca/osx/gtsort.md b/pages.ca/osx/gtsort.md deleted file mode 100644 index 5ae261ed4..000000000 --- a/pages.ca/osx/gtsort.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtsort - -> Aquest comandament és un àlies de `-p linux tsort`. - -- Veure documentació pel comandament original: - -`tldr -p linux tsort` diff --git a/pages.ca/osx/gtty.md b/pages.ca/osx/gtty.md deleted file mode 100644 index 35c8e2090..000000000 --- a/pages.ca/osx/gtty.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtty - -> Aquest comandament és un àlies de `-p linux tty`. - -- Veure documentació pel comandament original: - -`tldr -p linux tty` diff --git a/pages.ca/osx/guname.md b/pages.ca/osx/guname.md deleted file mode 100644 index c9f9e9e14..000000000 --- a/pages.ca/osx/guname.md +++ /dev/null @@ -1,7 +0,0 @@ -# guname - -> Aquest comandament és un àlies de `-p linux uname`. - -- Veure documentació pel comandament original: - -`tldr -p linux uname` diff --git a/pages.ca/osx/gunexpand.md b/pages.ca/osx/gunexpand.md deleted file mode 100644 index d4f982cf6..000000000 --- a/pages.ca/osx/gunexpand.md +++ /dev/null @@ -1,7 +0,0 @@ -# gunexpand - -> Aquest comandament és un àlies de `-p linux unexpand`. - -- Veure documentació pel comandament original: - -`tldr -p linux unexpand` diff --git a/pages.ca/osx/guniq.md b/pages.ca/osx/guniq.md deleted file mode 100644 index 7fe4237f8..000000000 --- a/pages.ca/osx/guniq.md +++ /dev/null @@ -1,7 +0,0 @@ -# guniq - -> Aquest comandament és un àlies de `-p linux uniq`. - -- Veure documentació pel comandament original: - -`tldr -p linux uniq` diff --git a/pages.ca/osx/gunits.md b/pages.ca/osx/gunits.md deleted file mode 100644 index 9db603324..000000000 --- a/pages.ca/osx/gunits.md +++ /dev/null @@ -1,7 +0,0 @@ -# gunits - -> Aquest comandament és un àlies de `-p linux units`. - -- Veure documentació pel comandament original: - -`tldr -p linux units` diff --git a/pages.ca/osx/gunlink.md b/pages.ca/osx/gunlink.md deleted file mode 100644 index 48bb11485..000000000 --- a/pages.ca/osx/gunlink.md +++ /dev/null @@ -1,7 +0,0 @@ -# gunlink - -> Aquest comandament és un àlies de `-p linux unlink`. - -- Veure documentació pel comandament original: - -`tldr -p linux unlink` diff --git a/pages.ca/osx/gupdatedb.md b/pages.ca/osx/gupdatedb.md deleted file mode 100644 index be6238fe7..000000000 --- a/pages.ca/osx/gupdatedb.md +++ /dev/null @@ -1,7 +0,0 @@ -# gupdatedb - -> Aquest comandament és un àlies de `-p linux updatedb`. - -- Veure documentació pel comandament original: - -`tldr -p linux updatedb` diff --git a/pages.ca/osx/guptime.md b/pages.ca/osx/guptime.md deleted file mode 100644 index 1f0b42eaa..000000000 --- a/pages.ca/osx/guptime.md +++ /dev/null @@ -1,7 +0,0 @@ -# guptime - -> Aquest comandament és un àlies de `-p linux uptime`. - -- Veure documentació pel comandament original: - -`tldr -p linux uptime` diff --git a/pages.ca/osx/gusers.md b/pages.ca/osx/gusers.md deleted file mode 100644 index 0f8e046b8..000000000 --- a/pages.ca/osx/gusers.md +++ /dev/null @@ -1,7 +0,0 @@ -# gusers - -> Aquest comandament és un àlies de `-p linux users`. - -- Veure documentació pel comandament original: - -`tldr -p linux users` diff --git a/pages.ca/osx/gvdir.md b/pages.ca/osx/gvdir.md deleted file mode 100644 index 84b64d5a4..000000000 --- a/pages.ca/osx/gvdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# gvdir - -> Aquest comandament és un àlies de `-p linux vdir`. - -- Veure documentació pel comandament original: - -`tldr -p linux vdir` diff --git a/pages.ca/osx/gwc.md b/pages.ca/osx/gwc.md deleted file mode 100644 index 06dd4df75..000000000 --- a/pages.ca/osx/gwc.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwc - -> Aquest comandament és un àlies de `-p linux wc`. - -- Veure documentació pel comandament original: - -`tldr -p linux wc` diff --git a/pages.ca/osx/gwhich.md b/pages.ca/osx/gwhich.md deleted file mode 100644 index e2eea7452..000000000 --- a/pages.ca/osx/gwhich.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwhich - -> Aquest comandament és un àlies de `-p linux which`. - -- Veure documentació pel comandament original: - -`tldr -p linux which` diff --git a/pages.ca/osx/gwho.md b/pages.ca/osx/gwho.md deleted file mode 100644 index f758d3e9f..000000000 --- a/pages.ca/osx/gwho.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwho - -> Aquest comandament és un àlies de `-p linux who`. - -- Veure documentació pel comandament original: - -`tldr -p linux who` diff --git a/pages.ca/osx/gwhoami.md b/pages.ca/osx/gwhoami.md deleted file mode 100644 index 4c4d38efd..000000000 --- a/pages.ca/osx/gwhoami.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwhoami - -> Aquest comandament és un àlies de `-p linux whoami`. - -- Veure documentació pel comandament original: - -`tldr -p linux whoami` diff --git a/pages.ca/osx/gwhois.md b/pages.ca/osx/gwhois.md deleted file mode 100644 index 3dd90fb3d..000000000 --- a/pages.ca/osx/gwhois.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwhois - -> Aquest comandament és un àlies de `-p linux whois`. - -- Veure documentació pel comandament original: - -`tldr -p linux whois` diff --git a/pages.ca/osx/gxargs.md b/pages.ca/osx/gxargs.md deleted file mode 100644 index 3d7957b3f..000000000 --- a/pages.ca/osx/gxargs.md +++ /dev/null @@ -1,7 +0,0 @@ -# gxargs - -> Aquest comandament és un àlies de `-p linux xargs`. - -- Veure documentació pel comandament original: - -`tldr -p linux xargs` diff --git a/pages.ca/osx/gyes.md b/pages.ca/osx/gyes.md deleted file mode 100644 index 29ca52f0b..000000000 --- a/pages.ca/osx/gyes.md +++ /dev/null @@ -1,7 +0,0 @@ -# gyes - -> Aquest comandament és un àlies de `-p linux yes`. - -- Veure documentació pel comandament original: - -`tldr -p linux yes` diff --git a/pages.ca/osx/launchd.md b/pages.ca/osx/launchd.md deleted file mode 100644 index 8bc1a5f5a..000000000 --- a/pages.ca/osx/launchd.md +++ /dev/null @@ -1,8 +0,0 @@ -# launchd - -> Aquest comandament és un àlies de `launchctl`. -> Més informació: . - -- Veure documentació pel comandament original: - -`tldr launchctl` diff --git a/pages.ca/windows/chrome.md b/pages.ca/windows/chrome.md deleted file mode 100644 index 135163e54..000000000 --- a/pages.ca/windows/chrome.md +++ /dev/null @@ -1,8 +0,0 @@ -# chrome - -> Aquest comandament és un àlies de `chromium`. -> Més informació: . - -- Veure documentació pel comandament original: - -`tldr chromium` diff --git a/pages.ca/windows/cinst.md b/pages.ca/windows/cinst.md deleted file mode 100644 index 0a98fa1e6..000000000 --- a/pages.ca/windows/cinst.md +++ /dev/null @@ -1,8 +0,0 @@ -# cinst - -> Aquest comandament és un àlies de `choco install`. -> Més informació: . - -- Veure documentació pel comandament original: - -`tldr choco install` diff --git a/pages.ca/windows/clist.md b/pages.ca/windows/clist.md deleted file mode 100644 index c50bfc27f..000000000 --- a/pages.ca/windows/clist.md +++ /dev/null @@ -1,8 +0,0 @@ -# clist - -> Aquest comandament és un àlies de `choco list`. -> Més informació: . - -- Veure documentació pel comandament original: - -`tldr choco list` diff --git a/pages.ca/windows/cpush.md b/pages.ca/windows/cpush.md deleted file mode 100644 index ae39f216d..000000000 --- a/pages.ca/windows/cpush.md +++ /dev/null @@ -1,8 +0,0 @@ -# cpush - -> Aquest comandament és un àlies de `choco-push`. -> Més informació: . - -- Veure documentació pel comandament original: - -`tldr choco-push` diff --git a/pages.ca/windows/cuninst.md b/pages.ca/windows/cuninst.md deleted file mode 100644 index c5ed8e8ae..000000000 --- a/pages.ca/windows/cuninst.md +++ /dev/null @@ -1,8 +0,0 @@ -# cuninst - -> Aquest comandament és un àlies de `choco uninstall`. -> Més informació: . - -- Veure documentació pel comandament original: - -`tldr choco uninstall` diff --git a/pages.ca/windows/rd.md b/pages.ca/windows/rd.md deleted file mode 100644 index e74e91f9c..000000000 --- a/pages.ca/windows/rd.md +++ /dev/null @@ -1,8 +0,0 @@ -# rd - -> Aquest comandament és un àlies de `rmdir`. -> Més informació: . - -- Veure documentació pel comandament original: - -`tldr rmdir` diff --git a/pages.da/common/bundler.md b/pages.da/common/bundler.md deleted file mode 100644 index 433f07064..000000000 --- a/pages.da/common/bundler.md +++ /dev/null @@ -1,8 +0,0 @@ -# bundler - -> Denne kommando er et alias af `bundle`. -> Mere information: . - -- Se dokumentation for den oprindelige kommando: - -`tldr bundle` diff --git a/pages.da/common/clamav.md b/pages.da/common/clamav.md index ca69816e2..c417a443d 100644 --- a/pages.da/common/clamav.md +++ b/pages.da/common/clamav.md @@ -1,4 +1,4 @@ -# clamav +# ClamAV > Denne kommando er et alias af `clamdscan`. > Mere information: . diff --git a/pages.da/common/clang-cpp.md b/pages.da/common/clang-cpp.md deleted file mode 100644 index a03c2ba3c..000000000 --- a/pages.da/common/clang-cpp.md +++ /dev/null @@ -1,7 +0,0 @@ -# clang-cpp - -> Denne kommando er et alias af `clang++`. - -- Se dokumentation for den oprindelige kommando: - -`tldr clang++` diff --git a/pages.da/common/clojure.md b/pages.da/common/clojure.md deleted file mode 100644 index 0b1bd33d8..000000000 --- a/pages.da/common/clojure.md +++ /dev/null @@ -1,7 +0,0 @@ -# clojure - -> Denne kommando er et alias af `clj`. - -- Se dokumentation for den oprindelige kommando: - -`tldr clj` diff --git a/pages.da/common/cola.md b/pages.da/common/cola.md deleted file mode 100644 index f509a96ca..000000000 --- a/pages.da/common/cola.md +++ /dev/null @@ -1,7 +0,0 @@ -# cola - -> Denne kommando er et alias af `git-cola`. - -- Se dokumentation for den oprindelige kommando: - -`tldr git-cola` diff --git a/pages.da/common/cron.md b/pages.da/common/cron.md deleted file mode 100644 index 45c90baf4..000000000 --- a/pages.da/common/cron.md +++ /dev/null @@ -1,7 +0,0 @@ -# cron - -> Denne kommando er et alias af `crontab`. - -- Se dokumentation for den oprindelige kommando: - -`tldr crontab` diff --git a/pages.da/common/fossil-ci.md b/pages.da/common/fossil-ci.md index befdb7c04..9d065c29c 100644 --- a/pages.da/common/fossil-ci.md +++ b/pages.da/common/fossil-ci.md @@ -1,6 +1,6 @@ -# fossil-ci +# fossil ci -> Denne kommando er et alias af `fossil-commit`. +> Denne kommando er et alias af `fossil commit`. > Mere information: . - Se dokumentation for den oprindelige kommando: diff --git a/pages.da/common/fossil-delete.md b/pages.da/common/fossil-delete.md index 5b4fa0080..6e9381ace 100644 --- a/pages.da/common/fossil-delete.md +++ b/pages.da/common/fossil-delete.md @@ -1,4 +1,4 @@ -# fossil-delete +# fossil delete > Denne kommando er et alias af `fossil rm`. > Mere information: . diff --git a/pages.da/common/fossil-forget.md b/pages.da/common/fossil-forget.md index 4adbd37b1..f58dc3ff9 100644 --- a/pages.da/common/fossil-forget.md +++ b/pages.da/common/fossil-forget.md @@ -1,4 +1,4 @@ -# fossil-forget +# fossil forget > Denne kommando er et alias af `fossil rm`. > Mere information: . diff --git a/pages.da/common/fossil-new.md b/pages.da/common/fossil-new.md index 870f9143f..8831c29ca 100644 --- a/pages.da/common/fossil-new.md +++ b/pages.da/common/fossil-new.md @@ -1,6 +1,6 @@ -# fossil-new +# fossil new -> Denne kommando er et alias af `fossil-init`. +> Denne kommando er et alias af `fossil init`. > Mere information: . - Se dokumentation for den oprindelige kommando: diff --git a/pages.da/common/gh-cs.md b/pages.da/common/gh-cs.md index 6cac0a8d2..acc66c5c2 100644 --- a/pages.da/common/gh-cs.md +++ b/pages.da/common/gh-cs.md @@ -1,6 +1,6 @@ -# gh-cs +# gh cs -> Denne kommando er et alias af `gh-codespace`. +> Denne kommando er et alias af `gh codespace`. > Mere information: . - Se dokumentation for den oprindelige kommando: diff --git a/pages.da/common/gnmic-sub.md b/pages.da/common/gnmic-sub.md index 0ef8b6b4e..389d18dc6 100644 --- a/pages.da/common/gnmic-sub.md +++ b/pages.da/common/gnmic-sub.md @@ -1,4 +1,4 @@ -# gnmic-sub +# gnmic sub > Denne kommando er et alias af `gnmic subscribe`. > Mere information: . diff --git a/pages.da/common/google-chrome.md b/pages.da/common/google-chrome.md deleted file mode 100644 index 9539ecf4f..000000000 --- a/pages.da/common/google-chrome.md +++ /dev/null @@ -1,8 +0,0 @@ -# google-chrome - -> Denne kommando er et alias af `chromium`. -> Mere information: . - -- Se dokumentation for den oprindelige kommando: - -`tldr chromium` diff --git a/pages.da/common/grep.md b/pages.da/common/grep.md index 59ede1aa0..fb2da85e9 100644 --- a/pages.da/common/grep.md +++ b/pages.da/common/grep.md @@ -9,28 +9,28 @@ - Søg efter en eksakt streng (deaktiverer regulære udtryk): -`grep --fixed-strings "{{eksakt_streng}}" {{sti/til/fil}}` +`grep {{-F|--fixed-strings}} "{{eksakt_streng}}" {{sti/til/fil}}` - Søg efter et mønster i alle filer, pånær binære, rekursivt i en mappe. Vis linjenumre der matcher til mønstret: -`grep --recursive --line-number --binary-files={{without-match}} "{{søgemønster}}" {{sti/til/mappe}}` +`grep {{-r|--recursive}} {{-n|--line-number}} --binary-files {{without-match}} "{{søgemønster}}" {{sti/til/mappe}}` - Brug udvidede regulære udtryk (understøtter `?`, `+`, `{}`, `()` og `|`), i case-insensitive modus: -`grep --extended-regexp --ignore-case "{{søgemønster}}" {{sti/til/fil}}` +`grep {{-E|--extended-regexp}} {{-i|--ignore-case}} "{{søgemønster}}" {{sti/til/fil}}` - Print 3 linjer af kontekst omkring, før eller efter hvert match: -`grep --{{context|before-context|after-context}}={{3}} "{{søgemønster}}" {{sti/til/fil}}` +`grep --{{context|before-context|after-context}} 3 "{{søgemønster}}" {{sti/til/fil}}` - Print, filnavn og linjenummer for hvert match, med farveoutput: -`grep --with-filename --line-number --color=always "{{søgemønster}}" {{sti/til/fil}}` +`grep {{-H|--with-filename}} {{-n|--line-number}} --color=always "{{søgemønster}}" {{sti/til/fil}}` - Søg efter linjer som matcher et mønster. Print kun den matchende tekst: -`grep --only-matching "{{søgemønster}}" {{sti/til/fil}}` +`grep {{-o|--only-matching}} "{{søgemønster}}" {{sti/til/fil}}` - Søg i `stdin` efter linjer der ikke matcher et mønster: -`cat {{sti/til/fil}} | grep --invert-match "{{søgemønster}}"` +`cat {{sti/til/fil}} | grep {{-v|--invert-match}} "{{søgemønster}}"` diff --git a/pages.da/common/hx.md b/pages.da/common/hx.md deleted file mode 100644 index 959056e8b..000000000 --- a/pages.da/common/hx.md +++ /dev/null @@ -1,7 +0,0 @@ -# hx - -> Denne kommando er et alias af `helix`. - -- Se dokumentation for den oprindelige kommando: - -`tldr helix` diff --git a/pages.da/common/kafkacat.md b/pages.da/common/kafkacat.md deleted file mode 100644 index 80073e341..000000000 --- a/pages.da/common/kafkacat.md +++ /dev/null @@ -1,7 +0,0 @@ -# kafkacat - -> Denne kommando er et alias af `kcat`. - -- Se dokumentation for den oprindelige kommando: - -`tldr kcat` diff --git a/pages.da/common/llvm-ar.md b/pages.da/common/llvm-ar.md deleted file mode 100644 index 27813fd83..000000000 --- a/pages.da/common/llvm-ar.md +++ /dev/null @@ -1,7 +0,0 @@ -# llvm-ar - -> Denne kommando er et alias af `ar`. - -- Se dokumentation for den oprindelige kommando: - -`tldr ar` diff --git a/pages.da/common/llvm-g++.md b/pages.da/common/llvm-g++.md deleted file mode 100644 index 031a637b1..000000000 --- a/pages.da/common/llvm-g++.md +++ /dev/null @@ -1,7 +0,0 @@ -# llvm-g++ - -> Denne kommando er et alias af `clang++`. - -- Se dokumentation for den oprindelige kommando: - -`tldr clang++` diff --git a/pages.da/common/llvm-gcc.md b/pages.da/common/llvm-gcc.md deleted file mode 100644 index 63b5f1502..000000000 --- a/pages.da/common/llvm-gcc.md +++ /dev/null @@ -1,7 +0,0 @@ -# llvm-gcc - -> Denne kommando er et alias af `clang`. - -- Se dokumentation for den oprindelige kommando: - -`tldr clang` diff --git a/pages.da/common/llvm-nm.md b/pages.da/common/llvm-nm.md deleted file mode 100644 index acae2069d..000000000 --- a/pages.da/common/llvm-nm.md +++ /dev/null @@ -1,7 +0,0 @@ -# llvm-nm - -> Denne kommando er et alias af `nm`. - -- Se dokumentation for den oprindelige kommando: - -`tldr nm` diff --git a/pages.da/common/llvm-objdump.md b/pages.da/common/llvm-objdump.md deleted file mode 100644 index 49cc513ff..000000000 --- a/pages.da/common/llvm-objdump.md +++ /dev/null @@ -1,7 +0,0 @@ -# llvm-objdump - -> Denne kommando er et alias af `objdump`. - -- Se dokumentation for den oprindelige kommando: - -`tldr objdump` diff --git a/pages.da/common/llvm-strings.md b/pages.da/common/llvm-strings.md deleted file mode 100644 index 1d2f7d87a..000000000 --- a/pages.da/common/llvm-strings.md +++ /dev/null @@ -1,7 +0,0 @@ -# llvm-strings - -> Denne kommando er et alias af `strings`. - -- Se dokumentation for den oprindelige kommando: - -`tldr strings` diff --git a/pages.da/common/lzcat.md b/pages.da/common/lzcat.md deleted file mode 100644 index 9c3887f0c..000000000 --- a/pages.da/common/lzcat.md +++ /dev/null @@ -1,8 +0,0 @@ -# lzcat - -> Denne kommando er et alias af `xz`. -> Mere information: . - -- Se dokumentation for den oprindelige kommando: - -`tldr xz` diff --git a/pages.da/common/lzma.md b/pages.da/common/lzma.md deleted file mode 100644 index ce0a36763..000000000 --- a/pages.da/common/lzma.md +++ /dev/null @@ -1,8 +0,0 @@ -# lzma - -> Denne kommando er et alias af `xz`. -> Mere information: . - -- Se dokumentation for den oprindelige kommando: - -`tldr xz` diff --git a/pages.da/common/mscore.md b/pages.da/common/mscore.md deleted file mode 100644 index 87dc24699..000000000 --- a/pages.da/common/mscore.md +++ /dev/null @@ -1,8 +0,0 @@ -# mscore - -> Denne kommando er et alias af `musescore`. -> Mere information: . - -- Se dokumentation for den oprindelige kommando: - -`tldr musescore` diff --git a/pages.da/common/nm-classic.md b/pages.da/common/nm-classic.md deleted file mode 100644 index c9300a452..000000000 --- a/pages.da/common/nm-classic.md +++ /dev/null @@ -1,7 +0,0 @@ -# nm-classic - -> Denne kommando er et alias af `nm`. - -- Se dokumentation for den oprindelige kommando: - -`tldr nm` diff --git a/pages.da/common/ntl.md b/pages.da/common/ntl.md deleted file mode 100644 index 103f1e251..000000000 --- a/pages.da/common/ntl.md +++ /dev/null @@ -1,8 +0,0 @@ -# ntl - -> Denne kommando er et alias af `netlify`. -> Mere information: . - -- Se dokumentation for den oprindelige kommando: - -`tldr netlify` diff --git a/pages.da/common/pio-init.md b/pages.da/common/pio-init.md index 4252f0c15..fdeaf003a 100644 --- a/pages.da/common/pio-init.md +++ b/pages.da/common/pio-init.md @@ -1,4 +1,4 @@ -# pio-init +# pio init > Denne kommando er et alias af `pio project`. diff --git a/pages.da/common/piodebuggdb.md b/pages.da/common/piodebuggdb.md deleted file mode 100644 index 51a0adb3e..000000000 --- a/pages.da/common/piodebuggdb.md +++ /dev/null @@ -1,7 +0,0 @@ -# piodebuggdb - -> Denne kommando er et alias af `pio debug`. - -- Se dokumentation for den oprindelige kommando: - -`tldr pio debug` diff --git a/pages.da/common/platformio.md b/pages.da/common/platformio.md deleted file mode 100644 index 81b7acc6f..000000000 --- a/pages.da/common/platformio.md +++ /dev/null @@ -1,8 +0,0 @@ -# platformio - -> Denne kommando er et alias af `pio`. -> Mere information: . - -- Se dokumentation for den oprindelige kommando: - -`tldr pio` diff --git a/pages.da/common/ptpython3.md b/pages.da/common/ptpython3.md deleted file mode 100644 index 4d230b84b..000000000 --- a/pages.da/common/ptpython3.md +++ /dev/null @@ -1,7 +0,0 @@ -# ptpython3 - -> Denne kommando er et alias af `ptpython`. - -- Se dokumentation for den oprindelige kommando: - -`tldr ptpython` diff --git a/pages.da/common/python3.md b/pages.da/common/python3.md deleted file mode 100644 index ef7a4e1ae..000000000 --- a/pages.da/common/python3.md +++ /dev/null @@ -1,7 +0,0 @@ -# python3 - -> Denne kommando er et alias af `python`. - -- Se dokumentation for den oprindelige kommando: - -`tldr python` diff --git a/pages.da/common/r2.md b/pages.da/common/r2.md deleted file mode 100644 index ca20c66d3..000000000 --- a/pages.da/common/r2.md +++ /dev/null @@ -1,7 +0,0 @@ -# r2 - -> Denne kommando er et alias af `radare2`. - -- Se dokumentation for den oprindelige kommando: - -`tldr radare2` diff --git a/pages.da/common/rcat.md b/pages.da/common/rcat.md deleted file mode 100644 index 6b2ccb58d..000000000 --- a/pages.da/common/rcat.md +++ /dev/null @@ -1,7 +0,0 @@ -# rcat - -> Denne kommando er et alias af `rc`. - -- Se dokumentation for den oprindelige kommando: - -`tldr rc` diff --git a/pages.da/common/ripgrep.md b/pages.da/common/ripgrep.md deleted file mode 100644 index 47e537e2d..000000000 --- a/pages.da/common/ripgrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# ripgrep - -> Denne kommando er et alias af `rg`. - -- Se dokumentation for den oprindelige kommando: - -`tldr rg` diff --git a/pages.da/common/sed.md b/pages.da/common/sed.md index 98319014b..6385847ce 100644 --- a/pages.da/common/sed.md +++ b/pages.da/common/sed.md @@ -1,7 +1,7 @@ # sed > Rediger tekst, programmatisk. -> Mere information: . +> Mere information: . - Erstat den første forekomst af et regulært udtryk (regular expression) i hver linje af en fil, og print resultatet: diff --git a/pages.da/common/tldrl.md b/pages.da/common/tldrl.md deleted file mode 100644 index 5b849f5df..000000000 --- a/pages.da/common/tldrl.md +++ /dev/null @@ -1,8 +0,0 @@ -# tldrl - -> Denne kommando er et alias af `tldr-lint`. -> Mere information: . - -- Se dokumentation for den oprindelige kommando: - -`tldr tldr-lint` diff --git a/pages.da/common/tlmgr-arch.md b/pages.da/common/tlmgr-arch.md index 99036a481..eddcac7f3 100644 --- a/pages.da/common/tlmgr-arch.md +++ b/pages.da/common/tlmgr-arch.md @@ -1,4 +1,4 @@ -# tlmgr-arch +# tlmgr arch > Denne kommando er et alias af `tlmgr platform`. > Mere information: . diff --git a/pages.da/common/todoman.md b/pages.da/common/todoman.md deleted file mode 100644 index 2705c8fa8..000000000 --- a/pages.da/common/todoman.md +++ /dev/null @@ -1,8 +0,0 @@ -# todoman - -> Denne kommando er et alias af `todo`. -> Mere information: . - -- Se dokumentation for den oprindelige kommando: - -`tldr todo` diff --git a/pages.da/common/transmission.md b/pages.da/common/transmission.md deleted file mode 100644 index 1c05734ad..000000000 --- a/pages.da/common/transmission.md +++ /dev/null @@ -1,8 +0,0 @@ -# transmission - -> Denne kommando er et alias af `transmission-daemon`. -> Mere information: . - -- Se dokumentation for den oprindelige kommando: - -`tldr transmission-daemon` diff --git a/pages.da/common/unlzma.md b/pages.da/common/unlzma.md deleted file mode 100644 index 387350f6b..000000000 --- a/pages.da/common/unlzma.md +++ /dev/null @@ -1,8 +0,0 @@ -# unlzma - -> Denne kommando er et alias af `xz`. -> Mere information: . - -- Se dokumentation for den oprindelige kommando: - -`tldr xz` diff --git a/pages.da/common/unxz.md b/pages.da/common/unxz.md deleted file mode 100644 index 2e42a4536..000000000 --- a/pages.da/common/unxz.md +++ /dev/null @@ -1,8 +0,0 @@ -# unxz - -> Denne kommando er et alias af `xz`. -> Mere information: . - -- Se dokumentation for den oprindelige kommando: - -`tldr xz` diff --git a/pages.da/common/vi.md b/pages.da/common/vi.md deleted file mode 100644 index d66ba48c6..000000000 --- a/pages.da/common/vi.md +++ /dev/null @@ -1,7 +0,0 @@ -# vi - -> Denne kommando er et alias af `vim`. - -- Se dokumentation for den oprindelige kommando: - -`tldr vim` diff --git a/pages.da/common/xzcat.md b/pages.da/common/xzcat.md deleted file mode 100644 index d14dad66e..000000000 --- a/pages.da/common/xzcat.md +++ /dev/null @@ -1,8 +0,0 @@ -# xzcat - -> Denne kommando er et alias af `xz`. -> Mere information: . - -- Se dokumentation for den oprindelige kommando: - -`tldr xz` diff --git a/pages.da/linux/alternatives.md b/pages.da/linux/alternatives.md deleted file mode 100644 index 83b5dcb90..000000000 --- a/pages.da/linux/alternatives.md +++ /dev/null @@ -1,8 +0,0 @@ -# alternatives - -> Denne kommando er et alias af `update-alternatives`. -> Mere information: . - -- Se dokumentation for den oprindelige kommando: - -`tldr update-alternatives` diff --git a/pages.da/linux/batcat.md b/pages.da/linux/batcat.md deleted file mode 100644 index 31fd132b1..000000000 --- a/pages.da/linux/batcat.md +++ /dev/null @@ -1,8 +0,0 @@ -# batcat - -> Denne kommando er et alias af `bat`. -> Mere information: . - -- Se dokumentation for den oprindelige kommando: - -`tldr bat` diff --git a/pages.da/linux/bspwm.md b/pages.da/linux/bspwm.md deleted file mode 100644 index f9dc39238..000000000 --- a/pages.da/linux/bspwm.md +++ /dev/null @@ -1,8 +0,0 @@ -# bspwm - -> Denne kommando er et alias af `bspc`. -> Mere information: . - -- Se dokumentation for den oprindelige kommando: - -`tldr bspc` diff --git a/pages.da/linux/cc.md b/pages.da/linux/cc.md deleted file mode 100644 index 5eab5d420..000000000 --- a/pages.da/linux/cc.md +++ /dev/null @@ -1,8 +0,0 @@ -# cc - -> Denne kommando er et alias af `gcc`. -> Mere information: . - -- Se dokumentation for den oprindelige kommando: - -`tldr gcc` diff --git a/pages.da/linux/cgroups.md b/pages.da/linux/cgroups.md deleted file mode 100644 index d50044909..000000000 --- a/pages.da/linux/cgroups.md +++ /dev/null @@ -1,8 +0,0 @@ -# cgroups - -> Denne kommando er et alias af `cgclassify`. -> Mere information: . - -- Se dokumentation for den oprindelige kommando: - -`tldr cgclassify` diff --git a/pages.da/linux/ip-route-list.md b/pages.da/linux/ip-route-list.md index 923867607..96a7dca22 100644 --- a/pages.da/linux/ip-route-list.md +++ b/pages.da/linux/ip-route-list.md @@ -1,6 +1,6 @@ -# ip-route-list +# ip route list -> Denne kommando er et alias af `ip-route-show`. +> Denne kommando er et alias af `ip route show`. - Se dokumentation for den oprindelige kommando: diff --git a/pages.da/linux/megadl.md b/pages.da/linux/megadl.md deleted file mode 100644 index 5292e2ab9..000000000 --- a/pages.da/linux/megadl.md +++ /dev/null @@ -1,8 +0,0 @@ -# megadl - -> Denne kommando er et alias af `megatools-dl`. -> Mere information: . - -- Se dokumentation for den oprindelige kommando: - -`tldr megatools-dl` diff --git a/pages.da/linux/ncal.md b/pages.da/linux/ncal.md deleted file mode 100644 index d456b85b0..000000000 --- a/pages.da/linux/ncal.md +++ /dev/null @@ -1,8 +0,0 @@ -# ncal - -> Denne kommando er et alias af `cal`. -> Mere information: . - -- Se dokumentation for den oprindelige kommando: - -`tldr cal` diff --git a/pages.da/linux/ubuntu-bug.md b/pages.da/linux/ubuntu-bug.md deleted file mode 100644 index 66e39da7e..000000000 --- a/pages.da/linux/ubuntu-bug.md +++ /dev/null @@ -1,8 +0,0 @@ -# ubuntu-bug - -> Denne kommando er et alias af `apport-bug`. -> Mere information: . - -- Se dokumentation for den oprindelige kommando: - -`tldr apport-bug` diff --git a/pages.da/osx/aa.md b/pages.da/osx/aa.md deleted file mode 100644 index 99b4edda4..000000000 --- a/pages.da/osx/aa.md +++ /dev/null @@ -1,7 +0,0 @@ -# aa - -> Denne kommando er et alias af `yaa`. - -- Se dokumentation for den oprindelige kommando: - -`tldr yaa` diff --git a/pages.da/osx/g[.md b/pages.da/osx/g[.md deleted file mode 100644 index 64ee505d1..000000000 --- a/pages.da/osx/g[.md +++ /dev/null @@ -1,7 +0,0 @@ -# g[ - -> Denne kommando er et alias af `-p linux [`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux [` diff --git a/pages.da/osx/gawk.md b/pages.da/osx/gawk.md deleted file mode 100644 index 08163ead2..000000000 --- a/pages.da/osx/gawk.md +++ /dev/null @@ -1,7 +0,0 @@ -# gawk - -> Denne kommando er et alias af `-p linux awk`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux awk` diff --git a/pages.da/osx/gb2sum.md b/pages.da/osx/gb2sum.md deleted file mode 100644 index 185738585..000000000 --- a/pages.da/osx/gb2sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gb2sum - -> Denne kommando er et alias af `-p linux b2sum`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux b2sum` diff --git a/pages.da/osx/gbase32.md b/pages.da/osx/gbase32.md deleted file mode 100644 index 35ac72e6e..000000000 --- a/pages.da/osx/gbase32.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbase32 - -> Denne kommando er et alias af `-p linux base32`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux base32` diff --git a/pages.da/osx/gbase64.md b/pages.da/osx/gbase64.md deleted file mode 100644 index 7b792dd80..000000000 --- a/pages.da/osx/gbase64.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbase64 - -> Denne kommando er et alias af `-p linux base64`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux base64` diff --git a/pages.da/osx/gbasename.md b/pages.da/osx/gbasename.md deleted file mode 100644 index 77acef3e1..000000000 --- a/pages.da/osx/gbasename.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbasename - -> Denne kommando er et alias af `-p linux basename`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux basename` diff --git a/pages.da/osx/gbasenc.md b/pages.da/osx/gbasenc.md deleted file mode 100644 index f6b5142b5..000000000 --- a/pages.da/osx/gbasenc.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbasenc - -> Denne kommando er et alias af `-p linux basenc`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux basenc` diff --git a/pages.da/osx/gcat.md b/pages.da/osx/gcat.md deleted file mode 100644 index faa7b0f1d..000000000 --- a/pages.da/osx/gcat.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcat - -> Denne kommando er et alias af `-p linux cat`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux cat` diff --git a/pages.da/osx/gchcon.md b/pages.da/osx/gchcon.md deleted file mode 100644 index 5d7c466e8..000000000 --- a/pages.da/osx/gchcon.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchcon - -> Denne kommando er et alias af `-p linux chcon`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux chcon` diff --git a/pages.da/osx/gchgrp.md b/pages.da/osx/gchgrp.md deleted file mode 100644 index 2533183af..000000000 --- a/pages.da/osx/gchgrp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchgrp - -> Denne kommando er et alias af `-p linux chgrp`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux chgrp` diff --git a/pages.da/osx/gchmod.md b/pages.da/osx/gchmod.md deleted file mode 100644 index cd0c941fb..000000000 --- a/pages.da/osx/gchmod.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchmod - -> Denne kommando er et alias af `-p linux chmod`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux chmod` diff --git a/pages.da/osx/gchown.md b/pages.da/osx/gchown.md deleted file mode 100644 index 47023ba87..000000000 --- a/pages.da/osx/gchown.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchown - -> Denne kommando er et alias af `-p linux chown`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux chown` diff --git a/pages.da/osx/gchroot.md b/pages.da/osx/gchroot.md deleted file mode 100644 index 190a7c9df..000000000 --- a/pages.da/osx/gchroot.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchroot - -> Denne kommando er et alias af `-p linux chroot`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux chroot` diff --git a/pages.da/osx/gcksum.md b/pages.da/osx/gcksum.md deleted file mode 100644 index 3924a7f42..000000000 --- a/pages.da/osx/gcksum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcksum - -> Denne kommando er et alias af `-p linux cksum`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux cksum` diff --git a/pages.da/osx/gcomm.md b/pages.da/osx/gcomm.md deleted file mode 100644 index d6e8c4a48..000000000 --- a/pages.da/osx/gcomm.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcomm - -> Denne kommando er et alias af `-p linux comm`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux comm` diff --git a/pages.da/osx/gcp.md b/pages.da/osx/gcp.md deleted file mode 100644 index c85582e5a..000000000 --- a/pages.da/osx/gcp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcp - -> Denne kommando er et alias af `-p linux cp`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux cp` diff --git a/pages.da/osx/gcsplit.md b/pages.da/osx/gcsplit.md deleted file mode 100644 index a8eaae540..000000000 --- a/pages.da/osx/gcsplit.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcsplit - -> Denne kommando er et alias af `-p linux csplit`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux csplit` diff --git a/pages.da/osx/gcut.md b/pages.da/osx/gcut.md deleted file mode 100644 index 300920517..000000000 --- a/pages.da/osx/gcut.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcut - -> Denne kommando er et alias af `-p linux cut`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux cut` diff --git a/pages.da/osx/gdate.md b/pages.da/osx/gdate.md deleted file mode 100644 index a92983b15..000000000 --- a/pages.da/osx/gdate.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdate - -> Denne kommando er et alias af `-p linux date`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux date` diff --git a/pages.da/osx/gdd.md b/pages.da/osx/gdd.md deleted file mode 100644 index 8a3427a4b..000000000 --- a/pages.da/osx/gdd.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdd - -> Denne kommando er et alias af `-p linux dd`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux dd` diff --git a/pages.da/osx/gdf.md b/pages.da/osx/gdf.md deleted file mode 100644 index e3c22d6d2..000000000 --- a/pages.da/osx/gdf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdf - -> Denne kommando er et alias af `-p linux df`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux df` diff --git a/pages.da/osx/gdir.md b/pages.da/osx/gdir.md deleted file mode 100644 index 68afc5a7b..000000000 --- a/pages.da/osx/gdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdir - -> Denne kommando er et alias af `-p linux dir`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux dir` diff --git a/pages.da/osx/gdircolors.md b/pages.da/osx/gdircolors.md deleted file mode 100644 index f2403e6df..000000000 --- a/pages.da/osx/gdircolors.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdircolors - -> Denne kommando er et alias af `-p linux dircolors`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux dircolors` diff --git a/pages.da/osx/gdirname.md b/pages.da/osx/gdirname.md deleted file mode 100644 index a3320c475..000000000 --- a/pages.da/osx/gdirname.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdirname - -> Denne kommando er et alias af `-p linux dirname`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux dirname` diff --git a/pages.da/osx/gdnsdomainname.md b/pages.da/osx/gdnsdomainname.md deleted file mode 100644 index 8cda7583f..000000000 --- a/pages.da/osx/gdnsdomainname.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdnsdomainname - -> Denne kommando er et alias af `-p linux dnsdomainname`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux dnsdomainname` diff --git a/pages.da/osx/gecho.md b/pages.da/osx/gecho.md deleted file mode 100644 index 4e28d1cf0..000000000 --- a/pages.da/osx/gecho.md +++ /dev/null @@ -1,7 +0,0 @@ -# gecho - -> Denne kommando er et alias af `-p linux echo`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux echo` diff --git a/pages.da/osx/ged.md b/pages.da/osx/ged.md deleted file mode 100644 index e05453bd2..000000000 --- a/pages.da/osx/ged.md +++ /dev/null @@ -1,7 +0,0 @@ -# ged - -> Denne kommando er et alias af `-p linux ed`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux ed` diff --git a/pages.da/osx/gegrep.md b/pages.da/osx/gegrep.md deleted file mode 100644 index 56cc19af8..000000000 --- a/pages.da/osx/gegrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# gegrep - -> Denne kommando er et alias af `-p linux egrep`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux egrep` diff --git a/pages.da/osx/genv.md b/pages.da/osx/genv.md deleted file mode 100644 index fcf225bd9..000000000 --- a/pages.da/osx/genv.md +++ /dev/null @@ -1,7 +0,0 @@ -# genv - -> Denne kommando er et alias af `-p linux env`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux env` diff --git a/pages.da/osx/gexpand.md b/pages.da/osx/gexpand.md deleted file mode 100644 index a2f00414a..000000000 --- a/pages.da/osx/gexpand.md +++ /dev/null @@ -1,7 +0,0 @@ -# gexpand - -> Denne kommando er et alias af `-p linux expand`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux expand` diff --git a/pages.da/osx/gexpr.md b/pages.da/osx/gexpr.md deleted file mode 100644 index d31ce315b..000000000 --- a/pages.da/osx/gexpr.md +++ /dev/null @@ -1,7 +0,0 @@ -# gexpr - -> Denne kommando er et alias af `-p linux expr`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux expr` diff --git a/pages.da/osx/gfactor.md b/pages.da/osx/gfactor.md deleted file mode 100644 index 48a94fef4..000000000 --- a/pages.da/osx/gfactor.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfactor - -> Denne kommando er et alias af `-p linux factor`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux factor` diff --git a/pages.da/osx/gfalse.md b/pages.da/osx/gfalse.md deleted file mode 100644 index 11adf338f..000000000 --- a/pages.da/osx/gfalse.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfalse - -> Denne kommando er et alias af `-p linux false`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux false` diff --git a/pages.da/osx/gfgrep.md b/pages.da/osx/gfgrep.md deleted file mode 100644 index eca874d6b..000000000 --- a/pages.da/osx/gfgrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfgrep - -> Denne kommando er et alias af `-p linux fgrep`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux fgrep` diff --git a/pages.da/osx/gfind.md b/pages.da/osx/gfind.md deleted file mode 100644 index 88a9a2d62..000000000 --- a/pages.da/osx/gfind.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfind - -> Denne kommando er et alias af `-p linux find`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux find` diff --git a/pages.da/osx/gfmt.md b/pages.da/osx/gfmt.md deleted file mode 100644 index 5f7fd764e..000000000 --- a/pages.da/osx/gfmt.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfmt - -> Denne kommando er et alias af `-p linux fmt`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux fmt` diff --git a/pages.da/osx/gfold.md b/pages.da/osx/gfold.md deleted file mode 100644 index dc1f2b1d0..000000000 --- a/pages.da/osx/gfold.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfold - -> Denne kommando er et alias af `-p linux fold`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux fold` diff --git a/pages.da/osx/gftp.md b/pages.da/osx/gftp.md deleted file mode 100644 index 574401579..000000000 --- a/pages.da/osx/gftp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gftp - -> Denne kommando er et alias af `-p linux ftp`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux ftp` diff --git a/pages.da/osx/ggrep.md b/pages.da/osx/ggrep.md deleted file mode 100644 index a95d20ab0..000000000 --- a/pages.da/osx/ggrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# ggrep - -> Denne kommando er et alias af `-p linux grep`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux grep` diff --git a/pages.da/osx/ggroups.md b/pages.da/osx/ggroups.md deleted file mode 100644 index 485cdd238..000000000 --- a/pages.da/osx/ggroups.md +++ /dev/null @@ -1,7 +0,0 @@ -# ggroups - -> Denne kommando er et alias af `-p linux groups`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux groups` diff --git a/pages.da/osx/ghead.md b/pages.da/osx/ghead.md deleted file mode 100644 index 6dba4dd7c..000000000 --- a/pages.da/osx/ghead.md +++ /dev/null @@ -1,7 +0,0 @@ -# ghead - -> Denne kommando er et alias af `-p linux head`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux head` diff --git a/pages.da/osx/ghostid.md b/pages.da/osx/ghostid.md deleted file mode 100644 index 29d13f7f3..000000000 --- a/pages.da/osx/ghostid.md +++ /dev/null @@ -1,7 +0,0 @@ -# ghostid - -> Denne kommando er et alias af `-p linux hostid`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux hostid` diff --git a/pages.da/osx/ghostname.md b/pages.da/osx/ghostname.md deleted file mode 100644 index 3add5a69f..000000000 --- a/pages.da/osx/ghostname.md +++ /dev/null @@ -1,7 +0,0 @@ -# ghostname - -> Denne kommando er et alias af `-p linux hostname`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux hostname` diff --git a/pages.da/osx/gid.md b/pages.da/osx/gid.md deleted file mode 100644 index 69d1f7bde..000000000 --- a/pages.da/osx/gid.md +++ /dev/null @@ -1,7 +0,0 @@ -# gid - -> Denne kommando er et alias af `-p linux id`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux id` diff --git a/pages.da/osx/gifconfig.md b/pages.da/osx/gifconfig.md deleted file mode 100644 index 76199f919..000000000 --- a/pages.da/osx/gifconfig.md +++ /dev/null @@ -1,7 +0,0 @@ -# gifconfig - -> Denne kommando er et alias af `-p linux ifconfig`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux ifconfig` diff --git a/pages.da/osx/gindent.md b/pages.da/osx/gindent.md deleted file mode 100644 index 300d44a92..000000000 --- a/pages.da/osx/gindent.md +++ /dev/null @@ -1,7 +0,0 @@ -# gindent - -> Denne kommando er et alias af `-p linux indent`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux indent` diff --git a/pages.da/osx/ginstall.md b/pages.da/osx/ginstall.md deleted file mode 100644 index 52bc4396b..000000000 --- a/pages.da/osx/ginstall.md +++ /dev/null @@ -1,7 +0,0 @@ -# ginstall - -> Denne kommando er et alias af `-p linux install`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux install` diff --git a/pages.da/osx/gjoin.md b/pages.da/osx/gjoin.md deleted file mode 100644 index ca143b1b9..000000000 --- a/pages.da/osx/gjoin.md +++ /dev/null @@ -1,7 +0,0 @@ -# gjoin - -> Denne kommando er et alias af `-p linux join`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux join` diff --git a/pages.da/osx/gkill.md b/pages.da/osx/gkill.md deleted file mode 100644 index 014f153a9..000000000 --- a/pages.da/osx/gkill.md +++ /dev/null @@ -1,7 +0,0 @@ -# gkill - -> Denne kommando er et alias af `-p linux kill`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux kill` diff --git a/pages.da/osx/glibtool.md b/pages.da/osx/glibtool.md deleted file mode 100644 index 150238a3c..000000000 --- a/pages.da/osx/glibtool.md +++ /dev/null @@ -1,7 +0,0 @@ -# glibtool - -> Denne kommando er et alias af `-p linux libtool`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux libtool` diff --git a/pages.da/osx/glibtoolize.md b/pages.da/osx/glibtoolize.md deleted file mode 100644 index 11fe4cb40..000000000 --- a/pages.da/osx/glibtoolize.md +++ /dev/null @@ -1,7 +0,0 @@ -# glibtoolize - -> Denne kommando er et alias af `-p linux libtoolize`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux libtoolize` diff --git a/pages.da/osx/glink.md b/pages.da/osx/glink.md deleted file mode 100644 index 3830d0533..000000000 --- a/pages.da/osx/glink.md +++ /dev/null @@ -1,7 +0,0 @@ -# glink - -> Denne kommando er et alias af `-p linux link`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux link` diff --git a/pages.da/osx/gln.md b/pages.da/osx/gln.md deleted file mode 100644 index cfc5ee907..000000000 --- a/pages.da/osx/gln.md +++ /dev/null @@ -1,7 +0,0 @@ -# gln - -> Denne kommando er et alias af `-p linux ln`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux ln` diff --git a/pages.da/osx/glocate.md b/pages.da/osx/glocate.md deleted file mode 100644 index 2b3016ed4..000000000 --- a/pages.da/osx/glocate.md +++ /dev/null @@ -1,7 +0,0 @@ -# glocate - -> Denne kommando er et alias af `-p linux locate`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux locate` diff --git a/pages.da/osx/glogger.md b/pages.da/osx/glogger.md deleted file mode 100644 index 26f9e9125..000000000 --- a/pages.da/osx/glogger.md +++ /dev/null @@ -1,7 +0,0 @@ -# glogger - -> Denne kommando er et alias af `-p linux logger`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux logger` diff --git a/pages.da/osx/glogname.md b/pages.da/osx/glogname.md deleted file mode 100644 index e2da57156..000000000 --- a/pages.da/osx/glogname.md +++ /dev/null @@ -1,7 +0,0 @@ -# glogname - -> Denne kommando er et alias af `-p linux logname`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux logname` diff --git a/pages.da/osx/gls.md b/pages.da/osx/gls.md deleted file mode 100644 index 2dc3631e5..000000000 --- a/pages.da/osx/gls.md +++ /dev/null @@ -1,7 +0,0 @@ -# gls - -> Denne kommando er et alias af `-p linux ls`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux ls` diff --git a/pages.da/osx/gmake.md b/pages.da/osx/gmake.md deleted file mode 100644 index 965dc7089..000000000 --- a/pages.da/osx/gmake.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmake - -> Denne kommando er et alias af `-p linux make`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux make` diff --git a/pages.da/osx/gmd5sum.md b/pages.da/osx/gmd5sum.md deleted file mode 100644 index 1ba13d6c2..000000000 --- a/pages.da/osx/gmd5sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmd5sum - -> Denne kommando er et alias af `-p linux md5sum`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux md5sum` diff --git a/pages.da/osx/gmkdir.md b/pages.da/osx/gmkdir.md deleted file mode 100644 index 2be3c1abc..000000000 --- a/pages.da/osx/gmkdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmkdir - -> Denne kommando er et alias af `-p linux mkdir`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux mkdir` diff --git a/pages.da/osx/gmkfifo.md b/pages.da/osx/gmkfifo.md deleted file mode 100644 index bf5f156b3..000000000 --- a/pages.da/osx/gmkfifo.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmkfifo - -> Denne kommando er et alias af `-p linux mkfifo`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux mkfifo` diff --git a/pages.da/osx/gmknod.md b/pages.da/osx/gmknod.md deleted file mode 100644 index 778a81840..000000000 --- a/pages.da/osx/gmknod.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmknod - -> Denne kommando er et alias af `-p linux mknod`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux mknod` diff --git a/pages.da/osx/gmktemp.md b/pages.da/osx/gmktemp.md deleted file mode 100644 index 3cb9e6b05..000000000 --- a/pages.da/osx/gmktemp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmktemp - -> Denne kommando er et alias af `-p linux mktemp`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux mktemp` diff --git a/pages.da/osx/gmv.md b/pages.da/osx/gmv.md deleted file mode 100644 index 79834626f..000000000 --- a/pages.da/osx/gmv.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmv - -> Denne kommando er et alias af `-p linux mv`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux mv` diff --git a/pages.da/osx/gnice.md b/pages.da/osx/gnice.md deleted file mode 100644 index 8f0d7a688..000000000 --- a/pages.da/osx/gnice.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnice - -> Denne kommando er et alias af `-p linux nice`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux nice` diff --git a/pages.da/osx/gnl.md b/pages.da/osx/gnl.md deleted file mode 100644 index ce4ca4ca8..000000000 --- a/pages.da/osx/gnl.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnl - -> Denne kommando er et alias af `-p linux nl`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux nl` diff --git a/pages.da/osx/gnohup.md b/pages.da/osx/gnohup.md deleted file mode 100644 index 0e5235fe2..000000000 --- a/pages.da/osx/gnohup.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnohup - -> Denne kommando er et alias af `-p linux nohup`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux nohup` diff --git a/pages.da/osx/gnproc.md b/pages.da/osx/gnproc.md deleted file mode 100644 index da5e9ff4b..000000000 --- a/pages.da/osx/gnproc.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnproc - -> Denne kommando er et alias af `-p linux nproc`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux nproc` diff --git a/pages.da/osx/gnumfmt.md b/pages.da/osx/gnumfmt.md deleted file mode 100644 index d91bd1838..000000000 --- a/pages.da/osx/gnumfmt.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnumfmt - -> Denne kommando er et alias af `-p linux numfmt`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux numfmt` diff --git a/pages.da/osx/god.md b/pages.da/osx/god.md deleted file mode 100644 index c58f0c2ff..000000000 --- a/pages.da/osx/god.md +++ /dev/null @@ -1,7 +0,0 @@ -# god - -> Denne kommando er et alias af `-p linux od`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux od` diff --git a/pages.da/osx/gpaste.md b/pages.da/osx/gpaste.md deleted file mode 100644 index 3392da9b7..000000000 --- a/pages.da/osx/gpaste.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpaste - -> Denne kommando er et alias af `-p linux paste`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux paste` diff --git a/pages.da/osx/gpathchk.md b/pages.da/osx/gpathchk.md deleted file mode 100644 index 62efe5fe2..000000000 --- a/pages.da/osx/gpathchk.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpathchk - -> Denne kommando er et alias af `-p linux pathchk`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux pathchk` diff --git a/pages.da/osx/gping.md b/pages.da/osx/gping.md deleted file mode 100644 index fd7fff45e..000000000 --- a/pages.da/osx/gping.md +++ /dev/null @@ -1,7 +0,0 @@ -# gping - -> Denne kommando er et alias af `-p linux ping`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux ping` diff --git a/pages.da/osx/gping6.md b/pages.da/osx/gping6.md deleted file mode 100644 index 7a83748bc..000000000 --- a/pages.da/osx/gping6.md +++ /dev/null @@ -1,7 +0,0 @@ -# gping6 - -> Denne kommando er et alias af `-p linux ping6`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux ping6` diff --git a/pages.da/osx/gpinky.md b/pages.da/osx/gpinky.md deleted file mode 100644 index ef6d47f63..000000000 --- a/pages.da/osx/gpinky.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpinky - -> Denne kommando er et alias af `-p linux pinky`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux pinky` diff --git a/pages.da/osx/gpr.md b/pages.da/osx/gpr.md deleted file mode 100644 index ec2bf71a8..000000000 --- a/pages.da/osx/gpr.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpr - -> Denne kommando er et alias af `-p linux pr`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux pr` diff --git a/pages.da/osx/gprintenv.md b/pages.da/osx/gprintenv.md deleted file mode 100644 index 824a3896f..000000000 --- a/pages.da/osx/gprintenv.md +++ /dev/null @@ -1,7 +0,0 @@ -# gprintenv - -> Denne kommando er et alias af `-p linux printenv`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux printenv` diff --git a/pages.da/osx/gprintf.md b/pages.da/osx/gprintf.md deleted file mode 100644 index 20d1eda45..000000000 --- a/pages.da/osx/gprintf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gprintf - -> Denne kommando er et alias af `-p linux printf`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux printf` diff --git a/pages.da/osx/gptx.md b/pages.da/osx/gptx.md deleted file mode 100644 index f77c867f1..000000000 --- a/pages.da/osx/gptx.md +++ /dev/null @@ -1,7 +0,0 @@ -# gptx - -> Denne kommando er et alias af `-p linux ptx`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux ptx` diff --git a/pages.da/osx/gpwd.md b/pages.da/osx/gpwd.md deleted file mode 100644 index 0847284b0..000000000 --- a/pages.da/osx/gpwd.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpwd - -> Denne kommando er et alias af `-p linux pwd`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux pwd` diff --git a/pages.da/osx/grcp.md b/pages.da/osx/grcp.md deleted file mode 100644 index a285251b6..000000000 --- a/pages.da/osx/grcp.md +++ /dev/null @@ -1,7 +0,0 @@ -# grcp - -> Denne kommando er et alias af `-p linux rcp`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux rcp` diff --git a/pages.da/osx/greadlink.md b/pages.da/osx/greadlink.md deleted file mode 100644 index d06990df1..000000000 --- a/pages.da/osx/greadlink.md +++ /dev/null @@ -1,7 +0,0 @@ -# greadlink - -> Denne kommando er et alias af `-p linux readlink`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux readlink` diff --git a/pages.da/osx/grealpath.md b/pages.da/osx/grealpath.md deleted file mode 100644 index 3f0195eff..000000000 --- a/pages.da/osx/grealpath.md +++ /dev/null @@ -1,7 +0,0 @@ -# grealpath - -> Denne kommando er et alias af `-p linux realpath`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux realpath` diff --git a/pages.da/osx/grexec.md b/pages.da/osx/grexec.md deleted file mode 100644 index 099030424..000000000 --- a/pages.da/osx/grexec.md +++ /dev/null @@ -1,7 +0,0 @@ -# grexec - -> Denne kommando er et alias af `-p linux rexec`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux rexec` diff --git a/pages.da/osx/grlogin.md b/pages.da/osx/grlogin.md deleted file mode 100644 index d0638316e..000000000 --- a/pages.da/osx/grlogin.md +++ /dev/null @@ -1,7 +0,0 @@ -# grlogin - -> Denne kommando er et alias af `-p linux rlogin`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux rlogin` diff --git a/pages.da/osx/grm.md b/pages.da/osx/grm.md deleted file mode 100644 index 0c9709366..000000000 --- a/pages.da/osx/grm.md +++ /dev/null @@ -1,7 +0,0 @@ -# grm - -> Denne kommando er et alias af `-p linux rm`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux rm` diff --git a/pages.da/osx/grmdir.md b/pages.da/osx/grmdir.md deleted file mode 100644 index d8497e47c..000000000 --- a/pages.da/osx/grmdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# grmdir - -> Denne kommando er et alias af `-p linux rmdir`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux rmdir` diff --git a/pages.da/osx/grsh.md b/pages.da/osx/grsh.md deleted file mode 100644 index db2bb30b8..000000000 --- a/pages.da/osx/grsh.md +++ /dev/null @@ -1,7 +0,0 @@ -# grsh - -> Denne kommando er et alias af `-p linux rsh`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux rsh` diff --git a/pages.da/osx/gruncon.md b/pages.da/osx/gruncon.md deleted file mode 100644 index b48fc86fd..000000000 --- a/pages.da/osx/gruncon.md +++ /dev/null @@ -1,7 +0,0 @@ -# gruncon - -> Denne kommando er et alias af `-p linux runcon`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux runcon` diff --git a/pages.da/osx/gsed.md b/pages.da/osx/gsed.md deleted file mode 100644 index 4a78e2c43..000000000 --- a/pages.da/osx/gsed.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsed - -> Denne kommando er et alias af `-p linux sed`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux sed` diff --git a/pages.da/osx/gseq.md b/pages.da/osx/gseq.md deleted file mode 100644 index 2e147b1f6..000000000 --- a/pages.da/osx/gseq.md +++ /dev/null @@ -1,7 +0,0 @@ -# gseq - -> Denne kommando er et alias af `-p linux seq`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux seq` diff --git a/pages.da/osx/gsha1sum.md b/pages.da/osx/gsha1sum.md deleted file mode 100644 index 34f148e64..000000000 --- a/pages.da/osx/gsha1sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha1sum - -> Denne kommando er et alias af `-p linux sha1sum`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux sha1sum` diff --git a/pages.da/osx/gsha224sum.md b/pages.da/osx/gsha224sum.md deleted file mode 100644 index 4aa9fd565..000000000 --- a/pages.da/osx/gsha224sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha224sum - -> Denne kommando er et alias af `-p linux sha224sum`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux sha224sum` diff --git a/pages.da/osx/gsha256sum.md b/pages.da/osx/gsha256sum.md deleted file mode 100644 index 9d481907e..000000000 --- a/pages.da/osx/gsha256sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha256sum - -> Denne kommando er et alias af `-p linux sha256sum`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux sha256sum` diff --git a/pages.da/osx/gsha384sum.md b/pages.da/osx/gsha384sum.md deleted file mode 100644 index d9eace2aa..000000000 --- a/pages.da/osx/gsha384sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha384sum - -> Denne kommando er et alias af `-p linux sha384sum`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux sha384sum` diff --git a/pages.da/osx/gsha512sum.md b/pages.da/osx/gsha512sum.md deleted file mode 100644 index 669f93a35..000000000 --- a/pages.da/osx/gsha512sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha512sum - -> Denne kommando er et alias af `-p linux sha512sum`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux sha512sum` diff --git a/pages.da/osx/gshred.md b/pages.da/osx/gshred.md deleted file mode 100644 index 8038896d6..000000000 --- a/pages.da/osx/gshred.md +++ /dev/null @@ -1,7 +0,0 @@ -# gshred - -> Denne kommando er et alias af `-p linux shred`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux shred` diff --git a/pages.da/osx/gshuf.md b/pages.da/osx/gshuf.md deleted file mode 100644 index 281dd035c..000000000 --- a/pages.da/osx/gshuf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gshuf - -> Denne kommando er et alias af `-p linux shuf`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux shuf` diff --git a/pages.da/osx/gsleep.md b/pages.da/osx/gsleep.md deleted file mode 100644 index a004d4e60..000000000 --- a/pages.da/osx/gsleep.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsleep - -> Denne kommando er et alias af `-p linux sleep`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux sleep` diff --git a/pages.da/osx/gsort.md b/pages.da/osx/gsort.md deleted file mode 100644 index 7d91055ce..000000000 --- a/pages.da/osx/gsort.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsort - -> Denne kommando er et alias af `-p linux sort`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux sort` diff --git a/pages.da/osx/gsplit.md b/pages.da/osx/gsplit.md deleted file mode 100644 index 28b44cb90..000000000 --- a/pages.da/osx/gsplit.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsplit - -> Denne kommando er et alias af `-p linux split`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux split` diff --git a/pages.da/osx/gstat.md b/pages.da/osx/gstat.md deleted file mode 100644 index e3883f3d5..000000000 --- a/pages.da/osx/gstat.md +++ /dev/null @@ -1,7 +0,0 @@ -# gstat - -> Denne kommando er et alias af `-p linux stat`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux stat` diff --git a/pages.da/osx/gstdbuf.md b/pages.da/osx/gstdbuf.md deleted file mode 100644 index 0d818fcc6..000000000 --- a/pages.da/osx/gstdbuf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gstdbuf - -> Denne kommando er et alias af `-p linux stdbuf`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux stdbuf` diff --git a/pages.da/osx/gstty.md b/pages.da/osx/gstty.md deleted file mode 100644 index e0d347e8e..000000000 --- a/pages.da/osx/gstty.md +++ /dev/null @@ -1,7 +0,0 @@ -# gstty - -> Denne kommando er et alias af `-p linux stty`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux stty` diff --git a/pages.da/osx/gsum.md b/pages.da/osx/gsum.md deleted file mode 100644 index 42b5093fd..000000000 --- a/pages.da/osx/gsum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsum - -> Denne kommando er et alias af `-p linux sum`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux sum` diff --git a/pages.da/osx/gsync.md b/pages.da/osx/gsync.md deleted file mode 100644 index bd530badc..000000000 --- a/pages.da/osx/gsync.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsync - -> Denne kommando er et alias af `-p linux sync`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux sync` diff --git a/pages.da/osx/gtac.md b/pages.da/osx/gtac.md deleted file mode 100644 index 61787994d..000000000 --- a/pages.da/osx/gtac.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtac - -> Denne kommando er et alias af `-p linux tac`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux tac` diff --git a/pages.da/osx/gtail.md b/pages.da/osx/gtail.md deleted file mode 100644 index efb347ef1..000000000 --- a/pages.da/osx/gtail.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtail - -> Denne kommando er et alias af `-p linux tail`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux tail` diff --git a/pages.da/osx/gtalk.md b/pages.da/osx/gtalk.md deleted file mode 100644 index a27d58997..000000000 --- a/pages.da/osx/gtalk.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtalk - -> Denne kommando er et alias af `-p linux talk`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux talk` diff --git a/pages.da/osx/gtar.md b/pages.da/osx/gtar.md deleted file mode 100644 index 7c6596850..000000000 --- a/pages.da/osx/gtar.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtar - -> Denne kommando er et alias af `-p linux tar`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux tar` diff --git a/pages.da/osx/gtee.md b/pages.da/osx/gtee.md deleted file mode 100644 index a2d0af52d..000000000 --- a/pages.da/osx/gtee.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtee - -> Denne kommando er et alias af `-p linux tee`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux tee` diff --git a/pages.da/osx/gtelnet.md b/pages.da/osx/gtelnet.md deleted file mode 100644 index 7820aee8b..000000000 --- a/pages.da/osx/gtelnet.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtelnet - -> Denne kommando er et alias af `-p linux telnet`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux telnet` diff --git a/pages.da/osx/gtest.md b/pages.da/osx/gtest.md deleted file mode 100644 index d86c2993b..000000000 --- a/pages.da/osx/gtest.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtest - -> Denne kommando er et alias af `-p linux test`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux test` diff --git a/pages.da/osx/gtftp.md b/pages.da/osx/gtftp.md deleted file mode 100644 index 268fc75d1..000000000 --- a/pages.da/osx/gtftp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtftp - -> Denne kommando er et alias af `-p linux tftp`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux tftp` diff --git a/pages.da/osx/gtime.md b/pages.da/osx/gtime.md deleted file mode 100644 index f071c6817..000000000 --- a/pages.da/osx/gtime.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtime - -> Denne kommando er et alias af `-p linux time`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux time` diff --git a/pages.da/osx/gtimeout.md b/pages.da/osx/gtimeout.md deleted file mode 100644 index 26ce3f0a8..000000000 --- a/pages.da/osx/gtimeout.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtimeout - -> Denne kommando er et alias af `-p linux timeout`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux timeout` diff --git a/pages.da/osx/gtouch.md b/pages.da/osx/gtouch.md deleted file mode 100644 index 54a38e6ba..000000000 --- a/pages.da/osx/gtouch.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtouch - -> Denne kommando er et alias af `-p linux touch`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux touch` diff --git a/pages.da/osx/gtr.md b/pages.da/osx/gtr.md deleted file mode 100644 index b5e83dc2f..000000000 --- a/pages.da/osx/gtr.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtr - -> Denne kommando er et alias af `-p linux tr`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux tr` diff --git a/pages.da/osx/gtraceroute.md b/pages.da/osx/gtraceroute.md deleted file mode 100644 index bddd2acdb..000000000 --- a/pages.da/osx/gtraceroute.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtraceroute - -> Denne kommando er et alias af `-p linux traceroute`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux traceroute` diff --git a/pages.da/osx/gtrue.md b/pages.da/osx/gtrue.md deleted file mode 100644 index 39ad110ec..000000000 --- a/pages.da/osx/gtrue.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtrue - -> Denne kommando er et alias af `-p linux true`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux true` diff --git a/pages.da/osx/gtruncate.md b/pages.da/osx/gtruncate.md deleted file mode 100644 index 80f94481e..000000000 --- a/pages.da/osx/gtruncate.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtruncate - -> Denne kommando er et alias af `-p linux truncate`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux truncate` diff --git a/pages.da/osx/gtsort.md b/pages.da/osx/gtsort.md deleted file mode 100644 index 1c0112638..000000000 --- a/pages.da/osx/gtsort.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtsort - -> Denne kommando er et alias af `-p linux tsort`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux tsort` diff --git a/pages.da/osx/gtty.md b/pages.da/osx/gtty.md deleted file mode 100644 index a3f227132..000000000 --- a/pages.da/osx/gtty.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtty - -> Denne kommando er et alias af `-p linux tty`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux tty` diff --git a/pages.da/osx/guname.md b/pages.da/osx/guname.md deleted file mode 100644 index 0eda8a73b..000000000 --- a/pages.da/osx/guname.md +++ /dev/null @@ -1,7 +0,0 @@ -# guname - -> Denne kommando er et alias af `-p linux uname`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux uname` diff --git a/pages.da/osx/gunexpand.md b/pages.da/osx/gunexpand.md deleted file mode 100644 index e98f2e6d8..000000000 --- a/pages.da/osx/gunexpand.md +++ /dev/null @@ -1,7 +0,0 @@ -# gunexpand - -> Denne kommando er et alias af `-p linux unexpand`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux unexpand` diff --git a/pages.da/osx/guniq.md b/pages.da/osx/guniq.md deleted file mode 100644 index 04a13a970..000000000 --- a/pages.da/osx/guniq.md +++ /dev/null @@ -1,7 +0,0 @@ -# guniq - -> Denne kommando er et alias af `-p linux uniq`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux uniq` diff --git a/pages.da/osx/gunits.md b/pages.da/osx/gunits.md deleted file mode 100644 index 72d8a61d4..000000000 --- a/pages.da/osx/gunits.md +++ /dev/null @@ -1,7 +0,0 @@ -# gunits - -> Denne kommando er et alias af `-p linux units`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux units` diff --git a/pages.da/osx/gunlink.md b/pages.da/osx/gunlink.md deleted file mode 100644 index 985babc5e..000000000 --- a/pages.da/osx/gunlink.md +++ /dev/null @@ -1,7 +0,0 @@ -# gunlink - -> Denne kommando er et alias af `-p linux unlink`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux unlink` diff --git a/pages.da/osx/gupdatedb.md b/pages.da/osx/gupdatedb.md deleted file mode 100644 index 8404052aa..000000000 --- a/pages.da/osx/gupdatedb.md +++ /dev/null @@ -1,7 +0,0 @@ -# gupdatedb - -> Denne kommando er et alias af `-p linux updatedb`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux updatedb` diff --git a/pages.da/osx/guptime.md b/pages.da/osx/guptime.md deleted file mode 100644 index 29b83c71c..000000000 --- a/pages.da/osx/guptime.md +++ /dev/null @@ -1,7 +0,0 @@ -# guptime - -> Denne kommando er et alias af `-p linux uptime`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux uptime` diff --git a/pages.da/osx/gusers.md b/pages.da/osx/gusers.md deleted file mode 100644 index 9f89ded67..000000000 --- a/pages.da/osx/gusers.md +++ /dev/null @@ -1,7 +0,0 @@ -# gusers - -> Denne kommando er et alias af `-p linux users`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux users` diff --git a/pages.da/osx/gvdir.md b/pages.da/osx/gvdir.md deleted file mode 100644 index 6ab8ab134..000000000 --- a/pages.da/osx/gvdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# gvdir - -> Denne kommando er et alias af `-p linux vdir`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux vdir` diff --git a/pages.da/osx/gwc.md b/pages.da/osx/gwc.md deleted file mode 100644 index cede85ba5..000000000 --- a/pages.da/osx/gwc.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwc - -> Denne kommando er et alias af `-p linux wc`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux wc` diff --git a/pages.da/osx/gwhich.md b/pages.da/osx/gwhich.md deleted file mode 100644 index 19264bf13..000000000 --- a/pages.da/osx/gwhich.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwhich - -> Denne kommando er et alias af `-p linux which`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux which` diff --git a/pages.da/osx/gwho.md b/pages.da/osx/gwho.md deleted file mode 100644 index d82aac0e0..000000000 --- a/pages.da/osx/gwho.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwho - -> Denne kommando er et alias af `-p linux who`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux who` diff --git a/pages.da/osx/gwhoami.md b/pages.da/osx/gwhoami.md deleted file mode 100644 index f6e0519b5..000000000 --- a/pages.da/osx/gwhoami.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwhoami - -> Denne kommando er et alias af `-p linux whoami`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux whoami` diff --git a/pages.da/osx/gwhois.md b/pages.da/osx/gwhois.md deleted file mode 100644 index 4498cb6d0..000000000 --- a/pages.da/osx/gwhois.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwhois - -> Denne kommando er et alias af `-p linux whois`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux whois` diff --git a/pages.da/osx/gxargs.md b/pages.da/osx/gxargs.md deleted file mode 100644 index bd1aa067c..000000000 --- a/pages.da/osx/gxargs.md +++ /dev/null @@ -1,7 +0,0 @@ -# gxargs - -> Denne kommando er et alias af `-p linux xargs`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux xargs` diff --git a/pages.da/osx/gyes.md b/pages.da/osx/gyes.md deleted file mode 100644 index 8d1296fbf..000000000 --- a/pages.da/osx/gyes.md +++ /dev/null @@ -1,7 +0,0 @@ -# gyes - -> Denne kommando er et alias af `-p linux yes`. - -- Se dokumentation for den oprindelige kommando: - -`tldr -p linux yes` diff --git a/pages.da/osx/launchd.md b/pages.da/osx/launchd.md deleted file mode 100644 index 9c9442792..000000000 --- a/pages.da/osx/launchd.md +++ /dev/null @@ -1,8 +0,0 @@ -# launchd - -> Denne kommando er et alias af `launchctl`. -> Mere information: . - -- Se dokumentation for den oprindelige kommando: - -`tldr launchctl` diff --git a/pages.da/windows/chrome.md b/pages.da/windows/chrome.md deleted file mode 100644 index faca9d384..000000000 --- a/pages.da/windows/chrome.md +++ /dev/null @@ -1,8 +0,0 @@ -# chrome - -> Denne kommando er et alias af `chromium`. -> Mere information: . - -- Se dokumentation for den oprindelige kommando: - -`tldr chromium` diff --git a/pages.da/windows/cinst.md b/pages.da/windows/cinst.md deleted file mode 100644 index f79b778dc..000000000 --- a/pages.da/windows/cinst.md +++ /dev/null @@ -1,8 +0,0 @@ -# cinst - -> Denne kommando er et alias af `choco install`. -> Mere information: . - -- Se dokumentation for den oprindelige kommando: - -`tldr choco install` diff --git a/pages.da/windows/clist.md b/pages.da/windows/clist.md deleted file mode 100644 index 177da0da8..000000000 --- a/pages.da/windows/clist.md +++ /dev/null @@ -1,8 +0,0 @@ -# clist - -> Denne kommando er et alias af `choco list`. -> Mere information: . - -- Se dokumentation for den oprindelige kommando: - -`tldr choco list` diff --git a/pages.da/windows/cpush.md b/pages.da/windows/cpush.md deleted file mode 100644 index ed31adeaf..000000000 --- a/pages.da/windows/cpush.md +++ /dev/null @@ -1,8 +0,0 @@ -# cpush - -> Denne kommando er et alias af `choco-push`. -> Mere information: . - -- Se dokumentation for den oprindelige kommando: - -`tldr choco-push` diff --git a/pages.da/windows/cuninst.md b/pages.da/windows/cuninst.md deleted file mode 100644 index c353988ac..000000000 --- a/pages.da/windows/cuninst.md +++ /dev/null @@ -1,8 +0,0 @@ -# cuninst - -> Denne kommando er et alias af `choco uninstall`. -> Mere information: . - -- Se dokumentation for den oprindelige kommando: - -`tldr choco uninstall` diff --git a/pages.da/windows/rd.md b/pages.da/windows/rd.md deleted file mode 100644 index fc52008bd..000000000 --- a/pages.da/windows/rd.md +++ /dev/null @@ -1,8 +0,0 @@ -# rd - -> Denne kommando er et alias af `rmdir`. -> Mere information: . - -- Se dokumentation for den oprindelige kommando: - -`tldr rmdir` diff --git a/pages.de/android/logcat.md b/pages.de/android/logcat.md index c44282a61..07071b73f 100644 --- a/pages.de/android/logcat.md +++ b/pages.de/android/logcat.md @@ -1,16 +1,24 @@ # logcat -> Gib ein Protokoll aller Systemmeldungen aus. +> Gib ein Protokoll aller System-Logs aus. > Weitere Informationen: . -- Gib ein Protokoll aller Systemmeldungen aus: +- Gib ein Protokoll aller System-Logs aus: `logcat` -- Schreibe alle Systemmeldungen in eine Datei: +- Schreibe alle System-Logs in eine Datei: `logcat -f {{pfad/zu/datei}}` - Gib Zeilen aus, die einem regulären Ausdruck entsprechen: `logcat --regex {{regex}}` + +- Gib System-Logs für die spezifizierte PID aus: + +`logcat --pid {{pid}}` + +- Gib System-Logs für den Prozess eines bestimmten Packets aus: + +`logcat --pid $(pidof -s {{packet}})` diff --git a/pages.de/common/!.md b/pages.de/common/!.md index 8c82a3cc2..bcb99ac7c 100644 --- a/pages.de/common/!.md +++ b/pages.de/common/!.md @@ -1,7 +1,7 @@ # Exclamation mark > Ein in Bash integriertes Kommando, welches durch einen Befehl aus dem Befehlsverlauf ersetzt wird. -> Weitere Informationen: . +> Weitere Informationen: . - Ersetze `!!` durch den vorherigen Befehl und führe ihn mit `sudo` aus: diff --git a/pages.de/common/7zr.md b/pages.de/common/7zr.md index 22afab4f1..913263ddb 100644 --- a/pages.de/common/7zr.md +++ b/pages.de/common/7zr.md @@ -1,7 +1,7 @@ # 7zr > Ein Dateiarchivierer mit hoher Kompressionsrate. -> Eine alleinstehende Version von `7z`, die nur `.7z` Dateien unterstützt. +> Eine alleinstehende Version von `7z`, die nur 7z Dateien unterstützt. > Weitere Informationen: . - [a]rchiviere eine Datei oder ein Verzeichnis: diff --git a/pages.de/common/[.md b/pages.de/common/[.md index 1bc65f0b8..6542dceec 100644 --- a/pages.de/common/[.md +++ b/pages.de/common/[.md @@ -2,7 +2,7 @@ > Teste Dateitypen und vergleiche Werte. > Gibt 0 zurück, wenn der Ausdruck wahr ist und 1 wenn nicht. -> Weitere Informationen: . +> Weitere Informationen: . - Überprüfe, ob eine bestimmte Variable gleich oder ungleich einem bestimmen String ist: diff --git a/pages.de/common/[[.md b/pages.de/common/[[.md index cec5fb375..570114347 100644 --- a/pages.de/common/[[.md +++ b/pages.de/common/[[.md @@ -2,7 +2,7 @@ > Teste Dateitypen und vergleiche Werte. > Gibt 0 zurück, wenn der Ausdruck wahr ist und 1 wenn nicht. -> Weitere Informationen: . +> Weitere Informationen: . - Überprüfe, ob eine bestimmte Variable gleich oder ungleich einem bestimmen String ist: diff --git a/pages.de/common/alacritty.md b/pages.de/common/alacritty.md index 40e1d6292..d7fdac283 100644 --- a/pages.de/common/alacritty.md +++ b/pages.de/common/alacritty.md @@ -15,10 +15,10 @@ `alacritty -e {{befehl}}` -- Gib eine alternative Konfigurations-Datei an (ist standardmäßig `$XDG_CONFIG_HOME/alacritty/alacritty.yml`): +- Gib eine alternative Konfigurations-Datei an (ist standardmäßig `$XDG_CONFIG_HOME/alacritty/alacritty.toml`): -`alacritty --config-file {{pfad/zu/konfiguration.yml}}` +`alacritty --config-file {{pfad/zu/konfiguration.toml}}` -- Starte mit aktiviertem Live-Konfigurations-Neuladen (kann auch standardmäßig in `alacritty.yml` eingestellt werden): +- Starte mit aktiviertem Live-Konfigurations-Neuladen (kann auch standardmäßig in `alacritty.toml` eingestellt werden): -`alacritty --live-config-reload --config-file {{pfad/zu/konfiguration.yml}}` +`alacritty --live-config-reload --config-file {{pfad/zu/konfiguration.toml}}` diff --git a/pages.de/common/ansible-vault.md b/pages.de/common/ansible-vault.md index 3612d55d2..03bb15cf6 100644 --- a/pages.de/common/ansible-vault.md +++ b/pages.de/common/ansible-vault.md @@ -9,11 +9,11 @@ - Erstelle eine neue verschlüsselte Vault-Datei mit einer Vault-Schlüsseldatei, um sie zu verschlüsseln: -`ansible-vault create --vault-password-file={{schlüsseldatei}} {{vault_datei}}` +`ansible-vault create --vault-password-file {{schlüsseldatei}} {{vault_datei}}` - Verschlüssle eine vorhandene Datei mit einer optionalen Schlüsseldatei: -`ansible-vault encrypt --vault-password-file={{schlüsseldatei}} {{vault_file}}` +`ansible-vault encrypt --vault-password-file {{schlüsseldatei}} {{vault_file}}` - Verschlüssle eine Zeichenfolge mit dem verschlüsselten Zeichenfolgenformat von Ansible, wobei interaktive Eingabeaufforderungen angezeigt werden: @@ -21,8 +21,8 @@ - Zeige eine verschlüsselte Datei an, wobei eine Kennwortdatei zum Entschlüsseln verwendet wird: -`ansible-vault view --vault-password-file={{schlüsseldatei}} {{vault_datei}}` +`ansible-vault view --vault-password-file {{schlüsseldatei}} {{vault_datei}}` - Verschlüssle eine bereits verschlüsselte Vault Datei mit einer neuen Kennwortdatei neu: -`ansible-vault rekey --vault-password-file={{alte_schlüsseldatei}} --new-vault-password-file={{neue_schlüsseldatei}} {{vault_datei}}` +`ansible-vault rekey --vault-password-file {{alte_schlüsseldatei}} --new-vault-password-file {{neue_schlüsseldatei}} {{vault_datei}}` diff --git a/pages.de/linux/aspell.md b/pages.de/common/aspell.md similarity index 100% rename from pages.de/linux/aspell.md rename to pages.de/common/aspell.md diff --git a/pages.de/common/bash.md b/pages.de/common/bash.md index 66dd49d6a..1917dafad 100644 --- a/pages.de/common/bash.md +++ b/pages.de/common/bash.md @@ -28,6 +28,6 @@ `bash -s` -- Gib die Version von bash aus (verwende `echo $BASH_VERSION`, um nur die Versionszeichenkette anzuzeigen): +- Gib die Version von Bash aus (verwende `echo $BASH_VERSION`, um nur die Versionszeichenkette anzuzeigen): `bash --version` diff --git a/pages.de/common/brew-bundle.md b/pages.de/common/brew-bundle.md index 80da555cc..51ff3200b 100644 --- a/pages.de/common/brew-bundle.md +++ b/pages.de/common/brew-bundle.md @@ -9,7 +9,7 @@ - Installiere Pakete aus einer bestimmten Brewfile: -`brew bundle --file={{pfad/zu/brewfile}}` +`brew bundle --file {{pfad/zu/brewfile}}` - Gib eine Liste mit allen installierten Paketen aus: diff --git a/pages.de/common/cat.md b/pages.de/common/cat.md index 9bc9b4372..d096f60bd 100644 --- a/pages.de/common/cat.md +++ b/pages.de/common/cat.md @@ -1,7 +1,7 @@ # cat > Verkette und gib einzelne oder mehrere Dateien aus. -> Weitere Informationen: . +> Weitere Informationen: . - Gib den Inhalt einer Datei aus: diff --git a/pages.de/common/chown.md b/pages.de/common/chown.md index 0806dbd42..ed88b1ba7 100644 --- a/pages.de/common/chown.md +++ b/pages.de/common/chown.md @@ -21,4 +21,4 @@ - Ändere den Besitzer einer Datei/eines Verzeichnisses, damit sie/es mit einer Referenzdatei übereinstimmt: -`chown --reference={{pfad/zu/referenzdatei_oder_verzeichnis}} {{pfad/zu/datei_oder_verzeichnis}}` +`chown --reference {{pfad/zu/referenzdatei_oder_verzeichnis}} {{pfad/zu/datei_oder_verzeichnis}}` diff --git a/pages.de/common/clamav.md b/pages.de/common/clamav.md index 0dd445285..2710f48ee 100644 --- a/pages.de/common/clamav.md +++ b/pages.de/common/clamav.md @@ -1,4 +1,4 @@ -# clamav +# ClamAV > Dieser Befehl ist ein Alias von `clamdscan`. > Weitere Informationen: . diff --git a/pages.de/common/clang-format.md b/pages.de/common/clang-format.md index b55da3e9d..aea61ce57 100755 --- a/pages.de/common/clang-format.md +++ b/pages.de/common/clang-format.md @@ -13,7 +13,7 @@ - Formatiere eine Datei mit einem bestimmten Code-Stil: -`clang-format --style={{LLVM|GNU|Google|Chromium|Microsoft|Mozilla|WebKit}} {{pfad/zu/quelldatei.cpp}}` +`clang-format --style {{LLVM|GNU|Google|Chromium|Microsoft|Mozilla|WebKit}} {{pfad/zu/quelldatei.cpp}}` - Formatiere eine Datei mit der `.clang-format`-Datei aus einem der Überverzeichnisse der Quelldatei: @@ -21,4 +21,4 @@ - Generiere eine eigene `.clang-format`-Datei: -`clang-format --style={{LLVM|GNU|Google|Chromium|Microsoft|Mozilla|WebKit}} --dump-config > {{.clang-format}}` +`clang-format --style {{LLVM|GNU|Google|Chromium|Microsoft|Mozilla|WebKit}} --dump-config > {{.clang-format}}` diff --git a/pages.de/common/compare.md b/pages.de/common/compare.md deleted file mode 100644 index 1918295b9..000000000 --- a/pages.de/common/compare.md +++ /dev/null @@ -1,12 +0,0 @@ -# compare - -> Zeige Unterschiede von zwei Bildern. -> Weitere Informationen: . - -- Vergleiche 2 Bilder: - -`compare {{pfad/zu/bild1.png}} {{pfad/zu/bild2.png}} {{pfad/zu/diff.png}}` - -- Vergleiche 2 Bilder mit einer bestimmten Metrik (standardmäßig NCC): - -`compare -verbose -metric {{PSNR}} {{pfad/zu/bild1.png}} {{pfad/zu/bild2.png}} {{pfad/zu/diff.png}}` diff --git a/pages.de/common/convert.md b/pages.de/common/convert.md deleted file mode 100644 index 0e2be4cb1..000000000 --- a/pages.de/common/convert.md +++ /dev/null @@ -1,36 +0,0 @@ -# convert - -> ImageMagick Bildkonvertierungswerkzeug. -> Weitere Informationen: . - -- Konvertiere ein Bild von JPG nach PNG: - -`convert {{pfad/zu/bild.jpg}} {{pfad/zu/bild.png}}` - -- Skaliere ein Bild auf 50% seiner Originalgröße: - -`convert {{pfad/zu/bild.png}} -resize 50% {{pfad/zu/bild2.png}}` - -- Skaliere ein Bild unter Beibehaltung des ursprünglichen Seitenverhältnisses auf eine maximale Größe von 640x480: - -`convert {{pfad/zu/bild.png}} -resize 640x480 {{pfad/zu/bild2.png}}` - -- Hänge Bilder horizontal aneinander: - -`convert {{pfad/zu/bild1.png pfad/zu/bild2.png ...}} +append {{pfad/zu/bild.png}}` - -- Hänge Bilder vertikal aneinander: - -`convert {{pfad/zu/bild1.png pfad/zu/bild2.png ...}} -append {{pfad/zu/bild.png}}` - -- Erstelle ein animiertes GIF aus einer Serie von Bildern mit einer Verzögerung von 100 ms zwischen den Bildern: - -`convert {{pfad/zu/bild1.png pfad/zu/bild2.png ...}} -delay {{10}} {{pfad/zu/animation.gif}}` - -- Erstelle ein Bild mit nichts als einem festen Hintergrund: - -`convert -size {{800x600}} "xc:{{#ff0000}}" {{pfad/zu/bild.png}}` - -- Erstelle ein Favicon aus mehreren Bildern verschiedener Größe: - -`convert {{pfad/zu/bild1.png pfad/zu/bild2.png ...}} {{pfad/zu/bild.ico}}` diff --git a/pages.de/common/cut.md b/pages.de/common/cut.md index 3cf059fcd..dc9aaa99d 100644 --- a/pages.de/common/cut.md +++ b/pages.de/common/cut.md @@ -5,12 +5,12 @@ - Schneide bestimmte Zeichen oder einen Bereich von Feldern jeder Zeile aus: -`{{befehl}} | cut --{{characters|fields}}={{1|1,10|1-10|1-|-10}}` +`{{befehl}} | cut --{{characters|fields}} {{1|1,10|1-10|1-|-10}}` - Schneide einen bestimmten Bereich von Feldern jeder Zeile mit einem bestimmten Trennzeichen aus: -`{{befehl}} | cut --delimiter="{{,}}" --fields={{1}}` +`{{befehl}} | cut --delimiter "{{,}}" --fields {{1}}` - Schneide einen bestimmten Bereich von Zeichen jeder Zeile einer bestimmten Datei aus: -`cut --characters={{1}} {{pfad/zu/datei}}` +`cut --characters {{1}} {{pfad/zu/datei}}` diff --git a/pages.de/common/date.md b/pages.de/common/date.md index 4d0f5bc9b..b549646b1 100644 --- a/pages.de/common/date.md +++ b/pages.de/common/date.md @@ -25,7 +25,7 @@ - Zeige das aktuelle Datum im RFC-3339 Format (`YYYY-MM-DD hh:mm:ss TZ`) an: -`date --rfc-3339=s` +`date --rfc-3339 s` - Setze das aktuelle Datum im Format `MMDDhhmmYYYY.ss` (`YYYY` und `.ss` sind optional): diff --git a/pages.de/common/dd.md b/pages.de/common/dd.md index 54d0918b5..10da798d4 100644 --- a/pages.de/common/dd.md +++ b/pages.de/common/dd.md @@ -1,32 +1,28 @@ # dd > Konvertiere und kopiere eine Datei. -> Weitere Informationen: . +> Weitere Informationen: . - Erstelle ein bootbares USB-Laufwerk von einer isohybriden Datei (wie `archlinux-xxxx.iso`) und zeige den Fortschritt an: -`dd if={{pfad/zu/datei.iso}} of=/dev/{{laufwerk}} status=progress` +`dd if={{pfad/zu/datei.iso}} of={{/dev/laufwerk}} status=progress` - Klone ein USB-Laufwerk in ein anderes in 4MiB Blöcken, ignoriere Fehler und zeige den Fortschritt an: -`dd if=/dev/{{quell_laufwerk}} of=/dev/{{ziel_laufwerk}} bs=4M conv=noerror status=progress` +`dd if={{/dev/quell_laufwerk}} of={{/dev/ziel_laufwerk}} bs=4M conv=noerror status=progress` -- Erstelle eine Datei mit 100 zufälligen Bytes mithilfe des Zufall-Treibers des Kernels: +- Erstelle eine Datei mit spezifizierte zufälligen Bytes mithilfe des Zufall-Treibers des Kernels: -`dd if=/dev/urandom of={{pfad/zu/datei}} bs=100 count=1` +`dd bs={{100}} count={{1}} if=/dev/urandom of={{pfad/zu/datei}}` - Teste die Schreibgeschwindigkeit eines Laufwerks: -`dd if=/dev/zero of={{pfad/zu/1GB_datei}} bs=1024 count=1000000` +`dd bs={{1024}} count={{1000000}} if=/dev/zero of={{pfad/zu/1GB_datei}}` - Erstelle ein System-Backup als IMG Datei und zeige den Fortschritt an: -`dd if=/dev/{{laufwerk}} of={{pfad/zu/datei.img}} status=progress` +`dd if={{/dev/laufwerk}} of={{pfad/zu/datei.img}} status=progress` - Stelle ein Laufwerk aus einer IMG Datei wieder her und zeige den Fortschritt an: -`dd if={{pfad/zu/datei.img}} of=/dev/{{laufwerk}} status=progress` - -- Überprüfe den Fortschritt eines laufenden dd-Prozesses (Führe diesen Befehl von einer anderen Shell aus): - -`kill -USR1 $(pgrep -x dd)` +`dd if={{pfad/zu/datei.img}} of={{/dev/laufwerk}} status=progress` diff --git a/pages.de/common/diff.md b/pages.de/common/diff.md index 30b233f2d..96c512c47 100644 --- a/pages.de/common/diff.md +++ b/pages.de/common/diff.md @@ -1,7 +1,7 @@ # diff > Vergleiche Dateien und Verzeichnisse. -> Weitere Informationen: . +> Weitere Informationen: . - Vergleiche Dateien (Listet jene Veränderungen auf, mit denen `datei1` zu `datei2` wird): diff --git a/pages.de/common/docker-build.md b/pages.de/common/docker-build.md index 7b766044a..bae96f465 100644 --- a/pages.de/common/docker-build.md +++ b/pages.de/common/docker-build.md @@ -1,7 +1,7 @@ # docker build > Baut ein Image aus einem Dockerfile. -> Weitere Informationen: . +> Weitere Informationen: . - Baue ein Docker Image aus dem Dockerfile im aktuellen Verzeichnis: diff --git a/pages.de/common/docker-compose.md b/pages.de/common/docker-compose.md index c67cbdcf0..10fd5afaa 100644 --- a/pages.de/common/docker-compose.md +++ b/pages.de/common/docker-compose.md @@ -1,7 +1,7 @@ # docker compose > Starte und verwalte Anwendungen, welche aus mehreren Docker Containern bestehen. -> Weitere Informationen: . +> Weitere Informationen: . - Liste alle laufenden Container auf: diff --git a/pages.de/common/docker-machine.md b/pages.de/common/docker-machine.md index 976071755..594ed3495 100644 --- a/pages.de/common/docker-machine.md +++ b/pages.de/common/docker-machine.md @@ -1,7 +1,7 @@ # docker-machine > Erstelle und verwalte Maschinen, die Docker ausführen. -> Weitere Informationen: . +> Weitere Informationen: . - Liste zur Zeit laufende Docker Maschinen auf: diff --git a/pages.de/common/docker-ps.md b/pages.de/common/docker-ps.md index b3b5c8204..3383ca803 100644 --- a/pages.de/common/docker-ps.md +++ b/pages.de/common/docker-ps.md @@ -1,7 +1,7 @@ # docker ps > Liste Docker Container. -> Weitere Informationen: . +> Weitere Informationen: . - Liste zur Zeit laufende Container auf: @@ -17,7 +17,7 @@ - Zeige nur Container mit einer bestimmten Zeichenkette im Namen: -`docker ps --filter="name={{name}}"` +`docker ps --filter "name={{name}}"` - Zeige nur Container die von einem bestimmten Image abstammen: @@ -25,12 +25,12 @@ - Zeige nur Container mit einem bestimmten Exit-Code: -`docker ps --all --filter="exited={{code}}"` +`docker ps --all --filter "exited={{code}}"` - Zeige nur Container mit einem bestimmten Status (created, running, removing, paused, exited und dead): -`docker ps --filter="status={{status}}"` +`docker ps --filter "status={{status}}"` - Zeige nur Container, welche einen bestimmten Datenträger oder einen Datenträger an einem bestimmten Pfad eingehängt haben: -`docker ps --filter="volume={{pfad/zum/verzeichnis}}" --format "table {{.ID}}\t{{.Image}}\t{{.Names}}\t{{.Mounts}}"` +`docker ps --filter "volume={{pfad/zum/verzeichnis}}" --format "table {{.ID}}\t{{.Image}}\t{{.Names}}\t{{.Mounts}}"` diff --git a/pages.de/common/docker-rmi.md b/pages.de/common/docker-rmi.md index 1b0189f7b..d107158c6 100644 --- a/pages.de/common/docker-rmi.md +++ b/pages.de/common/docker-rmi.md @@ -1,7 +1,7 @@ # docker rmi > Lösche eines oder mehrere Docker Images. -> Weitere Informationen: . +> Weitere Informationen: . - Zeige Hilfe: diff --git a/pages.de/common/docker-system.md b/pages.de/common/docker-system.md index 4c05b5e5e..ebdb3cbe8 100644 --- a/pages.de/common/docker-system.md +++ b/pages.de/common/docker-system.md @@ -21,7 +21,7 @@ - Entferne nicht-verwendete Daten, die älter als die angegebene Zeit sind: -`docker system prune --filter="until={{stunden}}h{{minuten}}m"` +`docker system prune --filter "until={{stunden}}h{{minuten}}m"` - Zeige Echtzeit-Events vom Docker Daemon: diff --git a/pages.de/common/fish.md b/pages.de/common/fish.md index b8118f232..18bd85089 100644 --- a/pages.de/common/fish.md +++ b/pages.de/common/fish.md @@ -24,7 +24,7 @@ `fish --no-execute {{pfad/zu/skript.fish}}` -- Starte eine private, interaktive Shell-Sitzung, in der `fish` weder auf die Shell-History zugreift, noch diese verändert: +- Starte eine private, interaktive Shell-Sitzung, in der fish weder auf die Shell-History zugreift, noch diese verändert: `fish --private` diff --git a/pages.de/common/fossil-ci.md b/pages.de/common/fossil-ci.md index 819c7ff7c..4b9c0c479 100644 --- a/pages.de/common/fossil-ci.md +++ b/pages.de/common/fossil-ci.md @@ -1,6 +1,6 @@ -# fossil-ci +# fossil ci -> Dieser Befehl ist ein Alias von `fossil-commit`. +> Dieser Befehl ist ein Alias von `fossil commit`. > Weitere Informationen: . - Zeige die Dokumentation für den originalen Befehl an: diff --git a/pages.de/common/fossil-delete.md b/pages.de/common/fossil-delete.md index d980843b6..1ef42c34d 100644 --- a/pages.de/common/fossil-delete.md +++ b/pages.de/common/fossil-delete.md @@ -1,4 +1,4 @@ -# fossil-delete +# fossil delete > Dieser Befehl ist ein Alias von `fossil rm`. > Weitere Informationen: . diff --git a/pages.de/common/fossil-forget.md b/pages.de/common/fossil-forget.md index 373524f24..8ce914b9c 100644 --- a/pages.de/common/fossil-forget.md +++ b/pages.de/common/fossil-forget.md @@ -1,4 +1,4 @@ -# fossil-forget +# fossil forget > Dieser Befehl ist ein Alias von `fossil rm`. > Weitere Informationen: . diff --git a/pages.de/common/fossil-new.md b/pages.de/common/fossil-new.md index 646c29963..389b28add 100644 --- a/pages.de/common/fossil-new.md +++ b/pages.de/common/fossil-new.md @@ -1,6 +1,6 @@ -# fossil-new +# fossil new -> Dieser Befehl ist ein Alias von `fossil-init`. +> Dieser Befehl ist ein Alias von `fossil init`. > Weitere Informationen: . - Zeige die Dokumentation für den originalen Befehl an: diff --git a/pages.de/common/gh-cs.md b/pages.de/common/gh-cs.md index 4c3ca374f..3c410066b 100644 --- a/pages.de/common/gh-cs.md +++ b/pages.de/common/gh-cs.md @@ -1,6 +1,6 @@ -# gh-cs +# gh cs -> Dieser Befehl ist ein Alias von `gh-codespace`. +> Dieser Befehl ist ein Alias von `gh codespace`. > Weitere Informationen: . - Zeige die Dokumentation für den originalen Befehl an: diff --git a/pages.de/common/git-am.md b/pages.de/common/git-am.md index fed74aa71..3d3ddd027 100644 --- a/pages.de/common/git-am.md +++ b/pages.de/common/git-am.md @@ -8,6 +8,10 @@ `git am {{pfad/zu/datei.patch}}` +- Herunterladen und Integrieren einer Patch-Datei: + +`curl -L {{https://beispiel.de/datei.patch}} | git apply` + - Brich das Integrieren einer Patch-Datei ab: `git am --abort` diff --git a/pages.de/common/git-format-patch.md b/pages.de/common/git-format-patch.md new file mode 100644 index 000000000..908d89bc6 --- /dev/null +++ b/pages.de/common/git-format-patch.md @@ -0,0 +1,17 @@ +# git format-patch + +> Erstelle `.patch` Dateien. Ermöglicht das Senden von Commits per E-Mail. +> Siehe auch `git am`, womit `.patch` Datein lokal angewandt werden. +> Weitere Informationen: . + +- Erzeuge eine `.patch` Datei aus allen nicht gepushten Commits: + +`git format-patch {{origin}}` + +- Erstelle eine `.patch` Datei aus allen Commits zwischen den angegebenen Revisionen und schreibe diese nach `stdout`: + +`git format-patch {{revision_1}}..{{revision_2}}` + +- Erstelle eine `.patch` Datei aus den letzten 3 Commits: + +`git format-patch -{{3}}` diff --git a/pages.de/common/git-send-email.md b/pages.de/common/git-send-email.md new file mode 100644 index 000000000..5f33ea778 --- /dev/null +++ b/pages.de/common/git-send-email.md @@ -0,0 +1,24 @@ +# git send-email + +> Sende eine Menge von Patches als E-Mail. Patches können als Dateien, Ordner oder Liste von Revisionen spezifiziert werden. +> Weitere Informationen: . + +- Sende den letzten Commit des aktuellen Branches: + +`git send-email -1` + +- Sende einen spezifischen Commit: + +`git send-email -1 {{commit}}` + +- Sende die letzten (z.B. 10) Commits des aktuellen Branches: + +`git send-email {{-10}}` + +- Editiere eine E-Mail mit einer Reihe von Patches im Standardmailclienten: + +`git send-email -{{anzahl_an_commits}} --compose` + +- Bearbeite den E-Mail Text jedes der zu versendenden Patches: + +`git send-email -{{anzahl_an_commits}} --annotate` diff --git a/pages.de/common/gnmic-sub.md b/pages.de/common/gnmic-sub.md index 5320b2892..99796b203 100644 --- a/pages.de/common/gnmic-sub.md +++ b/pages.de/common/gnmic-sub.md @@ -1,4 +1,4 @@ -# gnmic-sub +# gnmic sub > Dieser Befehl ist ein Alias von `gnmic subscribe`. > Weitere Informationen: . diff --git a/pages.de/common/grep.md b/pages.de/common/grep.md index 927d44a3f..905c569de 100644 --- a/pages.de/common/grep.md +++ b/pages.de/common/grep.md @@ -10,12 +10,12 @@ - Suche nach einem exakten Ausdruck: -`grep --fixed-strings "{{exakter_ausdruck}}" {{pfad/zu/datei}}` +`grep {{-F|--fixed-strings}} "{{exakter_ausdruck}}" {{pfad/zu/datei}}` - Benutze erweiterte reguläre Ausdrücke (unterstützt `?`, `+`, `{}`, `()` und `|`) ohne Beachtung der Groß-, Kleinschreibung: -`grep --extended-regexp --ignore-case "{{ausdruck}}" {{pfad/zu/datei}}` +`grep {{-E|--extended-regexp}} {{-i|--ignore-case}} "{{ausdruck}}" {{pfad/zu/datei}}` - Zeige 3 Zeilen Kontext um [C], vor [B] oder nach [A] jedem Ergebnis: -`grep --{{context|before-context|after-context}}={{3}} "{{ausdruck}}" {{pfad/zu/datei}}` +`grep --{{context|before-context|after-context}} 3 "{{ausdruck}}" {{pfad/zu/datei}}` diff --git a/pages.de/common/http.md b/pages.de/common/http.md new file mode 100644 index 000000000..3f4f8c22b --- /dev/null +++ b/pages.de/common/http.md @@ -0,0 +1,36 @@ +# http + +> HTTPie: ein benutzerfreundliches HTTP-Tool. +> Weitere Informationen: . + +- Sende eine GET-Anfrage (Zeigt ddie Header und den Body der Antwort): + +`http {{https://example.com}}` + +- Zeige nur den angegebenen Teil der Anfrage und der Antwort (`H`: Header der Anfrage, `B`: Body der Anfrage, `h`: Header der Antwort, `b`: Body der Antwort, `m`: Metadaten der Antwort): + +`http --print {{H|B|h|b|m|Hh|Hhb|...}} {{https://example.com}}` + +- Spezifiziere die zu nutzende HTTP-Methode und nutze den angegebenen Proxy: + +`http {{GET|POST|HEAD|PUT|PATCH|DELETE|...}} --proxy {{http|https}}:{{http://localhost:8080|socks5://localhost:9050|...}} {{https://example.com}}` + +- Folge `3xx`-Umleitungen und spezifiziere zusätzliche Header für die Anfrage: + +`http {{-F|--follow}} {{https://example.com}} {{'User-Agent: Mozilla/5.0' 'Accept-Encoding: gzip'}}` + +- Authentisiere gegenüber einem Server mithilfe unterschiedlicher Anthentisierungsmethoden: + +`http --auth {{username:password|token}} --auth-type {{basic|digest|bearer}} {{GET|POST|...}} {{https://example.com/auth}}` + +- Erstelle eine Anfrage ohne diese zu senden (ähnlich zu dry-run): + +`http --offline {{GET|DELETE|...}} {{https://example.com}}` + +- Nutze die angegebene Session für persistente benutzerdefinierte Header, Credentials für die Authentisierung und Cookies: + +`http --session {{session_name|path/to/session.json}} {{--auth username:password https://example.com/auth API-KEY:xxx}}` + +- Lade eine Datei in ein Formular hoch (das folgende Beispiel geht davon aus, dass das Formularfeld als `` definiert ist): + +`http --form {{POST}} {{https://example.com/upload}} {{cv@path/to/file}}` diff --git a/pages.de/common/httpie.md b/pages.de/common/httpie.md new file mode 100644 index 000000000..700b2aa6d --- /dev/null +++ b/pages.de/common/httpie.md @@ -0,0 +1,17 @@ +# httpie + +> Managementschnittstelle für HTTPie. +> Siehe auch: `http`, das eigentliche Tool. +> Weitere Informationen: . + +- Suche nach Aktualisierungen für `httpie`: + +`httpie cli check-updates` + +- Zeige die installierten Plugins für `httpie`: + +`httpie cli plugins list` + +- Installiere/aktualisiere/deinstalliere Plugins: + +`httpie cli plugins {{install|upgrade|uninstall}} {{plugin_name}}` diff --git a/pages.de/common/https.md b/pages.de/common/https.md new file mode 100644 index 000000000..22dfe7b6b --- /dev/null +++ b/pages.de/common/https.md @@ -0,0 +1,7 @@ +# https + +> Dieser Befehl ist ein Alias von `http`. + +- Zeige die Dokumentation für den originalen Befehl an: + +`tldr http` diff --git a/pages.de/common/jq.md b/pages.de/common/jq.md index 02e3f7990..732b7deab 100644 --- a/pages.de/common/jq.md +++ b/pages.de/common/jq.md @@ -1,7 +1,7 @@ # jq > Ein JSON-Verarbeiter für die Kommandozeile mit einer domänenspezifischen Sprache. -> Weitere Informationen: . +> Weitere Informationen: . - Führe den angegebenen Ausdruck aus (gib farbiges und formatiertes JSON aus): diff --git a/pages.de/linux/lastcomm.md b/pages.de/common/lastcomm.md similarity index 100% rename from pages.de/linux/lastcomm.md rename to pages.de/common/lastcomm.md diff --git a/pages.de/common/magick-compare.md b/pages.de/common/magick-compare.md new file mode 100644 index 000000000..797edfa30 --- /dev/null +++ b/pages.de/common/magick-compare.md @@ -0,0 +1,12 @@ +# magick compare + +> Zeige Unterschiede von zwei Bildern. +> Weitere Informationen: . + +- Vergleiche 2 Bilder: + +`magick compare {{pfad/zu/bild1.png}} {{pfad/zu/bild2.png}} {{pfad/zu/diff.png}}` + +- Vergleiche 2 Bilder mit einer bestimmten Metrik (standardmäßig NCC): + +`magick compare -verbose -metric {{PSNR}} {{pfad/zu/bild1.png}} {{pfad/zu/bild2.png}} {{pfad/zu/diff.png}}` diff --git a/pages.de/common/magick-convert.md b/pages.de/common/magick-convert.md new file mode 100644 index 000000000..5b51aabdc --- /dev/null +++ b/pages.de/common/magick-convert.md @@ -0,0 +1,36 @@ +# magick convert + +> ImageMagick Bildkonvertierungswerkzeug. +> Weitere Informationen: . + +- Konvertiere ein Bild von JPEG nach PNG: + +`magick convert {{pfad/zu/bild.jpg}} {{pfad/zu/bild.png}}` + +- Skaliere ein Bild auf 50% seiner Originalgröße: + +`magick convert {{pfad/zu/bild.png}} -resize 50% {{pfad/zu/bild2.png}}` + +- Skaliere ein Bild unter Beibehaltung des ursprünglichen Seitenverhältnisses auf eine maximale Größe von 640x480: + +`magick convert {{pfad/zu/bild.png}} -resize 640x480 {{pfad/zu/bild2.png}}` + +- Hänge Bilder horizontal aneinander: + +`magick convert {{pfad/zu/bild1.png pfad/zu/bild2.png ...}} +append {{pfad/zu/bild.png}}` + +- Hänge Bilder vertikal aneinander: + +`magick convert {{pfad/zu/bild1.png pfad/zu/bild2.png ...}} -append {{pfad/zu/bild.png}}` + +- Erstelle ein animiertes GIF aus einer Serie von Bildern mit einer Verzögerung von 100 ms zwischen den Bildern: + +`magick convert {{pfad/zu/bild1.png pfad/zu/bild2.png ...}} -delay {{10}} {{pfad/zu/animation.gif}}` + +- Erstelle ein Bild mit nichts als einem festen Hintergrund: + +`magick convert -size {{800x600}} "xc:{{#ff0000}}" {{pfad/zu/bild.png}}` + +- Erstelle ein Favicon aus mehreren Bildern verschiedener Größe: + +`magick convert {{pfad/zu/bild1.png pfad/zu/bild2.png ...}} {{pfad/zu/bild.ico}}` diff --git a/pages.de/common/nmap.md b/pages.de/common/nmap.md index 8fe60dbaa..1c608bf55 100644 --- a/pages.de/common/nmap.md +++ b/pages.de/common/nmap.md @@ -2,7 +2,7 @@ > Netzwerk-Erkundungs-Werkzeug und Security / Port Scanner. > Manche Funktionen können nur benutzt werden, wenn Nmap mit Root Rechten ausgeführt wird. -> Weitere Informationen: . +> Weitere Informationen: . - Überprüfe ob eine IP-Adresse online ist und versuche, das Betriebssystem herauszufinden: diff --git a/pages.de/common/npm.md b/pages.de/common/npm.md index 80ca80ef5..adf77f45c 100644 --- a/pages.de/common/npm.md +++ b/pages.de/common/npm.md @@ -17,11 +17,11 @@ - Installiere ein Package und füge es als Entwicklungs-Abhängigkeit der `package.json` Datei hinzu: -`npm install {{package_name}} --save-dev` +`npm install {{package_name}} {{-D|--save-dev}}` - Installiere ein Package global: -`npm install --global {{package_name}}` +`npm install {{-g|--global}} {{package_name}}` - Deinstalliere ein Package und entferne es automatisch aus der `package.json` Datei: @@ -33,4 +33,4 @@ - Gib eine Liste aller global installierten Packages aus: -`npm list --global --depth={{0}}` +`npm list {{-g|--global}} --depth {{0}}` diff --git a/pages.de/common/omz.md b/pages.de/common/omz.md index 1cb1cdf9c..fa1c2fce3 100644 --- a/pages.de/common/omz.md +++ b/pages.de/common/omz.md @@ -11,7 +11,7 @@ `omz changelog` -- Starte die aktuelle zsh-Sitzung und Oh My Zsh neu: +- Starte die aktuelle Zsh-Sitzung und Oh My Zsh neu: `omz reload` diff --git a/pages.de/common/pcapfix.md b/pages.de/common/pcapfix.md new file mode 100644 index 000000000..abffdbe4a --- /dev/null +++ b/pages.de/common/pcapfix.md @@ -0,0 +1,24 @@ +# pcapfix + +> Repariere beschädigte oder korrumpierte `pcap`- und `pcapng`-Dateien. +> Weitere Informationen: . + +- Repariere eine `pcap`/`pcapng`-Datei (Hinweis: bei `pcap`-Dateien werden nur die ersten 262144 Bytes jedes Pakets gescannt): + +`pcapfix {{pfad/zu/datei.pcapng}}` + +- Repariere eine ganze `pcap`-Datei: + +`pcapfix --deep-scan {{pfad/zu/datei.pcap}}` + +- Repariere eine `pcap`/`pcapng`-Datei und schreibe die Reparieree Datei an einen bestimmten Speicherort: + +`pcapfix --outfile {{pfad/zu/Repariere.pcap}} {{pfad/zu/datei.pcap}}` + +- Behandle die zu reparierende Datei als `pcapng`-Datei, unabhängig von der automatischen Typenerkennung: + +`pcapfix --pcapng {{pfad/zu/datei.pcapng}}` + +- Repariere eine Datei und zeige den Reparaturprozess im Detail: + +`pcapfix --verbose {{pfad/zu/datei.pcap}}` diff --git a/pages.de/common/pio-init.md b/pages.de/common/pio-init.md index 9a88de4c4..dff00ffb1 100644 --- a/pages.de/common/pio-init.md +++ b/pages.de/common/pio-init.md @@ -1,4 +1,4 @@ -# pio-init +# pio init > Dieser Befehl ist ein Alias von `pio project`. diff --git a/pages.de/common/sc_analysis_dump.md b/pages.de/common/sc_analysis_dump.md new file mode 100644 index 000000000..8c4001a4b --- /dev/null +++ b/pages.de/common/sc_analysis_dump.md @@ -0,0 +1,8 @@ +# sc_analysis_dump + +> Ausgabe von Traceroute-Pfaden in einem leicht zu parsenden Format. +> Weitere Informationen: . + +- Gib die traceroute in `warts`-Dateien nacheinander in einem leicht zu parsendem Format aus: + +`sc_analysis_dump {{path/to/file1.warts path/to/file2.warts ...}}` diff --git a/pages.de/common/sc_tracediff.md b/pages.de/common/sc_tracediff.md new file mode 100644 index 000000000..48af4a145 --- /dev/null +++ b/pages.de/common/sc_tracediff.md @@ -0,0 +1,16 @@ +# sc_tracediff + +> Anzeige von Traceroute-Pfaden, bei denen sich der Pfad geändert hat. +> Weitere Informationen: . + +- Zeige den Unterschied zwischen den traceroutes in zwei `warts`-Dateien: + +`sc_tracediff {{path/to/file1.warts}} {{path/to/file2.warts}}` + +- Zeige den Unterschied zwischen den traceroutes in zwei `warts`-Dateien, einschließlich derer, die sich nicht geändert haben: + +`sc_tracediff -a {{path/to/file1.warts}} {{path/to/file2.warts}}` + +- Zeige den Unterschied zwischen den traceroutes in zwei `warts'-Dateien und versuche, wenn möglich, DNS-Namen und nicht IP-Adressen anzuzeigen: + +`sc_tracediff -n {{path/to/file1.warts}} {{path/to/file2.warts}}` diff --git a/pages.de/common/sc_ttlexp.md b/pages.de/common/sc_ttlexp.md new file mode 100644 index 000000000..53c6a1763 --- /dev/null +++ b/pages.de/common/sc_ttlexp.md @@ -0,0 +1,8 @@ +# sc_ttlexp + +> Ausgabe der Quelladressen von ICMP TTL expire-Nachrichten in `warts`-Dateien. +> Weitere Informationen: . + +- Gib die Quelladressen von ICMP TTL expire-Nachrichten in einer `warts`-Datei nacheinander aus: + +`sc_ttlexp {{path/to/file1.warts path/to/file2.warts ...}}` diff --git a/pages.de/common/sc_warts2csv.md b/pages.de/common/sc_warts2csv.md new file mode 100644 index 000000000..bf22cf854 --- /dev/null +++ b/pages.de/common/sc_warts2csv.md @@ -0,0 +1,8 @@ +# sc_warts2csv + +> Umwandlung von tracroutes aus `warts`-Dateien in das CSV-Format. +> Weitere Informationen: . + +- Wandle traceroute-Daten in einer `warts`-Datei in CSV um und gebe dieses aus: + +`sc_warts2csv {{path/to/file1.warts path/to/file2.warts ...}}` diff --git a/pages.de/common/sc_warts2json.md b/pages.de/common/sc_warts2json.md new file mode 100644 index 000000000..2f74ae8ea --- /dev/null +++ b/pages.de/common/sc_warts2json.md @@ -0,0 +1,8 @@ +# sc_warts2json + +> Wandelt eine WARTS-Datei in eine JSON-Datei um. +> Weitere Informationen: . + +- Wandle `warts`-Dateien in JSON um und gib diese aus: + +`sc_warts2json {{path/to/file1.warts path/to/file2.warts ...}}` diff --git a/pages.de/common/sc_warts2pcap.md b/pages.de/common/sc_warts2pcap.md new file mode 100644 index 000000000..1768f2d9a --- /dev/null +++ b/pages.de/common/sc_warts2pcap.md @@ -0,0 +1,13 @@ +# sc_warts2pcap + +> Schreibt die in den `warts`-Dateien enthaltenen Pakete in eine `pcap`-Datei. +> Dies ist nur bei tbit, sting und sniff möglich. +> Weitere Informationen: . + +- Wandle die Daten aus mehreren `warts`-Dateien in eine `pcap`-Datei um: + +`sc_warts2pcap -o {{path/to/output.pcap}} {{path/to/file1.warts path/to/file2.warts ...}}` + +- Wandle die Daten aus einer `warts`-Datei in eine `pcap`-Datei um und sortiere die Pakete nach Zeitstempel: + +`sc_warts2pcap -s -o {{path/to/output.pcap}} {{path/to/file.warts}}` diff --git a/pages.de/common/sc_warts2text.md b/pages.de/common/sc_warts2text.md new file mode 100644 index 000000000..79210e949 --- /dev/null +++ b/pages.de/common/sc_warts2text.md @@ -0,0 +1,8 @@ +# sc_warts2text + +> Einfache Ausgabe der in einer `warts`-Datei enthaltenen Informationen. +> Weitere Informationen: . + +- Gib die Informationen in einer `warts`-Datei als Text aus: + +`sc_warts2text {{path/to/file1.warts path/to/file2.warts ...}}` diff --git a/pages.de/common/sc_wartscat.md b/pages.de/common/sc_wartscat.md new file mode 100644 index 000000000..984c6f934 --- /dev/null +++ b/pages.de/common/sc_wartscat.md @@ -0,0 +1,8 @@ +# sc_wartscat + +> Füge mehrere `warts`-Dateien zusammen. +> Weitere Informationen: . + +- Verkette mehrere `warts`-Dateien zu Einer: + +`sc_wartscat -o {{path/to/output.warts}} {{path/to/file1.warts path/to/file2.warts ...}}` diff --git a/pages.de/common/sc_wartsdump.md b/pages.de/common/sc_wartsdump.md new file mode 100644 index 000000000..c9b3fd181 --- /dev/null +++ b/pages.de/common/sc_wartsdump.md @@ -0,0 +1,8 @@ +# sc_wartsdump + +> Ausführliche Ausgabe der in einer `warts`-Datei enthaltenen Daten. +> Weitere Informationen: . + +- Gib den Inhalt von `warts`-Dateien ausführlich aus: + +`sc_wartsdump {{path/to/file1.warts path/to/file2.warts ...}}` diff --git a/pages.de/common/sc_wartsfilter.md b/pages.de/common/sc_wartsfilter.md new file mode 100644 index 000000000..d45dba6e2 --- /dev/null +++ b/pages.de/common/sc_wartsfilter.md @@ -0,0 +1,16 @@ +# sc_wartsfilter + +> Filtert bestimmte Datensätze aus einer `warts`-Datei. +> Weitere Informationen: . + +- Filtere alle Datensätze, welche ein bestimmtes Ziel haben und schreibe sie in eine separate Datei: + +`sc_wartsfilter -i {{path/to/input.warts}} -o {{path/to/output.warts}} -a {{192.0.2.5}} -a {{192.0.2.6}}` + +- Filtere alle Datensätze, welche ein Ziel in einem bestimmten Prefix haben und schreibe sie in eine separate Datei: + +`sc_wartsfilter -i {{path/to/input.warts}} -o {{path/to/output.warts}} -a {{2001:db8::/32}}` + +- Filtere alle Datensätze, welche durch eine bestimmte Aktion entstanden sind und gebe sie als JSON aus: + +`sc_wartsfilter -i {{path/to/input.warts}} -t {{ping}} | sc_warts2json` diff --git a/pages.de/common/sc_wartsfix.md b/pages.de/common/sc_wartsfix.md new file mode 100644 index 000000000..0cbe8ce53 --- /dev/null +++ b/pages.de/common/sc_wartsfix.md @@ -0,0 +1,8 @@ +# sc_wartsfix + +> Rettet beschädigte `warts`-Dateien. +> Weitere Informationen: . + +- Speichere alle Datensätze (in einer separaten Datei) bis zum letzten intakten Datensatz: + +`sc_wartsfix {{path/to/file1.warts path/to/file2.warts ...}}` diff --git a/pages.de/common/scamper.md b/pages.de/common/scamper.md new file mode 100644 index 000000000..06a66aa82 --- /dev/null +++ b/pages.de/common/scamper.md @@ -0,0 +1,29 @@ +# scamper + +> Sondiert aktiv das Internet, um die Topologie und Leistung zu analysieren. +> Liefert einige Werkzeuge mit, welche mit `sc_` starten, beispielsweise `sc_warts2text` oder `sc_ttlexp`. +> Weitere Informationen: . + +- Führe die Standardoption (Traceroute) auf ein Ziel aus: + +`scamper -i {{192.0.2.1}}` + +- Führe zwei Aktionen (ping und traceroute) auf zwei verschiedenen Zielen aus: + +`scamper -I "{{ping}} {{192.0.2.1}}" -I "{{trace}} {{192.0.2.2}}` + +- Pinge mehrere Hosts mit UDP an, verwende eine bestimmte Portnummer für den ersten Ping und erhöhe sie für jeden weiteren Ping: + +`scamper -c "{{ping}} -P {{UDP-dport}} -d {{33434}}" -i {{192.0.2.1}} -i {{192.0.2.2}}` + +- Verwende den Multipath Discovery Algorithm (MDA), um das Vorhandensein von lastverteilten Pfaden zum Ziel zu ermitteln, und verwende für die Sondierung ICMP-Echopakete mit maximal drei Versuchen, und schreibe das Ergebnis in eine `warts`-Datei: + +`scamper -O {{warts}} -o {{path/to/output.warts}} -I "{{tracelb}} -P {{ICMP-echo}} -q {{3}} {{192.0.2.1}}"` + +- Führe eine Paris-Traceroute mit ICMP zu einem Ziel aus und speichere das Ergebnis in einer komprimierten `warts`-Datei: + +`scamper -O {{warts.gz}} -o {{path/to/output.warts}} -I "{{trace}} -P {{icmp-paris}} {{2001:db8:dead:beaf::4}}"` + +- Zeichne alle ICMP-Pakete, die an einer bestimmten IP-Adresse ankommen und eine bestimmte ICMP-ID haben, in einer `warts`-Datei auf: + +`scamper -O {{warts}} -o {{path/to/output.warts}} -I "sniff -S {{2001:db8:dead:beef::6}} icmp[icmpid] == {{101}}"` diff --git a/pages.de/common/ssh-keygen.md b/pages.de/common/ssh-keygen.md index 475fec69e..8e3893d5c 100644 --- a/pages.de/common/ssh-keygen.md +++ b/pages.de/common/ssh-keygen.md @@ -1,6 +1,6 @@ # ssh-keygen -> Generiert ssh Schlüssel für Authentifizierung, Passwort-lose Logins und mehr. +> Generiert SSH Schlüssel für Authentifizierung, Passwort-lose Logins und mehr. > Weitere Informationen: . - Erstelle ein SSH Schlüssel-Paar interaktiv: diff --git a/pages.de/common/tig.md b/pages.de/common/tig.md index 20bafb298..dbd98a2fb 100644 --- a/pages.de/common/tig.md +++ b/pages.de/common/tig.md @@ -1,7 +1,7 @@ # tig > Eine interaktive Kommandozeilenoberfläche für Git. -> Weitere Informationen: . +> Weitere Informationen: . - Zeige die Commits des aktuellen Branches: diff --git a/pages.de/common/tlmgr-arch.md b/pages.de/common/tlmgr-arch.md index 81aa4dbfe..155c092b0 100644 --- a/pages.de/common/tlmgr-arch.md +++ b/pages.de/common/tlmgr-arch.md @@ -1,4 +1,4 @@ -# tlmgr-arch +# tlmgr arch > Dieser Befehl ist ein Alias von `tlmgr platform`. > Weitere Informationen: . diff --git a/pages.de/common/traefik.md b/pages.de/common/traefik.md new file mode 100644 index 000000000..4929a6f4f --- /dev/null +++ b/pages.de/common/traefik.md @@ -0,0 +1,20 @@ +# traefik + +> Ein HTTP-Reverse-Proxy und Load-Balancer. +> Weitere Informationen: . + +- Starte den Server mit der Standardkonfiguration: + +`traefik` + +- Starte den Server mit einer benutzerdefinierten Konfigurationsdatei: + +`traefik --ConfigFile {{konfigurationsdatei.toml}}` + +- Starte den Server mit aktiviertem Cluster-Modus: + +`traefik --cluster` + +- Starte den Server mit dem Web-UI: + +`traefik --web` diff --git a/pages.de/common/ugrep.md b/pages.de/common/ugrep.md index 0a2880034..2e407f79d 100644 --- a/pages.de/common/ugrep.md +++ b/pages.de/common/ugrep.md @@ -23,7 +23,7 @@ `ugrep --fuzzy={{3}} "{{suchmuster}}"` -- Suche auch in allen komprimierten Dateien und `zip`- und `tar`-Archive: +- Suche auch in allen komprimierten Dateien und Zip- und tar-Archive: `ugrep --decompress "{{suchmuster}}"` diff --git a/pages.de/common/zsh.md b/pages.de/common/zsh.md index cba5dd295..35574985c 100644 --- a/pages.de/common/zsh.md +++ b/pages.de/common/zsh.md @@ -24,6 +24,6 @@ `zsh --verbose` -- Führe einen Befehl innerhalb von `zsh` mit ausgeschalteten Glob-Mustern aus: +- Führe einen Befehl innerhalb von Zsh mit ausgeschalteten Glob-Mustern aus: `noglob {{befehl}}` diff --git a/pages.de/linux/a2disconf.md b/pages.de/linux/a2disconf.md index 083faa943..e079944b2 100644 --- a/pages.de/linux/a2disconf.md +++ b/pages.de/linux/a2disconf.md @@ -1,7 +1,7 @@ # a2disconf > Deaktiviert eine Apache-Konfigurationsdatei auf Debian-basierten Betriebssystemen. -> Weitere Informationen: . +> Weitere Informationen: . - Deaktiviere eine Konfigurationsdatei: diff --git a/pages.de/linux/a2dismod.md b/pages.de/linux/a2dismod.md index 1d161ca51..1a645a987 100644 --- a/pages.de/linux/a2dismod.md +++ b/pages.de/linux/a2dismod.md @@ -1,7 +1,7 @@ # a2dismod > Deaktiviert ein Apache-Modul auf Debian-basierten Betriebssystemen. -> Weitere Informationen: . +> Weitere Informationen: . - Deaktiviere ein Modul: diff --git a/pages.de/linux/a2dissite.md b/pages.de/linux/a2dissite.md index 2ba92ba53..1ef8659e3 100644 --- a/pages.de/linux/a2dissite.md +++ b/pages.de/linux/a2dissite.md @@ -1,7 +1,7 @@ # a2dissite > Deaktiviert einen Apache virtuellen Host auf Debian-basierten Betriebssystemen. -> Weitere Informationen: . +> Weitere Informationen: . - Deaktiviere einen virtuellen Host: diff --git a/pages.de/linux/a2enconf.md b/pages.de/linux/a2enconf.md index d85824c3e..8df54abc7 100644 --- a/pages.de/linux/a2enconf.md +++ b/pages.de/linux/a2enconf.md @@ -1,7 +1,7 @@ # a2enconf > Aktiviert eine Apache-Konfigurationsdatei auf Debian-basierten Betriebssystemen. -> Weitere Informationen: . +> Weitere Informationen: . - Aktiviere eine Konfigurationsdatei: diff --git a/pages.de/linux/a2enmod.md b/pages.de/linux/a2enmod.md index 3127d4d6c..f27381918 100644 --- a/pages.de/linux/a2enmod.md +++ b/pages.de/linux/a2enmod.md @@ -1,7 +1,7 @@ # a2enmod > Aktiviert ein Apache-Modul auf Debian-basierten Betriebssystemen. -> Weitere Informationen: . +> Weitere Informationen: . - Aktiviere ein Modul: diff --git a/pages.de/linux/a2ensite.md b/pages.de/linux/a2ensite.md index 5f5347204..20c19f186 100644 --- a/pages.de/linux/a2ensite.md +++ b/pages.de/linux/a2ensite.md @@ -1,7 +1,7 @@ # a2ensite > Aktiviert einen Apache virtuellen Host auf Debian-basierten Betriebssystemen. -> Weitere Informationen: . +> Weitere Informationen: . - Aktiviere einen virtuellen Host: diff --git a/pages.de/linux/a2query.md b/pages.de/linux/a2query.md index e9d8d0e4b..dfd3839a6 100644 --- a/pages.de/linux/a2query.md +++ b/pages.de/linux/a2query.md @@ -1,7 +1,7 @@ # a2query > Zeigt Apache Laufzeitkonfigurationen auf Debian-basierten Betriebssystemen an. -> Weitere Informationen: . +> Weitere Informationen: . - Zeige aktivierte Apache-Module an: diff --git a/pages.de/linux/adduser.md b/pages.de/linux/adduser.md index 81e620b6a..3adf9dabe 100644 --- a/pages.de/linux/adduser.md +++ b/pages.de/linux/adduser.md @@ -1,7 +1,7 @@ # adduser > Tool um Benutzer hinzuzufügen. -> Weitere Informationen: . +> Weitere Informationen: . - Erstelle einen neuen Benutzer mit einem Standard-Home-Verzeichnis und Aufforderung an den Benutzer, ein Passwort festzulegen: diff --git a/pages.de/linux/apache2ctl.md b/pages.de/linux/apache2ctl.md index a2b586005..0eb5c16fb 100644 --- a/pages.de/linux/apache2ctl.md +++ b/pages.de/linux/apache2ctl.md @@ -2,7 +2,7 @@ > Das CLI Tool um den Apache HTTP Web Server zu administrieren. > Dieser Befehl wird mit Debian-basierten Betriebssystemen geliefert, für RHEL siehe `httpd`. -> Weitere Informationen: . +> Weitere Informationen: . - Starte den Apache daemon. Gibt einen Fehler aus, wenn er bereits läuft: diff --git a/pages.de/linux/apt-add-repository.md b/pages.de/linux/apt-add-repository.md index cc964e884..5e877ee6e 100644 --- a/pages.de/linux/apt-add-repository.md +++ b/pages.de/linux/apt-add-repository.md @@ -1,7 +1,7 @@ # apt-add-repository > Editiere die Repository-Listen. -> Weitere Informationen: . +> Weitere Informationen: . - Füge ein neues Repository hinzu: diff --git a/pages.de/linux/apt-cache.md b/pages.de/linux/apt-cache.md index a8f6ae3cf..5367f1652 100644 --- a/pages.de/linux/apt-cache.md +++ b/pages.de/linux/apt-cache.md @@ -1,7 +1,7 @@ # apt-cache > Debian und Ubuntu-Paketsuche. -> Weitere Informationen: . +> Weitere Informationen: . - Suche nach einem Paket in deinen aktuellen Paketquellen: diff --git a/pages.de/linux/apt-file.md b/pages.de/linux/apt-file.md index 861feda85..f7df8dcc3 100644 --- a/pages.de/linux/apt-file.md +++ b/pages.de/linux/apt-file.md @@ -1,7 +1,7 @@ # apt-file > Suche nach Dateien in apt-Paketen, auch in den nicht-installierten. -> Weitere Informationen: . +> Weitere Informationen: . - Aktualisiere die Metadatenbank: diff --git a/pages.de/linux/apt-get.md b/pages.de/linux/apt-get.md index 4fd62f6f3..e27085790 100644 --- a/pages.de/linux/apt-get.md +++ b/pages.de/linux/apt-get.md @@ -2,7 +2,7 @@ > Debian und Ubuntu Paket Management Tool. > Suche mit `apt-cache` nach Paketen. -> Weitere Informationen: . +> Weitere Informationen: . - Aktualisiere die Liste der Paketquellen (es wird empfohlen diesen Befehl zu Beginn auszuführen): diff --git a/pages.de/linux/apt-key.md b/pages.de/linux/apt-key.md index 8a8c1885c..1aa58cd0d 100644 --- a/pages.de/linux/apt-key.md +++ b/pages.de/linux/apt-key.md @@ -2,7 +2,7 @@ > Schlüssel-Management-Tool für den APT-Paket-Manager auf Debian und Ubuntu. > Notiz: `apt-key` ist veraltet (außer für `apt-key del` in Maintainerskripten). -> Weitere Informationen: . +> Weitere Informationen: . - Liste alle vertrauten Schlüssel auf: diff --git a/pages.de/linux/apt-mark.md b/pages.de/linux/apt-mark.md index 7f7ae5c48..ebf89d0c8 100644 --- a/pages.de/linux/apt-mark.md +++ b/pages.de/linux/apt-mark.md @@ -1,7 +1,7 @@ # apt-mark > Tool um den Status eines installierten Paketes zu verändern. -> Weitere Informationen: . +> Weitere Informationen: . - Markiere ein Paket als automatisch installiert: diff --git a/pages.de/linux/apt.md b/pages.de/linux/apt.md index 673a34f00..6ff4f4d52 100644 --- a/pages.de/linux/apt.md +++ b/pages.de/linux/apt.md @@ -2,7 +2,7 @@ > Debian und Ubuntu Paket Management Tool. > Empfohlene Alternative zu `apt-get` seit Ubuntu 16.04. -> Weitere Informationen: . +> Weitere Informationen: . - Aktualisiere die Liste der Paketquellen (es wird empfohlen, diesen Befehl zu Beginn auszuführen): diff --git a/pages.de/linux/aptitude.md b/pages.de/linux/aptitude.md index 0209e212a..2ee7252b6 100644 --- a/pages.de/linux/aptitude.md +++ b/pages.de/linux/aptitude.md @@ -1,7 +1,7 @@ # aptitude > Debian und Ubuntu Paket Management Tool. -> Weitere Informationen: . +> Weitere Informationen: . - Synchronisiere die Paketliste und verfügbaren Versionen. Dieser Command sollte zuerst ausgeführt werden bevor weitere aptitude Commands ausgeführt werden: diff --git a/pages.de/linux/arch-chroot.md b/pages.de/linux/arch-chroot.md index c5ffa3543..d22fc4548 100644 --- a/pages.de/linux/arch-chroot.md +++ b/pages.de/linux/arch-chroot.md @@ -3,7 +3,7 @@ > Erweiterter `chroot`-Befehl zur Unterstützung des Arch-Linux-Installationsprozesses. > Weitere Informationen: . -- Starte eine interaktive Shell (Standardmäßig `bash`) in einem neuen Root-Verzeichnis: +- Starte eine interaktive Shell (Standardmäßig Bash) in einem neuen Root-Verzeichnis: `arch-chroot {{pfad/zu/neuem/root}}` @@ -11,10 +11,10 @@ `arch-chroot -u {{anderer_benutzer}} {{pfad/zu/neuem/root}}` -- Führe einen benutzerdefinierten Befehl (anstelle des Standardbefehls `bash`) im neuen Root-Verzeichnis aus: +- Führe einen benutzerdefinierten Befehl (anstelle des Standardbefehls Bash) im neuen Root-Verzeichnis aus: `arch-chroot {{pfad/zu/neuem/root}} {{befehl}} {{befehlsparameter}}` -- Gib die Shell an, die nicht die Standard-Shell `bash` ist (in diesem Fall sollte das Paket `zsh` auf dem Zielsystem installiert worden sein): +- Gib die Shell an, die nicht die Standard-Shell Bash ist (in diesem Fall sollte das Paket `zsh` auf dem Zielsystem installiert worden sein): `arch-chroot {{pfad/zu/neuem/root}} {{zsh}}` diff --git a/pages.de/linux/arithmetic.md b/pages.de/linux/arithmetic.md index 0b57cee6f..bb219b383 100644 --- a/pages.de/linux/arithmetic.md +++ b/pages.de/linux/arithmetic.md @@ -1,7 +1,7 @@ # arithmetic > Quiz über simple arithmetische Probleme. -> Weitere Informationen: . +> Weitere Informationen: . - Starte ein arithmetisches Quiz: diff --git a/pages.de/linux/as.md b/pages.de/linux/as.md index be4a66796..9c6920331 100644 --- a/pages.de/linux/as.md +++ b/pages.de/linux/as.md @@ -6,16 +6,16 @@ - Assemble eine Datei und schreibe den Output in eine in `a.out`: -`as {{datei.s}}` +`as {{pfad/zu/datei.s}}` - Assemble den Output einer gegebenen Datei: -`as {{datei.s}} -o {{out.o}}` +`as {{pfad/zu/datei.s}} -o {{pfad/zu/out.o}}` - Generiere den Output schneller indem Leerzeichen und Kommentare nicht verarbeitet werden. (Sollte nur für vertrauenswürdige Compiler benutzt werden): -`as -f {{datei.s}}` +`as -f {{pfad/zu/datei.s}}` - Inkludiere einen gegebenen Pfad in der Liste von Verzeichnissen für die Suche nach Dateien: -`as -I {{pfad/zum/verzeichnis}} {{datei.s}}` +`as -I {{pfad/zum/verzeichnis}} {{pfad/zu/datei.s}}` diff --git a/pages.de/linux/dpkg.md b/pages.de/linux/dpkg.md index 1addee9a0..a80d5997b 100644 --- a/pages.de/linux/dpkg.md +++ b/pages.de/linux/dpkg.md @@ -2,7 +2,7 @@ > Debian Paketmanager. > Manche Unterbefehle wie `dpkg deb` sind separat dokumentiert. -> Weitere Informationen: . +> Weitere Informationen: . - Installiere ein Paket: diff --git a/pages.de/linux/esa-snap.md b/pages.de/linux/esa-snap.md index f2beb5b89..2da30d107 100644 --- a/pages.de/linux/esa-snap.md +++ b/pages.de/linux/esa-snap.md @@ -1,4 +1,4 @@ -# snap +# esa snap > Sentinel Application Platform (SNAP) für die Prozessierung von Satellitendaten der Europäischen Raumfahrtagentur (ESA). > Weitere Informationen: . diff --git a/pages.de/linux/httpie.md b/pages.de/linux/httpie.md deleted file mode 100644 index 0ba62cccc..000000000 --- a/pages.de/linux/httpie.md +++ /dev/null @@ -1,36 +0,0 @@ -# HTTPie - -> Ein benutzerfreundliches HTTP-Tool. -> Weitere Informationen: . - -- Sende eine GET-Anfrage (Standardmethode ohne Anfragedaten): - -`http {{https://example.com}}` - -- Sende eine POST-Anfrage (Standardmethode mit Anfragedaten): - -`http {{https://example.com}} {{hello=World}}` - -- Sende eine POST-Anfrage mit einer Datei als Eingabe: - -`http {{https://example.com}} < {{file.json}}` - -- Sende eine PUT-Anfrage mit einem bestimmten JSON-Body: - -`http PUT {{https://example.com/todos/7}} {{hello=world}}` - -- Sende eine DELETE-Anfrage mit einem bestimmten Anfrage-Header: - -`http DELETE {{https://example.com/todos/7}} {{API-Key:foo}}` - -- Zeige den gesamten HTTP-Austausch (sowohl Anfrage als auch Antwort): - -`http -v {{https://example.com}}` - -- Lade eine Datei herunter: - -`http --download {{https://example.com}}` - -- Folge Umleitungen und zeige Zwischenanfragen und -antworten: - -`http --follow --all {{https://example.com}}` diff --git a/pages.de/linux/ip-route-list.md b/pages.de/linux/ip-route-list.md index 4d0ff5925..c0c154ab2 100644 --- a/pages.de/linux/ip-route-list.md +++ b/pages.de/linux/ip-route-list.md @@ -1,6 +1,6 @@ -# ip-route-list +# ip route list -> Dieser Befehl ist ein Alias von `ip-route-show`. +> Dieser Befehl ist ein Alias von `ip route show`. - Zeige die Dokumentation für den originalen Befehl an: diff --git a/pages.de/linux/ip.md b/pages.de/linux/ip.md index 49e0bfec5..e97740db4 100644 --- a/pages.de/linux/ip.md +++ b/pages.de/linux/ip.md @@ -1,7 +1,7 @@ # ip > Zeige und manipuliere routing, Geräte, Policy routing und Tunnel. -> Weitere Informationen: . +> Weitere Informationen: . - Zeige Interfaces mit detaillierten Informationen: diff --git a/pages.de/linux/nixos-container.md b/pages.de/linux/nixos-container.md new file mode 100644 index 000000000..315adfe96 --- /dev/null +++ b/pages.de/linux/nixos-container.md @@ -0,0 +1,28 @@ +# nixos-container + +> Startet NixOS Container basierend auf Linux Containern. +> Weitere Informationen: . + +- Gibt eine Liste der gestarteten Container aus: + +`sudo nixos-container list` + +- Erstelle einen NixOS Container mit einer spezifischen Konfigurations-Datei: + +`sudo nixos-container create {{container_name}} --config-file {{nix_config_file_path}}` + +- Starte, stoppe, terminiere oder zerstöre den angegebenen Container: + +`sudo nixos-container {{start|stop|terminate|destroy|status}} {{container_name}}` + +- Führe ein Kommando in einem laufenden Container aus: + +`sudo nixos-container run {{container_name}} -- {{command}} {{command_arguments}}` + +- Aktualisiere eine Containerkonfiguration: + +`sudo $EDITOR /var/lib/container/{{container_name}}/etc/nixos/configuration.nix && sudo nixos-container update {{container_name}}` + +- Starte eine interaktive Shell innerhalb eines laufenden Containers: + +`sudo nixos-container root-login {{container_name}}` diff --git a/pages.de/linux/nixos-option.md b/pages.de/linux/nixos-option.md new file mode 100644 index 000000000..e1573ae7b --- /dev/null +++ b/pages.de/linux/nixos-option.md @@ -0,0 +1,28 @@ +# nixos-option + +> Prüfe eine NixOS Konfiguration. +> Weitere Informationen: . + +- Liste alle Unterschlüssel eines angegebenen Options-Schlüssels: + +`nixos-option {{option_key}}` + +- Liste aktuelle Boot-Kernelmodule: + +`nixos-option boot.kernelModules` + +- Liste Authorisierungsschlüssel für einen spezifischen Benutzer: + +`nixos-option users.users.{{username}}.openssh.authorizedKeys.{{keyFiles|keys}}` + +- Liste alle Remote-Builder-Maschinen: + +`nixos-option nix.buildMachines` + +- Liste alle Unterschlüssel eines angegebenen Options-Schlüssels innerhalb einer angegebenen Konfigurations-Datei: + +`NIXOS_CONFIG={{path_to_configuration.nix}} nixos-option {{option_key}}` + +- Zeige rekursiv alle Werte eines Benutzers: + +`nixos-option -r users.users.{{user}}` diff --git a/pages.de/linux/nixos-rebuild.md b/pages.de/linux/nixos-rebuild.md new file mode 100644 index 000000000..459f40864 --- /dev/null +++ b/pages.de/linux/nixos-rebuild.md @@ -0,0 +1,32 @@ +# nixos-rebuild + +> Rekonfiguriere eine NixOS-Maschine. +> Weitere Informationen: . + +- Erstelle und wechsle zu einer neuen Konfiguration und nutze diese künftig als Standardkonfiguration: + +`sudo nixos-rebuild switch` + +- Gib der neu erstellten Standardkonfiguration einen Namen: + +`sudo nixos-rebuild switch -p {{name}}` + +- Erstelle und wechsle zu einer neuen Konfiguration, nutze diese künftig als Standardkonfiguration und installiere Updates: + +`sudo nixos-rebuild switch --upgrade` + +- Setze Änderungen der Konfiguration zurück und wechsle zur vorhergehenden Konfiguration: + +`sudo nixos-rebuild switch --rollback` + +- Erstelle eine neue Konfiguration und starte diese zukünftig direkt ohne sofort zu wechseln: + +`sudo nixos-rebuild boot` + +- Erstelle und wechsle direkt zu einer neuen Konfiguration, ändere den Standard-Start-Eintrag nicht (dieses Kommando ist für Testzwecke gedacht): + +`sudo nixos-rebuild test` + +- Erstelle die Konfiguration und öffne diese in einer virtuellen Maschine: + +`sudo nixos-rebuild build-vm` diff --git a/pages.de/osx/httpie.md b/pages.de/osx/httpie.md deleted file mode 100644 index 72440abd3..000000000 --- a/pages.de/osx/httpie.md +++ /dev/null @@ -1,36 +0,0 @@ -# httpie - -> Ein benutzerfreundliches HTTP-Tool. -> Weitere Informationen: . - -- Sende eine GET-Anfrage (Standardmethode ohne Anfragedaten): - -`http {{https://example.com}}` - -- Sende eine POST-Anfrage (Standardmethode mit Anfragedaten): - -`http {{https://example.com}} {{hello=World}}` - -- Sende eine POST-Anfrage mit einer Datei als Eingabe: - -`http {{https://example.com}} < {{file.json}}` - -- Sende eine PUT-Anfrage mit einem bestimmten JSON-Body: - -`http PUT {{https://example.com/todos/7}} {{hello=world}}` - -- Sende eine DELETE-Anfrage mit einem bestimmten Anfrage-Header: - -`http DELETE {{https://example.com/todos/7}} {{API-Key:foo}}` - -- Zeige den gesamten HTTP-Austausch (sowohl Anfrage als auch Antwort): - -`http -v {{https://example.com}}` - -- Lade eine Datei herunter: - -`http --download {{https://example.com}}` - -- Folge Umleitungen und zeige Zwischenanfragen und -antworten: - -`http --follow --all {{https://example.com}}` diff --git a/pages.es/android/bugreportz.md b/pages.es/android/bugreportz.md index 23722a464..c5e1e1c28 100644 --- a/pages.es/android/bugreportz.md +++ b/pages.es/android/bugreportz.md @@ -12,10 +12,10 @@ `bugreportz -p` -- Muestra la versión de `bugreportz`: - -`bugreportz -v` - - Muestra ayuda: `bugreportz -h` + +- Muestra la versión de `bugreportz`: + +`bugreportz -v` diff --git a/pages.es/android/logcat.md b/pages.es/android/logcat.md index a4c54d65b..55b9cd309 100644 --- a/pages.es/android/logcat.md +++ b/pages.es/android/logcat.md @@ -17,8 +17,8 @@ - Muestra registros de un proceso específico: -`logcat --pid={{pid}}` +`logcat --pid {{pid}}` - Muestra registros del proceso de un paquete específico: -`logcat --pid=$(pidof -s {{paquete}})` +`logcat --pid $(pidof -s {{paquete}})` diff --git a/pages.es/android/wm.md b/pages.es/android/wm.md index 9a3a779c9..97e16ab95 100644 --- a/pages.es/android/wm.md +++ b/pages.es/android/wm.md @@ -6,8 +6,8 @@ - Muestra el tamaño físico de la pantalla de un dispositivo Android: -`wm {{tamaño}}` +`wm size` - Muestra la densidad física de la pantalla de un dispositivo Android: -`wm {{densidad}}` +`wm density` diff --git a/pages.es/common/!.md b/pages.es/common/!.md index 35de687fb..85d64b285 100644 --- a/pages.es/common/!.md +++ b/pages.es/common/!.md @@ -1,7 +1,7 @@ # Exclamation mark > Bash incorporado para sustituir con un comando encontrado en la historia. -> Más información: . +> Más información: . - Sustituye con el comando anterior y lo ejecuta con sudo: diff --git a/pages.es/common/2to3.md b/pages.es/common/2to3.md index 1c2c32746..600d4503f 100644 --- a/pages.es/common/2to3.md +++ b/pages.es/common/2to3.md @@ -13,11 +13,11 @@ - Convierte funciones específicas del lenguaje Python 2 a Python 3: -`2to3 --write {{ruta/a/archivo.py}} --fix={{raw_input}} --fix={{print}}` +`2to3 --write {{ruta/a/archivo.py}} --fix {{raw_input}} --fix {{print}}` - Convierte todas las funciones del lenguaje Python 2 excepto las especificadas a Python 3: -`2to3 --write {{ruta/a/archivo.py}} --nofix={{has_key}} --nofix={{isinstance}}` +`2to3 --write {{ruta/a/archivo.py}} --nofix {{has_key}} --nofix {{isinstance}}` - Muestra una lista de todas las características disponibles del lenguaje que se pueden convertir de Python 2 a Python 3: @@ -25,8 +25,8 @@ - Convierte todos los archivos Python 2 en un directorio a Python 3: -`2to3 --output-dir={{ruta/a/directorio_python3}} --write-unchanged-files --nobackups {{ruta/a/directorio_python2}}` +`2to3 --output-dir {{ruta/a/directorio_python3}} --write-unchanged-files --nobackups {{ruta/a/directorio_python2}}` - Ejecuta 2to3 con varios subprocesos: -`2to3 --processes={{1..infinity}} --output-dir={{ruta/a/directorio_python3}} --write --nobackups --no-diff {{ruta/a/directorio_python2}}` +`2to3 --processes {{1..infinity}} --output-dir {{ruta/a/directorio_python3}} --write --nobackups --no-diff {{ruta/a/directorio_python2}}` diff --git a/pages.es/common/7z.md b/pages.es/common/7z.md index e7412003a..655dc98b0 100644 --- a/pages.es/common/7z.md +++ b/pages.es/common/7z.md @@ -3,30 +3,34 @@ > Un compresor de archivos con un alto ratio de compresión. > Más información: . -- Comprime un archivo o un directorio: +- [a]ñade un fichero o directorio a un archivo comprimido nuevo o existente: `7z a {{archivo_comprimido.7z}} {{ruta/al/archivo_o_directorio_a_comprimir}}` -- Encripta un archivo comprimido existente (incluyendo cabeceras): +- Encripta un archivo comprimido existente (incluyendo los nombres de los archivos): `7z a {{archivo_encriptado.7z}} -p{{contraseña}} -mhe=on {{archivo_comprimido.7z}}` -- Extrae un archivo comprimido en formato `.7z` con la estructura original que tenía antes de comprimir: +- E[x]trae un archivo comprimido preservando la estructura de directorios original: `7z x {{archivo_comprimido.7z}}` -- Extrae un archivo comprimido en una ruta definida por el usuario: +- E[x]trae un archivo comprimido a un directorio específico: -`7z x {{archivo_comprimido.7z}} -o {{ruta/donde/extraer}}` +`7z x {{archivo_comprimido.7z}} -o{{ruta/donde/extraer}}` -- Extrae un archivo comprimido a `stdout`: +- E[x]trae un archivo comprimido a `stdout`: `7z x {{archivo_comprimido.7z}} -so` -- Comprime usando un tipo de archivo comprimido específico: +- [a]rchiva usando un tipo de archivo comprimido específico: `7z a -t{{7z|bzip2|gzip|lzip|tar|zip}} {{archivo_comprimido}} {{ruta/al/archivo_o_directorio_a_comprimir}}` - Lista el contenido de un archivo comprimido: `7z l {{archivo_comprimido.7z}}` + +- Establece el nivel de compresión (entre mayor sea este, la compresión será más lenta): + +`7z a {{ruta/al/archivo_comprimido.7z}} -mx={{0|1|3|5|7|9}} {{ruta/al/archivo_o_directorio_a_comprimir}}` diff --git a/pages.es/common/7zr.md b/pages.es/common/7zr.md index 301d57438..ee19d606c 100644 --- a/pages.es/common/7zr.md +++ b/pages.es/common/7zr.md @@ -1,7 +1,7 @@ # 7zr > Archivador de ficheros con un alto ratio de compresión. -> Similar a `7z` excepto que sólo soporta ficheros `.7z`. +> Similar a `7z` excepto que sólo soporta ficheros 7z. > Más información: . - [a]rchiva un archivo o directorio: diff --git a/pages.es/common/[.md b/pages.es/common/[.md index efa30c224..704f5d8be 100644 --- a/pages.es/common/[.md +++ b/pages.es/common/[.md @@ -2,7 +2,7 @@ > Comprueba los tipos de archivo y compara los valores. > Devuelve un estado de 0 si la condición se evalúa como verdadera, 1 si se evalúa como falsa. -> Más información: . +> Más información: . - Comprueba si una variable dada es igual/no es igual a la cadena especificada: diff --git a/pages.es/common/[[.md b/pages.es/common/[[.md index 575a6f18c..22442529d 100644 --- a/pages.es/common/[[.md +++ b/pages.es/common/[[.md @@ -2,7 +2,7 @@ > Comprueba los tipos de archivo y compara los valores. > Devuelve 0 si la condición es verdadera, 1 si es falsa. -> Más información: . +> Más información: . - Comprueba si una variable dada es igual/no igual a la cadena especificada: diff --git a/pages.es/common/accelerate.md b/pages.es/common/accelerate.md new file mode 100644 index 000000000..5a3cedfc8 --- /dev/null +++ b/pages.es/common/accelerate.md @@ -0,0 +1,28 @@ +# accelerate + +> Una biblioteca que permite ejecutar el mismo código PyTorch en cualquier configuración distribuida. +> Más información: . + +- Imprime información del entorno: + +`accelerate env` + +- Crea interactivamente un archivo de configuración: + +`accelerate config` + +- Imprime el coste estimado en memoria de la GPU al ejecutar un modelo Hugging Face con distintos tipos de datos: + +`accelerate estimate-memory {{nombre/modelo}}` + +- Prueba un archivo de configuración de Accelerate: + +`accelerate test --config_file {{ruta/a/config.yaml}}` + +- Ejecuta un modelo en CPU con Accelerate: + +`accelerate launch {{ruta/a/script.py}} {{--cpu}}` + +- Ejecuta un modelo en multi-GPU con Accelerate, con 2 máquinas: + +`accelerate launch {{ruta/a/script.py}} --multi_gpu --num_machines 2` diff --git a/pages.es/common/ack.md b/pages.es/common/ack.md index a9a55f56f..04beae08a 100644 --- a/pages.es/common/ack.md +++ b/pages.es/common/ack.md @@ -18,11 +18,11 @@ - Limita la búsqueda a archivos de un tipo específico: -`ack --type={{ruby}} "{{patrón_de_búsqueda}}"` +`ack --type {{ruby}} "{{patrón_de_búsqueda}}"` - Busca archivos que no sean de un cierto tipo: -`ack --type=no{{ruby}} "{{patrón_de_búsqueda}}"` +`ack --type no{{ruby}} "{{patrón_de_búsqueda}}"` - Cuenta el número total de coincidencias encontradas: diff --git a/pages.es/common/act.md b/pages.es/common/act.md index 56dd70f03..b44a70c8d 100644 --- a/pages.es/common/act.md +++ b/pages.es/common/act.md @@ -17,7 +17,7 @@ - Ejecuta una acción específica: -`act -a {{action_id}}` +`act -a {{identificador_de_acción}}` - Simula una acción: diff --git a/pages.es/common/adb-logcat.md b/pages.es/common/adb-logcat.md index 2c0079959..60f91fa62 100644 --- a/pages.es/common/adb-logcat.md +++ b/pages.es/common/adb-logcat.md @@ -7,15 +7,15 @@ `adb logcat` -- Muestra las líneas que coinciden con una expresión regular: +- Muestra las líneas que coincidan con una expresión regular: -`adb logcat -e {{expresion_regular}}` +`adb logcat -e {{expresión_regular}}` -- Muestra los registros de una etiqueta en un modo específico ([V]erbose, [D]ebug, [I]nfo, [W]arning, [E]rror, [F]atal, [S]ilent), filtrando otras etiquetas: +- Muestra los registros de una etiqueta en un modo específico ([V]erboso, [D]epuración, [I]nformación, [W]arning, [E]rror, [F]atal, [S]ilencioso), filtrando otras etiquetas: `adb logcat {{etiqueta}}:{{modo}} *:S` -- Muestra los registros de aplicaciones React Native en modo [V]erbose [S]ilencing otras etiquetas: +- Muestra los registros de aplicaciones React Native en modo [V]erboso [S]ilenciando otras etiquetas: `adb logcat ReactNative:V ReactNativeJS:V *:S` @@ -25,12 +25,12 @@ - Muestra los registros de un proceso específico: -`adb logcat --pid={{pid}}` +`adb logcat --pid {{pid}}` - Muestra los registros del proceso de un paquete específico: -`adb logcat --pid=$(adb shell pidof -s {{paquete}})` +`adb logcat --pid $(adb shell pidof -s {{paquete}})` -- Colorea el registro (normalmente se utiliza con filtros): +- Colorea el registro (normalmente se usan filtros): `adb logcat -v color` diff --git a/pages.es/common/alacritty.md b/pages.es/common/alacritty.md index bf269c1f0..88f5fc7e0 100644 --- a/pages.es/common/alacritty.md +++ b/pages.es/common/alacritty.md @@ -15,10 +15,10 @@ `alacritty -e {{comando}}` -- Especifica un archivo de configuración alternativo (por defecto es `$XDG_CONFIG_HOME/alacritty/alacritty.yml`): +- Especifica un archivo de configuración alternativo (por defecto es `$XDG_CONFIG_HOME/alacritty/alacritty.toml`): -`alacritty --config-file {{ruta/al/config.yml}}` +`alacritty --config-file {{ruta/al/config.toml}}` -- Ejecuta con recarga automática de la configuración activada (puede activarse por defecto en `alacritty.yml`): +- Ejecuta con recarga automática de la configuración activada (puede activarse por defecto en `alacritty.toml`): -`alacritty --live-config-reload --config-file {{ruta/al/config.yml}}` +`alacritty --live-config-reload --config-file {{ruta/al/config.toml}}` diff --git a/pages.es/common/amass-db.md b/pages.es/common/amass-db.md deleted file mode 100644 index 134f59d48..000000000 --- a/pages.es/common/amass-db.md +++ /dev/null @@ -1,20 +0,0 @@ -# amass db - -> Interactúa con una base de datos Amass. -> Más información: . - -- Lista de todas las enumeraciones realizadas en la base de datos: - -`amass db -dir {{ruta/al/directorio_base_de_datos}} -list` - -- Muestra resultados para un índice de enumeración y un nombre de dominio especificados: - -`amass db -dir {{ruta/al/directorio_base_de_datos}} -d {{nombre_dominio}} -enum {{indice_de_lista}} -show` - -- Lista todos los subdominios encontrados en un dominio dentro de una enumeración: - -`amass db -dir {{ruta/al/directorio_base_de_datos}} -d {{nombre_dominio}} -enum {{indice_de_lista}} -names` - -- Muestra un resumen de los subdominios encontrados dentro de una enumeración: - -`amass db -dir {{ruta/al/directorio_base_de_datos}} -d {{nombre_dominio}} -enum {{indice_de_lista}} -summary` diff --git a/pages.es/common/amass-enum.md b/pages.es/common/amass-enum.md index c29777230..907d56da5 100644 --- a/pages.es/common/amass-enum.md +++ b/pages.es/common/amass-enum.md @@ -1,7 +1,7 @@ # amass enum > Busca subdominios de un dominio. -> Más información: . +> Más información: . - Búsqueda pasiva de subdominios de un dominio: diff --git a/pages.es/common/amass-intel.md b/pages.es/common/amass-intel.md index e1debb489..3e9289a21 100644 --- a/pages.es/common/amass-intel.md +++ b/pages.es/common/amass-intel.md @@ -1,7 +1,7 @@ # amass intel > Recopila información de código abierto sobre una organización, como dominios raíz y ASNs. -> Más información: . +> Más información: . - Encuentra dominios raíz en un rango de direcciones IP específico: diff --git a/pages.es/common/amass.md b/pages.es/common/amass.md index 7889e174d..ee118bbeb 100644 --- a/pages.es/common/amass.md +++ b/pages.es/common/amass.md @@ -1,20 +1,20 @@ # amass > Herramienta de mapeo de superficie de ataque en profundidad y descubrimiento de activos. -> Algunos subcomandos como `amass db` tienen su propia documentación de uso. -> Más información: . +> Algunos subcomandos como `amass intel` tienen su propia documentación de uso. +> Más información: . - Ejecuta un subcomando Amass: -`amass {{subcommand}}` +`amass {{intel|enum}} {{options}}` - Muestra ayuda: `amass -help` -- Muestra ayuda sobre un subcomando de Amass (como `intel`, `enum`, etc.): +- Muestra ayuda sobre un subcomando de Amass: -`amass -help {{subcommand}}` +`amass {{intel|enum}} -help` - Muestra la versión: diff --git a/pages.es/common/ansible.md b/pages.es/common/ansible.md new file mode 100644 index 000000000..bfffca581 --- /dev/null +++ b/pages.es/common/ansible.md @@ -0,0 +1,33 @@ +# ansible + +> Gestiona grupos de ordenadores de forma remota a través de SSH. (usa el fichero `/etc/ansible/hosts` para añadir nuevos grupos de hosts). +> Algunos subcomandos como `ansible galaxy` tienen su propia documentación. +> Más información: . + +- Lista los hosts pertenecientes a un grupo: + +`ansible {{grupo}} --list-hosts` + +- Hace ping a un grupo de hosts invocando al módulo ping: + +`ansible {{grupo}} -m ping` + +- Muestra información sobre un grupo de hosts invocando al módulo setup: + +`ansible {{grupo}} -m setup` + +- Ejecuta un comando en un grupo de hosts invocando el módulo de command con argumentos: + +`ansible {{grupo}} -m command -a '{{mi_comando}}'` + +- Ejecuta un comando con privilegios administrativos: + +`ansible {{grupo}} --become --ask-become-pass -m command -a '{{mi_comando}}'` + +- Ejecuta un comando utilizando un archivo de inventario personalizado: + +`ansible {{grupo}} -i {{archivo_de_inventario}} -m command -a '{{mi_comando}}'` + +- Lista los grupos de un inventario: + +`ansible localhost -m debug -a '{{var=groups.keys()}}'` diff --git a/pages.es/common/ansiweather.md b/pages.es/common/ansiweather.md index b1eed0fea..fbbd00af6 100644 --- a/pages.es/common/ansiweather.md +++ b/pages.es/common/ansiweather.md @@ -3,14 +3,14 @@ > Un script de shell para mostrar las condiciones meteorológicas actuales en tu terminal. > Más información: . -- Muestra una previsión en unidades métricas para los próximos cinco días en Rzeszow, Polonia: +- Muestra una previsión usando unidades métricas de los siguientes siete días de una ubicación: -`ansiweather -u {{metric}} -f {{5}} -l {{Rzeszow,PL}}` +`ansiweather -u metric -f 7 -l {{Rzeszow,PL}}` -- Muestra una previsión con símbolos y datos de la luz del día dada tu ubicación actual: +- Muestra una previsión de los siguientes cinco días con símbolos e información de luz diurna de tu ubicación actual: -`ansiweather -s {{true}} -d {{true}}` +`ansiweather -F -s true -d true` -- Muestra una previsión con los datos de viento y humedad dada tu ubicación actual: +- Muestra una previsión con los datos de viento y humedad de tu ubicación actual: -`ansiweather -w {{true}} -h {{true}}` +`ansiweather -w true -h true` diff --git a/pages.es/common/archwiki-rs.md b/pages.es/common/archwiki-rs.md new file mode 100644 index 000000000..acca757f7 --- /dev/null +++ b/pages.es/common/archwiki-rs.md @@ -0,0 +1,20 @@ +# archwiki-rs + +> Lee, busca y descarga páginas de la ArchWiki. +> Más información: . + +- Lee una página de la ArchWiki: + +`archwiki-rs read-page {{título_de_página}}` + +- Lee una página de la ArchWiki en el formato especificado: + +`archwiki-rs read-page {{título_de_página}} --format {{plain-text|markdown|html}}` + +- Busca páginas en ArchWiki con el texto proporcionado: + +`archwiki-rs search "{{texto_a_buscar}}" --text-search` + +- Descarga una copia local de todas las páginas de ArchWiki en un directorio específico: + +`archwiki-rs local-wiki {{ruta/a/wiki_local}} --format {{plain-text|markdown|html}}` diff --git a/pages.es/common/argocd-app.md b/pages.es/common/argocd-app.md index 1b990af2d..53ab0355d 100644 --- a/pages.es/common/argocd-app.md +++ b/pages.es/common/argocd-app.md @@ -33,4 +33,4 @@ - Retrocede la aplicación a una versión anterior desplegada por ID de historial (eliminando recursos inesperados): -`argocd app rollback {{nombre_de_la_aplicacion}} {{history_id}} --prune` +`argocd app rollback {{nombre_de_la_aplicacion}} {{identificador_de_historial}} --prune` diff --git a/pages.es/common/aria2c.md b/pages.es/common/aria2c.md index e650ca176..d0e59b096 100644 --- a/pages.es/common/aria2c.md +++ b/pages.es/common/aria2c.md @@ -10,28 +10,28 @@ - Descarga un archivo de una URI con un nombre de salida específico: -`aria2c --out={{ruta/al/archivo}} "{{url}}"` +`aria2c --out {{ruta/al/archivo}} "{{url}}"` - Descarga varios archivos diferentes en paralelo: `aria2c --force-sequential {{false}} "{{url1 url2 ...}}"` -- Descarga desde múltiples fuentes con cada URI apuntando al mismo archivo: +- Descarga el mismo archivo desde diferentes espejos y verifica la suma de comprobación del archivo descargado: -`aria2c "{{url1 url2 ...}}"` +`aria2c --checksum {{sha-256}}={{suma_de_comprobación}} "{{url1}}" "{{url2}}" "{{urlN}}"` - Descarga las URI enumeradas en un archivo con un número determinado de descargas paralelas: -`aria2c --input-file={{ruta/al/archivo}} --max-concurrent-downloads={{numero_de_descargas}}` +`aria2c --input-file {{ruta/al/archivo}} --max-concurrent-downloads {{número_de_descargas}}` - Descarga con varias conexiones: -`aria2c --split={{numero_de_conexiones}} "{{url}}"` +`aria2c --split {{número_de_conexiones}} "{{url}}"` -- Descarga FTP con nombre de usuario y contraseña: +- Descarga a través de FTP con un nombre de usuario y contraseña: -`aria2c --ftp-user={{nombre_usuario}} --ftp-passwd={{contrasena}} "{{url}}"` +`aria2c --ftp-user {{nombre_usuario}} --ftp-passwd {{contraseña}} "{{url}}"` - Limita la velocidad de descarga en bytes por segundo: -`aria2c --max-download-limit={{velocidad}} "{{url}}"` +`aria2c --max-download-limit {{velocidad}} "{{url}}"` diff --git a/pages.es/common/arp.md b/pages.es/common/arp.md new file mode 100644 index 000000000..e2863f239 --- /dev/null +++ b/pages.es/common/arp.md @@ -0,0 +1,16 @@ +# arp + +> Muestra y manipula la caché ARP del sistema. +> Más información: . + +- Muestra la tabla ARP actual: + +`arp -a` + +- Borra una entrada específica: + +`arp -d {{dirección}}` + +- Añade una nueva entrada en la tabla ARP: + +`arp -s {{dirección}} {{dirección_mac}}` diff --git a/pages.es/common/asciidoctor.md b/pages.es/common/asciidoctor.md index e1e5d9fcc..719daa90c 100644 --- a/pages.es/common/asciidoctor.md +++ b/pages.es/common/asciidoctor.md @@ -9,7 +9,7 @@ - Convierte un archivo `.adoc` específico a HTML y vincula una hoja de estilos CSS: -`asciidoctor -a stylesheet={{ruta/al/stylesheet.css}} {{ruta/al/archivo.adoc}}` +`asciidoctor -a stylesheet {{ruta/al/stylesheet.css}} {{ruta/al/archivo.adoc}}` - Convierte un archivo específico `.adoc` en HTML incrustable, eliminando todo excepto el cuerpo: @@ -17,4 +17,4 @@ - Convierte un archivo `.adoc` dado en un PDF utilizando la biblioteca `asciidoctor-pdf`: -`asciidoctor --backend={{pdf}} --require={{asciidoctor-pdf}} {{ruta/al/archivo.adoc}}` +`asciidoctor --backend {{pdf}} --require {{asciidoctor-pdf}} {{ruta/al/archivo.adoc}}` diff --git a/pages.es/common/asciinema.md b/pages.es/common/asciinema.md index e3ed029a5..ab5669c8a 100644 --- a/pages.es/common/asciinema.md +++ b/pages.es/common/asciinema.md @@ -21,7 +21,7 @@ - Reproduce una grabación desde asciinema.org: -`asciinema play https://asciinema.org/a/{{grabación_id}}` +`asciinema play https://asciinema.org/a/{{identificador_de_grabación}}` - Crea una nueva grabación, limitando el tiempo de espera máximo a 2.5 segundos: diff --git a/pages.es/common/aspell.md b/pages.es/common/aspell.md new file mode 100644 index 000000000..00627c1cf --- /dev/null +++ b/pages.es/common/aspell.md @@ -0,0 +1,24 @@ +# aspell + +> Corrector ortográfico interactivo. +> Más información: . + +- Revisa la ortografía de un solo archivo: + +`aspell check {{ruta/al/archivo}}` + +- Lista las palabras mal escritas de `stdin`: + +`cat {{ruta/al/archivo}} | aspell list` + +- Muestra los idiomas disponibles en el diccionario: + +`aspell dicts` + +- Ejecuta `aspell` con un idioma diferente (toma el código de idioma ISO 639 de dos letras): + +`aspell --lang={{cs}}` + +- Lista las palabras mal escritas de `stdin` e ignora las palabras de la lista personal de palabras: + +`cat {{ruta/al/archivo}} | aspell --personal={{lista_personal_de_palabras.pws}} list` diff --git a/pages.es/common/audtool.md b/pages.es/common/audtool.md new file mode 100644 index 000000000..8c0f3bb84 --- /dev/null +++ b/pages.es/common/audtool.md @@ -0,0 +1,36 @@ +# audtool + +> Controla Audacious usando comandos. +> Más información: . + +- Reproduce/pausa la reproducción de audio: + +`audtool playback-playpause` + +- Imprime el nombre del artista, el álbum y la canción que se está reproduciendo: + +`audtool current-song` + +- Ajusta el volumen de la reproducción de audio: + +`audtool set-volume {{100}}` + +- Salta a la siguiente canción: + +`audtool playlist-advance` + +- Imprime la tasa de bits de la canción actual en kilobits: + +`audtool current-song-bitrate-kbps` + +- Abre Audacious en pantalla completa si está oculto: + +`audtool mainwin-show` + +- Muestra ayuda: + +`audtool help` + +- Muestra configuración: + +`audtool preferences-show` diff --git a/pages.es/common/autossh.md b/pages.es/common/autossh.md index 9c85dd0fe..596ef95a3 100644 --- a/pages.es/common/autossh.md +++ b/pages.es/common/autossh.md @@ -1,7 +1,7 @@ # autossh > Ejecuta, monitorea y reinicia conexiones SSH. -> Auto-reconecta para mantener los túneles de reenvío de puertos. Acepta todas las señales `ssh`. +> Auto-reconecta para mantener los túneles de reenvío de puertos. Acepta todas las señales SSH. > Más información: . - Inicia una sesión SSH, reiniciando cuando un puerto de monitoreo no retorna datos: @@ -12,7 +12,7 @@ `autossh -M {{puerto_monitor}} -L {{puerto_local}}:localhost:{{puerto_remoto}} {{usuario}}@{{host}}` -- Crea un proceso `autossh` en segundo plano antes de ejecutar `ssh` y no abre un shell remoto: +- Crea un proceso `autossh` en segundo plano antes de ejecutar SSH y no abre un shell remoto: `autossh -f -M {{puerto_monitor}} -N "{{comando_ssh}}"` @@ -24,6 +24,6 @@ `autossh -f -M 0 -N -o "ServerAliveInterval 10" -o "ServerAliveCountMax 3" -o ExitOnForwardFailure=yes -L {{local_port}}:localhost:{{puerto_remoto}} {{usuario}}@{{host}}` -- Se ejecuta en segundo plano, registrando la salida de depuración `autossh` y la salida detallada `ssh` en archivos: +- Se ejecuta en segundo plano, registrando la salida de depuración `autossh` y la salida detallada SSH en archivos: `AUTOSSH_DEBUG=1 AUTOSSH_LOGFILE={{ruta/al/autossh_log_file.log}} autossh -f -M {{puerto_monitor}} -v -E {{ruta/al/archivo_ssh_log.log}} {{comando_ssh}}` diff --git a/pages.es/common/aws-accessanalyzer.md b/pages.es/common/aws-accessanalyzer.md new file mode 100644 index 000000000..f5c32d0c6 --- /dev/null +++ b/pages.es/common/aws-accessanalyzer.md @@ -0,0 +1,36 @@ +# aws accessanalyzer + +> Analiza y revisa las políticas de recursos para identificar posibles riesgos de seguridad. +> Más información: . + +- Crea un nuevo Access Analyzer: + +`aws accessanalyzer create-analyzer --analyzer-name {{nombre_analizador}} --type {{tipo}} --tags {{etiquetas}}` + +- Elimina un analizador de acceso existente: + +`aws accessanalyzer delete-analyzer --analyzer-arn {{analizador_arn}}` + +- Obtiene detalles de un analizador de acceso específico: + +`aws accessanalyzer get-analyzer --analyzer-arn {{analizador_arn}}` + +- Lista todos los analizadores de acceso: + +`aws accessanalyzer list-analyzers` + +- Actualiza la configuración de un analizador de acceso: + +`aws accessanalyzer update-analyzer --analyzer-arn {{analizador_arn}} --tags {{nuevas_etiquetas}}` + +- Crea una nueva regla de archivo de Access Analyzer: + +`aws accessanalyzer create-archive-rule --analyzer-arn {{analizador_arn}} --rule-name {{nombre_regla}} --filter {{filtro}}` + +- Elimina una regla de archivo de Access Analyzer: + +`aws accessanalyzer delete-archive-rule --analyzer-arn {{analizador_arn}} --rule-name {{nombre_regla}}` + +- Lista todas las reglas de archivo de Access Analyzer: + +`aws accessanalyzer list-archive-rules --analyzer-arn {{analizador_arn}}` diff --git a/pages.es/common/aws-acm.md b/pages.es/common/aws-acm.md new file mode 100644 index 000000000..c57de66d4 --- /dev/null +++ b/pages.es/common/aws-acm.md @@ -0,0 +1,36 @@ +# aws acm + +> AWS Certificate Manager. +> Más información: . + +- Importa un certificado: + +`aws acm import-certificate --certificate-arn {{certificado_arn}} --certificate {{certificado}} --private-key {{clave_privada}} --certificate-chain {{certificado_cadena}}` + +- Lista certificados: + +`aws acm list-certificates` + +- Describe un certificado: + +`aws acm describe-certificate --certificate-arn {{certificado_arn}}` + +- Solicita un certificado: + +`aws acm request-certificate --domain-name {{nombre_dominio}} --validation-method {{método_de_validación}}` + +- Elimina un certificado: + +`aws acm delete-certificate --certificate-arn {{certificate_arn}}` + +- Lista validaciones de certificados: + +`aws acm list-certificates --certificate-statuses {{estado}}` + +- Obtén detalles del certificado: + +`aws acm get-certificate --certificate-arn {{certificado_arn}}` + +- Actualiza las opciones del certificado: + +`aws acm update-certificate-options --certificate-arn {{certificado_arn}} --options {{opciones}}` diff --git a/pages.es/common/aws-amplify.md b/pages.es/common/aws-amplify.md new file mode 100644 index 000000000..374f5957f --- /dev/null +++ b/pages.es/common/aws-amplify.md @@ -0,0 +1,36 @@ +# aws amplify + +> Plataforma de desarrollo para crear aplicaciones móviles y web seguras y escalables. +> Más información: . + +- Crea una nueva aplicación Amplify: + +`aws amplify create-app --name {{nombre_de_la_app}} --description {{descripción}} --repository {{url_repositorio}} --platform {{plataforma}} --environment-variables {{variables_de_entorno}} --tags {{etiquetas}}` + +- Elimina una aplicación Amplify existente: + +`aws amplify delete-app --app-id {{id_aplicación}}` + +- Obtiene detalles de una aplicación Amplify determinada: + +`aws amplify get-app --app-id {{id_aplicación}}` + +- Lista todas las aplicaciones de Amplify: + +`aws amplify list-apps` + +- Actualiza la configuración de una aplicación Amplify: + +`aws amplify update-app --app-id {{id_aplicación}} --name {{nuevo_nombre}} --description {{nueva_descripción}} --repository {{nuevo_url_repositorio}} --environment-variables {{variables_nuevo_entorno}} --tags {{nuevas_etiquetas}}` + +- Añade un nuevo entorno backend a una aplicación Amplify: + +`aws amplify create-backend-environment --app-id {{id_aplicación}} --environment-name {{nombre_del_entorno}} --deployment-artifacts {{artefactos}}` + +- Elimina un entorno backend de una aplicación Amplify: + +`aws amplify delete-backend-environment --app-id {{id_aplicación}} --environment-name {{nombre_del_entorno}}` + +- Lista todos los entornos backend de una aplicación Amplify: + +`aws amplify list-backend-environments --app-id {{id_aplicación}}` diff --git a/pages.es/common/aws-ce.md b/pages.es/common/aws-ce.md new file mode 100644 index 000000000..a59fd6d10 --- /dev/null +++ b/pages.es/common/aws-ce.md @@ -0,0 +1,36 @@ +# aws-ce + +> Analiza y gestiona los controles de acceso y la configuración de seguridad en su entorno de nube. +> Más información: . + +- Crea un nuevo Access Control Analyzer: + +`awe-ce create-analyzer --analyzer-name {{nombre_analizador}} --type {{tipo}} --tags {{etiquetas}}` + +- Elimina un Access Control Analyzer existente: + +`awe-ce delete-analyzer --analyzer-arn {{analizador_arn}}` + +- Obtiene detalles de un analizador de control de acceso específico: + +`awe-ce get-analyzer --analyzer-arn {{analizador_arn}}` + +- Lista todos los Access Control Analyzer: + +`awe-ce list-analyzers` + +- Actualiza la configuración de un Access Control Analyzer: + +`awe-ce update-analyzer --analyzer-arn {{analizador_arn}} --tags {{nuevas_etiquetas}}` + +- Crea una nueva regla de archivo del Access Control Analyzer: + +`awe-ce create-archive-rule --analyzer-arn {{analizador_arn}} --rule-name {{nombre_regla}} --filter {{filtro}}` + +- Elimina una regla de archivo de Access Control Analyzer: + +`awe-ce delete-archive-rule --analyzer-arn {{analizador_arn}} --rule-name {{nombre_regla}}` + +- Lista todas las reglas de archivo de Access Control Analyzer: + +`awe-ce list-archive-rules --analyzer-arn {{analizador_arn}}` diff --git a/pages.es/common/aws-codecommit.md b/pages.es/common/aws-codecommit.md index e2cd3f9a6..37966fce9 100644 --- a/pages.es/common/aws-codecommit.md +++ b/pages.es/common/aws-codecommit.md @@ -1,12 +1,12 @@ # aws codecommit -> AWS CodeCommit es un servicio de control de origen administrado que aloja repositorios Git privados. +> Un servicio de control de versión capaz de alojar repositorios de Git privados. > Más información: . -- Muestra la ayuda para un comando específico: - -`aws codecommit {{comando}} help` - -- Muestra la ayuda: +- Muestra ayuda: `aws codecommit help` + +- Muestra ayuda de un comando: + +`aws codecommit {{comando}} help` diff --git a/pages.es/common/aws-cognito-idp.md b/pages.es/common/aws-cognito-idp.md index 3215d6663..95c0c7bed 100644 --- a/pages.es/common/aws-cognito-idp.md +++ b/pages.es/common/aws-cognito-idp.md @@ -13,16 +13,16 @@ - Elimina un grupo de usuarios específico: -`aws cognito-idp delete-user-pool --user-pool-id {{user_pool_id}}` +`aws cognito-idp delete-user-pool --user-pool-id {{identificador_de_pool}}` - Crea un usuario en un grupo específico: -`aws cognito-idp admin-create-user --username {{nombre_usuario}} --user-pool-id {{user_pool_id}}` +`aws cognito-idp admin-create-user --username {{nombre_usuario}} --user-pool-id {{identificador_de_pool}}` - Lista los usuarios de un pool específico: -`aws cognito-idp list-users --user-pool-id {{user_pool_id}}` +`aws cognito-idp list-users --user-pool-id {{identificador_de_pool}}` - Elimina un usuario de un grupo específico: -`aws cognito-idp admin-delete-user --username {{nombre_usuario}} --user-pool-id {{user_pool_id}}` +`aws cognito-idp admin-delete-user --username {{nombre_usuario}} --user-pool-id {{identificador_de_pool}}` diff --git a/pages.es/common/aws-ec2.md b/pages.es/common/aws-ec2.md index 55a31f0f5..2c08fb006 100644 --- a/pages.es/common/aws-ec2.md +++ b/pages.es/common/aws-ec2.md @@ -6,7 +6,7 @@ - Muestra información acerca de una instancia específica: -`aws ec2 describe-instances --instance-ids {{id_instancia}}` +`aws ec2 describe-instances --instance-ids {{identificador_de_instancia}}` - Muestra información sobre todas las instancias: @@ -18,11 +18,11 @@ - Elimina un volumen EC2: -`aws ec2 delete-volume --volume-id {{id_volumen}}` +`aws ec2 delete-volume --volume-id {{identificador_de_volumen}}` - Crea una instantánea a partir de un volumen EC2: -`aws ec2 create-snapshot --volume-id {{id_volumen}}` +`aws ec2 create-snapshot --volume-id {{identificador_de_volumen}}` - Lista las imágenes de máquina de Amazon disponibles (AMI): diff --git a/pages.es/common/aws-iam.md b/pages.es/common/aws-iam.md index aa650603b..01df6c4b5 100644 --- a/pages.es/common/aws-iam.md +++ b/pages.es/common/aws-iam.md @@ -1,12 +1,8 @@ # aws iam -> CLI para AWS IAM. +> Interactúa con el Manejo de Identidad y Acceso (o "IAM" en inglés), un servicio web para controlar seguramente el acceso a servicios de AWS. > Más información: . -- Muestra la página de ayuda de `aws iam` (incluyendo todos los comandos iam disponibles): - -`aws iam help` - - Lista usuarios: `aws iam list-users` @@ -19,13 +15,13 @@ `aws iam list-groups` -- Obtén los usuarios de un grupo: +- Obtén los usuarios en un grupo: -`aws iam get-group --group-name {{nombre_grupo}}` +`aws iam get-group --group-name {{nombre_del_grupo}}` - Describe una política IAM: -`aws iam get-policy --policy-arn arn:aws:iam::aws:policy/{{nombre_de_politica}}` +`aws iam get-policy --policy-arn arn:aws:iam::aws:policy/{{nombre_de_política}}` - Lista claves de acceso: @@ -33,4 +29,8 @@ - Lista claves de acceso para un usuario específico: -`aws iam list-access-keys --user-name {{nombre_usuario}}` +`aws iam list-access-keys --user-name {{nombre_de_usuario}}` + +- Muestra ayuda: + +`aws iam help` diff --git a/pages.es/common/aws-kendra.md b/pages.es/common/aws-kendra.md new file mode 100644 index 000000000..e92c60483 --- /dev/null +++ b/pages.es/common/aws-kendra.md @@ -0,0 +1,28 @@ +# aws kendra + +> CLI para AWS Kendra. +> Más información: . + +- Crea un índice: + +`aws kendra create-index --name {{nombre}} --role-arn {{rol_arn}}` + +- Lista índices: + +`aws kendra list-indexes` + +- Describe un índice: + +`aws kendra describe-index --id {{id_índice}}` + +- Lista fuentes de datos: + +`aws kendra list-data-sources` + +- Describe una fuente de datos: + +`aws kendra describe-data-source --id {{id_fuente_datos}}` + +- Lista consultas de búsqueda: + +`aws kendra list-query-suggestions --index-id {{id_índice}} --query-text {{texto_consulta}}` diff --git a/pages.es/common/aws-route53.md b/pages.es/common/aws-route53.md index 91dae9292..07f6797da 100644 --- a/pages.es/common/aws-route53.md +++ b/pages.es/common/aws-route53.md @@ -9,16 +9,16 @@ - Muestra todos los registros de una zona: -`aws route53 list-resource-record-sets --hosted-zone-id {{zone_id}}` +`aws route53 list-resource-record-sets --hosted-zone-id {{identificador_de_zona}}` - Crea una nueva zona pública utilizando un identificador de solicitud para reintentar la operación de forma segura: -`aws route53 create-hosted-zone --name {{nombre}} --caller-reference {{identificador_solicitud}}` +`aws route53 create-hosted-zone --name {{nombre}} --caller-reference {{identificador_de_solicitud}}` - Elimina una zona (si la zona tiene registros SOA y NS no predeterminados, el comando fallará): -`aws route53 delete-hosted-zone --id {{zone_id}}` +`aws route53 delete-hosted-zone --id {{identificador_de_zona}}` - Prueba la resolución DNS por parte de los servidores de Amazon de una zona determinada: -`aws route53 test-dns-answer --hosted-zone-id {{zone_id}} --record-name {{nombre}} --record-type {{tipo}}` +`aws route53 test-dns-answer --hosted-zone-id {{identificador_de_zona}} --record-name {{nombre}} --record-type {{tipo}}` diff --git a/pages.es/common/az-account.md b/pages.es/common/az-account.md index d28627464..51de18d9d 100644 --- a/pages.es/common/az-account.md +++ b/pages.es/common/az-account.md @@ -10,7 +10,7 @@ - Establece una `subscription` como la suscripción activa: -`az account set --subscription {{id_de_suscripción}}` +`az account set --subscription {{identificador_de_suscripción}}` - Lista las regiones admitidas para la suscripción activa: diff --git a/pages.es/common/az-tag.md b/pages.es/common/az-tag.md index 41d3c8856..38f15dfdc 100644 --- a/pages.es/common/az-tag.md +++ b/pages.es/common/az-tag.md @@ -18,7 +18,7 @@ - Enumera todas las etiquetas de una suscripción: -`az tag list --resource-id /subscriptions/{{subscription_id}}` +`az tag list --resource-id /subscriptions/{{identificador_de_subscripción}}` - Elimina un valor de etiqueta para un nombre de etiqueta específico: diff --git a/pages.es/common/az-vm.md b/pages.es/common/az-vm.md index f029e27f2..d87613801 100644 --- a/pages.es/common/az-vm.md +++ b/pages.es/common/az-vm.md @@ -8,7 +8,7 @@ `az vm list` -- Crea una máquina virtual usando la imagen por defecto de Ubuntu y genera claves ssh: +- Crea una máquina virtual usando la imagen por defecto de Ubuntu y genera claves SSH: `az vm create --resource-group {{grupo_de_recursos}} --name {{nombre}} --image {{UbuntuLTS}} --admin-user {{usuario_azure}} --generate-ssh-keys` diff --git a/pages.es/common/b2-tools.md b/pages.es/common/b2-tools.md new file mode 100644 index 000000000..5097120e3 --- /dev/null +++ b/pages.es/common/b2-tools.md @@ -0,0 +1,36 @@ +# b2-tools + +> Accede fácilmente a todas las funciones de Backblaze B2 Cloud Storage. +> Más información: . + +- Accede a tu cuenta: + +`b2 authorize_account {{clave_id}}` + +- Lista los buckets existentes en tu cuenta: + +`b2 list_buckets` + +- Crea un cubo, indica el nombre del cubo y el tipo de acceso (por ejemplo, allPublic o allPrivate): + +`b2 create_bucket {{nombre_cubo}} {{allPublic|allPrivate}}` + +- Sube un archivo. Elige un archivo, un bucket y una carpeta: + +`b2 upload_file {{nombre_cubo}} {{ruta/a/archivo}} {{nombre_carpeta}}` + +- Sube un directorio de origen a un destino de Backblaze B2 bucket: + +`b2 sync {{ruta/al/archivo_de_origen}} {{nombre_del_cubo}}` + +- Copia un archivo de un bucket a otro bucket: + +`b2 copy-file-by-id {{ruta/al/archivo_de_origen}} {{nombre_cubo_destino}} {{ruta/a/archivo/b2}}` + +- Muestra los archivos de tu bucket: + +`b2 ls {{nombre_bucket}}` + +- Elimina una "carpeta" o un conjunto de archivos que coincidan con un patrón: + +`b2 rm {{ruta/a/carpeta|patrón}}` diff --git a/pages.es/common/bc.md b/pages.es/common/bc.md index 4d36ffc2b..ea2524e67 100644 --- a/pages.es/common/bc.md +++ b/pages.es/common/bc.md @@ -2,7 +2,7 @@ > Un lenguaje de calculadora de precisión arbitraria. > Vea también: `dc`. -> Más información: . +> Más información: . - Inicia una sesión interactiva: diff --git a/pages.es/common/bfs.md b/pages.es/common/bfs.md new file mode 100644 index 000000000..98205d5e6 --- /dev/null +++ b/pages.es/common/bfs.md @@ -0,0 +1,36 @@ +# bfs + +> Búsqueda exhaustiva de tus archivos. +> Más información: . + +- Busca archivos por extensión: + +`bfs {{ruta_raíz}} -name '{{*.ext}}'` + +- Busca archivos que coincidan con varios patrones de ruta/nombre: + +`bfs {{ruta_raíz}} -path '{{**/ruta/**/*.ext}}' -or -name '{{*patrón*}}'` + +- Busca directorios que coincidan con un nombre dado, sin distinguir mayúsculas de minúsculas: + +`bfs {{ruta_raíz}} -type d -iname '{{*lib*}}'` + +- Busca archivos que coincidan con un patrón dado, excluyendo rutas específicas: + +`bfs {{ruta_raíz}} -name '{{*.py}}' -not -path '{{*/paquetes/*}}'` + +- Busca archivos que coincidan con un rango de tamaño dado, limitando la profundidad recursiva a "1": + +`bfs {{ruta_raíz}} -maxdepth 1 -size {{+500k}} -size {{-10M}}` + +- Ejecuta un comando para cada archivo (utiliza `{}` dentro del comando para acceder al nombre del archivo): + +`bfs {{ruta_root}} -name '{{*.ext}}' -exec {{wc -l}} {} \;` + +- Busca todos los archivos modificados hoy y pasa los resultados a un único comando como argumentos: + +`bfs {{ruta_raíz}} -daystart -mtime {{-1}} -exec {{tar -cvf archivo.tar}} {} \+` + +- Encuentra archivos vacíos (0 bytes) o directorios y los elimina de forma detallada: + +`bfs {{ruta_raíz}} -type {{f|d}} -empty -delete -print` diff --git a/pages.es/common/bitcoind.md b/pages.es/common/bitcoind.md new file mode 100644 index 000000000..372390c1c --- /dev/null +++ b/pages.es/common/bitcoind.md @@ -0,0 +1,21 @@ +# bitcoind + +> Daemon de Bitcoin Core. +> Utiliza la configuración definida en `bitcoin.conf`. +> Más información: . + +- Inicia el daemon Bitcoin Core (en primer plano): + +`bitcoind` + +- Inicia el daemon Bitcoin Core en segundo plano (usa `bitcoin-cli stop` para detenerlo): + +`bitcoind -daemon` + +- Inicia el daemon Bitcoin Core en una red específica: + +`bitcoind -chain={{main|test|signet|regtest}}` + +- Inicia el daemon Bitcoin Core usando un archivo de configuración y directorio de datos específicos: + +`bitcoind -conf={{ruta/a/bitcoin.conf}} -datadir={{ruta/a/directorio}}` diff --git a/pages.es/common/bmptoppm.md b/pages.es/common/bmptoppm.md new file mode 100644 index 000000000..8e2faf051 --- /dev/null +++ b/pages.es/common/bmptoppm.md @@ -0,0 +1,8 @@ +# bmptoppm + +> Este comando es reemplazado por `bmptopnm`. +> Más información: . + +- Ve documentación del comando actual: + +`tldr bmptopnm` diff --git a/pages.es/common/bpkg.md b/pages.es/common/bpkg.md new file mode 100644 index 000000000..3d7c13360 --- /dev/null +++ b/pages.es/common/bpkg.md @@ -0,0 +1,28 @@ +# bpkg + +> Un gestor de paquetes para scripts Bash. +> Más información: . + +- Actualiza el índice local: + +`bpkg update` + +- Instala un paquete globalmente: + +`bpkg install --global {{paquete}}` + +- Instala un paquete en un subdirectorio del directorio actual: + +`bpkg install {{paquete}}` + +- Instala una versión específica de un paquete de forma global: + +`bpkg install {{paquete}}@{{versión}} -g` + +- Muestra detalles sobre un paquete específico: + +`bpkg show {{paquete}}` + +- Ejecuta un comando, especificando opcionalmente sus argumentos: + +`bpkg run {{comando}} {{argumento1 argumento2 ...}}` diff --git a/pages.es/common/bpytop.md b/pages.es/common/bpytop.md index 305f289de..6472061bd 100644 --- a/pages.es/common/bpytop.md +++ b/pages.es/common/bpytop.md @@ -1,28 +1,29 @@ # bpytop -> Muestra información en tiempo real sobre procesos ejecutándose, con gráficos. Similar a `gtop` y `htop`. +> Un monitor de recursos que muestra información sobre el CPU, la memoria, los discos, las redes y los procesos. +> Una versión de `bashtop` en Python. > Más información: . -- Inicia bpytop: +- Inicia `bpytop`: `bpytop` -- Inicia en modo mínimalista sin recuadros de memoria y redes: +- Inicia en el modo mínimo sin los recuadros de memoria y redes: `bpytop -m` +- Cambia a el modo mínimo: + +`m` + +- Busca procesos o programas en ejecución: + +`f` + +- Cambia los ajustes: + +`M` + - Muestra la versión: `bpytop -v` - -- Cambia a modo minimalista: - -`m` - -- Busca procesos o programas ejecutándose: - -`f` - -- Cambia ajustes: - -`M` diff --git a/pages.es/common/bru.md b/pages.es/common/bru.md index a5ed85d2f..21801ba51 100644 --- a/pages.es/common/bru.md +++ b/pages.es/common/bru.md @@ -1,7 +1,7 @@ # bru > CLI para Bruno, un IDE de código abierto para explorar y probar APIs. -> Más información: . +> Más información: . - Ejecuta todos los archivos de petición en el directorio actual: diff --git a/pages.es/common/cat.md b/pages.es/common/cat.md index 5d6724f39..ebe241b0c 100644 --- a/pages.es/common/cat.md +++ b/pages.es/common/cat.md @@ -1,16 +1,24 @@ # cat > Imprime y concatena archivos. -> Más información: . +> Más información: . -- Imprime el contenido de un archivo por la salida estándar: +- Imprime el contenido de un fichero a `stdout`: -`cat {{archivo}}` +`cat {{ruta/al/archivo}}` -- Concatena múltiples archivos dentro de un archivo determinado: +- Concatena varios archivos en un archivo de salida: -`cat {{archivo1 archivo2 ...}} > {{archivo_final}}` +`cat {{ruta/al/archivo1 ruta/al/archivo2 ...}} > {{ruta/al/archivo_salida}}` -- Añade múltiples archivos dentro de un archivo determinado: +- Añade el contenido de varios archivos a un archivo de salida: -`cat {{archivo1 archivo2 ...}} >> {{archivo_final}}` +`cat {{ruta/al/archivo1 ruta/al/archivo2 ...}} >> {{ruta/al/archivo_salida}}` + +- Copia el contenido de un archivo en un archivo de salida sin almacenamiento en el búfer: + +`cat -u {{/dev/tty12}} > {{/dev/tty13}}` + +- Copia `stdin` en un archivo: + +`cat - > {{ruta/al/archivo}}` diff --git a/pages.es/linux/chatgpt.md b/pages.es/common/chatgpt.md similarity index 100% rename from pages.es/linux/chatgpt.md rename to pages.es/common/chatgpt.md diff --git a/pages.es/common/cjxl.md b/pages.es/common/cjxl.md new file mode 100644 index 000000000..262b4eff1 --- /dev/null +++ b/pages.es/common/cjxl.md @@ -0,0 +1,17 @@ +# cjxl + +> Comprime imágenes a JPEG XL. +> Las extensiones de entrada aceptadas son PNG, APNG, GIF, JPEG, EXR, PPM, PFM, PAM, PGX y JXL. +> Más información: . + +- Convierte una imagen a JPEG XL: + +`cjxl {{ruta/a/imagen.ext}} {{ruta/a/salida.jxl}}` + +- Ajusta la calidad a sin pérdidas y maximiza la compresión de la imagen resultante: + +`cjxl --distance 0 --effort 9 {{ruta/a/imagen.ext}} {{ruta/a/salida.jxl}}` + +- Muestra una página de ayuda muy detallada: + +`cjxl --help --verbose --verbose --verbose --verbose` diff --git a/pages.es/common/codecrafters.md b/pages.es/common/codecrafters.md new file mode 100644 index 000000000..7b6f4aeb8 --- /dev/null +++ b/pages.es/common/codecrafters.md @@ -0,0 +1,16 @@ +# codecrafters + +> Practica escribiendo software complejo. +> Más información: . + +- Ejecuta pruebas sin confirmar cambios: + +`codecrafters test` + +- Ejecuta pruebas para todas las etapas anteriores y la etapa actual sin confirmar los cambios: + +`codecrafters test --previous` + +- Confirma los cambios y los envía, para pasar a la siguiente fase: + +`codecrafters submit` diff --git a/pages.es/common/colima.md b/pages.es/common/colima.md new file mode 100644 index 000000000..3c6503c2e --- /dev/null +++ b/pages.es/common/colima.md @@ -0,0 +1,36 @@ +# colima + +> Contenedores en tiempo de ejecución para macOS y Linux con una configuración mínima. +> Más información: . + +- Inicia el daemon en segundo plano: + +`colima start` + +- Crea un archivo de configuración y lo usa: + +`colima start --edit` + +- Inicia y configura containerd (instala `nerdctl` para usar containerd a través de `nerdctl`): + +`colima start --runtime containerd` + +- Inicia con Kubernetes (se requiere `kubectl`): + +`colima start --kubernetes` + +- Personaliza el recuento de CPU, memoria RAM y espacio en disco (en GiB): + +`colima start --cpu {{número}} --memory {{memoria}} --disk {{espacio_de_almacenamiento}}` + +- Usa Docker a través de Colima (se requiere Docker): + +`colima start` + +- Lista contenedores con su información y estado: + +`colima list` + +- Muestra estado de tiempo de ejecución: + +`colima status` diff --git a/pages.es/common/crackle.md b/pages.es/common/crackle.md new file mode 100644 index 000000000..9b301e546 --- /dev/null +++ b/pages.es/common/crackle.md @@ -0,0 +1,16 @@ +# crackle + +> Crackea y descifra el cifrado Bluetooth Low Energy (BLE). +> Más información: . + +- Comprueba si las comunicaciones BLE grabadas contienen los paquetes necesarios para recuperar claves temporales (TKs): + +`crackle -i {{ruta/a/entrada.pcap}}` + +- Utiliza la fuerza bruta para recuperar la TK de los eventos de emparejamiento registrados y la utiliza para descifrar todas las comunicaciones posteriores: + +`crackle -i {{ruta/a/entrada.pcap}} -o {{ruta/a/desencriptado.pcap}}` + +- Utiliza la clave a largo plazo (LTK) especificada para descifrar la comunicación grabada: + +`crackle -i {{ruta/a/entrada.pcap}} -o {{ruta/a/descifrar.pcap}} -l {{81b06facd90fe7a6e9bbd9cee59736a7}}` diff --git a/pages.es/common/cut.md b/pages.es/common/cut.md index c44b1b0c2..066aff17c 100644 --- a/pages.es/common/cut.md +++ b/pages.es/common/cut.md @@ -5,12 +5,12 @@ - Imprime un rango específico de caracteres/campos de cada línea: -`{{comando}} | cut --{{characters|field}}={{1|1,10|1-10|1-|-10}}` +`{{comando}} | cut --{{characters|field}} {{1|1,10|1-10|1-|-10}}` - Imprime un rango de campos de cada línea con un delimitador específico: -`{{comando}} | cut --delimiter="{{,}}" --fields={{1}}` +`{{comando}} | cut --delimiter "{{,}}" --fields {{1}}` - Imprime un rango de caracteres de cada línea de un archivo específico: -`cut --characters={{1}} {{ruta/al/archivo}}` +`cut --characters {{1}} {{ruta/al/archivo}}` diff --git a/pages.es/common/cypher-shell.md b/pages.es/common/cypher-shell.md new file mode 100644 index 000000000..ef3cd81ee --- /dev/null +++ b/pages.es/common/cypher-shell.md @@ -0,0 +1,33 @@ +# cypher-shell + +> Abre una sesión interactiva y ejecuta consultas Cypher contra una instancia Neo4j. +> Vea también: `neo4j-admin`, `mysql`. +> Más información: . + +- Conéctate a una instancia local en el puerto por defecto (`neo4j://localhost:7687`): + +`cypher-shell` + +- Conéctate a una instancia remota: + +`cypher-shell --address neo4j://{{host}}:{{puerto}}` + +- Conéctate y proporciona credenciales de seguridad: + +`cypher-shell --username {{nombre_de_usuario}} --password {{contraseña}}` + +- Conéctate a una base de datos específica: + +`cypher-shell --database {{nombre_base_de_datos}}` + +- Ejecuta sentencias Cypher en un archivo y lo cierra: + +`cypher-shell --file {{ruta/al/archivo.cypher}}` + +- Activa el registro en un archivo: + +`cypher-shell --log {{ruta/al/archivo.log}}` + +- Muestra ayuda: + +`cypher-shell --help` diff --git a/pages.es/common/d2.md b/pages.es/common/d2.md new file mode 100644 index 000000000..9f31f504b --- /dev/null +++ b/pages.es/common/d2.md @@ -0,0 +1,29 @@ +# d2 + +> Un lenguaje moderno de scripting de diagramas que convierte texto en diagramas. +> Nota: el archivo de salida admite formatos de archivo SVG y PNG. +> Más información: . + +- Compila y renderiza un archivo fuente D2 en un archivo de salida: + +`d2 {{ruta/al/archivo_de_entrada.d2}} {{ruta/al/archivo_de_salida.ext}}` + +- Ve en directo los cambios realizados en un archivo fuente D2 en el navegador web predeterminado: + +`d2 --watch {{ruta/al/archivo_de_entrada.d2}} {{ruta/al/archivo_de_salida.ext}}` + +- Formatea un archivo fuente D2: + +`d2 fmt {{ruta/al/archivo_de_entrada.d2}}` + +- Lista los temas disponibles: + +`d2 themes` + +- Usa un [t]ema diferente para el archivo de salida (primero enumera los temas disponibles para obtener el `theme_id` deseado): + +`d2 --theme {{identificador_tema}} {{ruta/al/archivo_de_entrada.d2}} {{ruta/al/archivo_de_salida.ext}}` + +- Haz que los diagramas renderizados parezcan bocetos hechos a mano: + +`d2 --sketch true {{ruta/al/archivo_de_entrada.d2}} {{ruta/al/archivo_de_salida.ext}}` diff --git a/pages.es/common/devenv.md b/pages.es/common/devenv.md new file mode 100644 index 000000000..74a677410 --- /dev/null +++ b/pages.es/common/devenv.md @@ -0,0 +1,28 @@ +# devenv + +> Entornos de desarrollo rápidos, declarativos, reproducibles y componibles utilizando Nix. +> Más información: . + +- Inicializa el entorno: + +`devenv init` + +- Entra en el entorno de desarrollo con hermeticidad relajada (estado de ser hermético): + +`devenv shell --impure` + +- Obtén información detallada sobre el entorno actual: + +`devenv info --verbose` + +- Inicia procesos con `devenv`: + +`devenv up --config /{{archivo}}/{{ruta}}/` + +- Limpia las variables de entorno y vuelve a entrar en el intérprete de comandos en el modo sin conexión: + +`devenv --clean --offline` + +- Borra las generaciones anteriores del intérprete de comandos: + +`devenv gc` diff --git a/pages.es/common/diff.md b/pages.es/common/diff.md new file mode 100644 index 000000000..7bf58482e --- /dev/null +++ b/pages.es/common/diff.md @@ -0,0 +1,36 @@ +# diff + +> Compara archivos y directorios. +> Más información: . + +- Compara archivos (lista los cambios para convertir `archivo_viejo` en `archivo_nuevo`): + +`diff {{archivo_viejo}} {{archivo_nuevo}}` + +- Compara archivos, ignorando los espacios en blanco: + +`diff {{-w|--ignore-all-space}} {{archivo_viejo}} {{archivo_nuevo}}` + +- Compara archivos, mostrando las diferencias lado a lado: + +`diff {{-y|--side-by-side}} {{archivo_viejo}} {{archivo_nuevo}}` + +- Compara archivos, mostrando las diferencias en formato unificado (como el que usa `git diff`): + +`diff {{-u|--unified}} {{archivo_viejo}} {{archivo_nuevo}}` + +- Compara directorios de forma recursiva (muestra los nombres de los archivos/directorios que difieran y los cambios realizados en los archivos): + +`diff {{-r|--recursive}} {{directorio_viejo}} {{directorio_nuevo}}` + +- Compara directorios, mostrando solo los nombres de los archivos que difieren: + +`diff {{-r|--recursive}} {{-q|--brief}} {{directorio_viejo}} {{directorio_nuevo}}` + +- Crea un archivo de revisión para Git a partir de las diferencias entre dos archivos de texto, tratando los archivos inexistentes como vacíos: + +`diff {{-a|--text}} {{-u|--unified}} {{-N|--new-file}} {{archivo_viejo}} {{archivo_nuevo}} > {{diff.patch}}` + +- Compara archivos, mostrando la salida en color y se esfuerza por encontrar el conjunto más pequeño de cambios: + +`diff {{-d|--minimal}} --color=always {{archivo_viejo}} {{archivo_nuevo}}` diff --git a/pages.es/common/difft.md b/pages.es/common/difft.md new file mode 100644 index 000000000..549d74336 --- /dev/null +++ b/pages.es/common/difft.md @@ -0,0 +1,33 @@ +# difft + +> Compara archivos o directorios en base de la sintaxis del lenguaje de programación. +> Vea también: `delta`, `diff`. +> Más información: . + +- Compara dos archivos o directorios: + +`difft {{ruta/al/archivo_o_directorio1}} {{ruta/al/archivo_o_directorio2}}` + +- Informa únicamente diferencias entre los archivos: + +`difft --check-only {{ruta/al/archivo1}} {{ruta/al/archivo2}}` + +- Especifica el modo de visualización (por defecto es `side-by-side`): + +`difft --display {{side-by-side|side-by-side-show-both|inline|json}} {{ruta/al/archivo1}} {{ruta/al/archivo2}}` + +- Ignora comentarios al comparar: + +`difft --ignore-comments {{ruta/al/archivo1}} {{ruta/al/archivo2}}` + +- Activa o desactiva el resaltado sintáctico del código fuente (por defecto está activado): + +`difft --syntax-highlight {{on|off}} {{ruta/al/archivo1}} {{ruta/al/archivo2}}` + +- Silenciosamente omite los archivos que no hayan cambiado: + +`difft --skip-unchanged {{ruta/al/archivo_o_directorio1}} {{ruta/al/archivo_o_directorio2}}` + +- Lista todos los lenguajes de programación soportados por la herramienta, junto con sus extensiones: + +`difft --list-languages` diff --git a/pages.es/common/djxl.md b/pages.es/common/djxl.md new file mode 100644 index 000000000..fe2a026d2 --- /dev/null +++ b/pages.es/common/djxl.md @@ -0,0 +1,13 @@ +# djxl + +> Descomprime imágenes JPEG XL. +> Las extensiones de salida aceptadas son PNG, APNG, JPEG, EXR, PGM, PPM, PNM, PFM, PAM, EXIF, XMP y JUMBF. +> Más información: . + +- Descomprime una imagen JPEG XL a otro formato: + +`djxl {{ruta/a/imagen.jxl}} {{ruta/a/salida.ext}}` + +- Muestra una página de ayuda muy detallada: + +`djxl --help --verbose --verbose --verbose --verbose` diff --git a/pages.es/common/dnsx.md b/pages.es/common/dnsx.md new file mode 100644 index 000000000..e0c5dba3f --- /dev/null +++ b/pages.es/common/dnsx.md @@ -0,0 +1,38 @@ +# dnsx + +> Un equipo de herramientas de DNS rápido y multipropósito para ejecutar múltiples consultas DNS. +> Nota: la entrada a `dnsx` necesita ser pasada a través de `stdin` (tubería `|`) en algunos casos. +> Ver también: `dig`, `dog`, `dnstracer`. +> Más información: . + +- Consulta el registro A de un subdominio y muestra la [re]spuesta recibida: + +`echo {{ejemplo.com}} | dnsx -a -re` + +- Consulta todos los registros DNS (A, AAAA, CNAME, NS, TXT, SRV, PTR, MX, SOA, AXFR y CAA): + +`dnsx -recon -re <<< {{ejemplo.com}}` + +- Consulta un tipo específico de registro DNS: + +`echo {{ejemplo.com}} | dnsx -re -{{a|aaaa|cname|ns|txt|srv|ptr|mx|soa|any|axfr|caa}}` + +- Muestra s[o]lo la [r]espuesta (no muestra el dominio o subdominio consultado): + +`echo {{ejemplo.com}} | dnsx -ro` + +- Muestra la respuesta sin procesar una consulta, especificando los solucionado[r]es a utilizar y el número de intentos en caso de haber errores: + +`echo {{ejemplo.com}} | dnsx -{{debug|raw}} -resolver {{1.1.1.1,8.8.8.8,...}} -retry {{número}}` + +- Aplica fuerza bruta a registros DNS utilizando un marcador de posición: + +`dnsx -domain {{FUZZ.ejemplo.com}} -wordlist {{ruta/a/lista_de_palabras.txt}} -re` + +- Aplica fuerza bruta a registros DNS a partir de una lista de [d]ominios y listas de palabras, adjuntando la salida a un archivo sin códigos de [c]olor: + +`dnsx -domain {{ruta/a/dominio.txt}} -wordlist {{ruta/a/lista_de_palabras.txt}} -re -output {{ruta/a/salida.txt}} -no-color` + +- Extrae registros `CNAME` desde una lista de subdominios, con una velocidad [l]ímite de consultas DNS por segundo: + +`subfinder -silent -d {{ejemplo.com}} | dnsx -cname -re -rl {{número}}` diff --git a/pages.es/common/docker-compose.md b/pages.es/common/docker-compose.md index 862fcadcf..108863e20 100644 --- a/pages.es/common/docker-compose.md +++ b/pages.es/common/docker-compose.md @@ -1,7 +1,7 @@ # docker compose -> Ejecuta y gestiona aplicaciones docker multicontenedor. -> Más información: . +> Ejecuta y gestiona aplicaciones Docker multicontenedor. +> Más información: . - Lista todos los contenedores en ejecución: diff --git a/pages.es/common/doggo.md b/pages.es/common/doggo.md new file mode 100644 index 000000000..0d705d3b5 --- /dev/null +++ b/pages.es/common/doggo.md @@ -0,0 +1,25 @@ +# doggo + +> Cliente DNS para Humanos. +> Escrito en Golang. +> Más información: . + +- Realiza una simple búsqueda DNS: + +`doggo {{example.com}}` + +- Consulta registros MX usando un servidor de nombres específico: + +`doggo MX {{codeberg.org}} @{{1.1.1.2}}` + +- Utiliza DNS sobre HTTPS: + +`doggo {{example.com}} @{{https://dns.quad9.net/dns-query}}` + +- Salida en formato JSON: + +`doggo {{example.com}} --json | jq '{{.responses[0].answers[].address}}'` + +- Realiza una búsqueda DNS inversa: + +`doggo --reverse {{8.8.4.4}} --short` diff --git a/pages.es/common/dolt-gc.md b/pages.es/common/dolt-gc.md new file mode 100644 index 000000000..4423667ff --- /dev/null +++ b/pages.es/common/dolt-gc.md @@ -0,0 +1,12 @@ +# dolt gc + +> Busca en el repositorio los datos que ya no se referencian ni necesitan. +> Más información: . + +- Limpia datos no referenciados del repositorio: + +`dolt gc` + +- Inicia un proceso de recolección de basura más rápido pero menos exhaustivo: + +`dolt gc --shallow` diff --git a/pages.es/common/doppler.md b/pages.es/common/doppler.md new file mode 100644 index 000000000..e477640a3 --- /dev/null +++ b/pages.es/common/doppler.md @@ -0,0 +1,29 @@ +# doppler + +> Gestiona variables de entorno a través de diferentes entornos usando Doppler. +> Algunos subcomandos como `doppler run` y `doppler secrets` tienen su propia documentación de uso. +> Más información: . + +- Configura Doppler CLI en el directorio actual: + +`doppler setup` + +- Configura el proyecto Doppler y la configuración en el directorio actual: + +`doppler setup` + +- Ejecuta un comando con secretos inyectados en el entorno: + +`doppler run --command {{comando}}` + +- Visualiza la lista de proyectos: + +`doppler projects` + +- Visualiza los secretos del proyecto actual: + +`doppler secrets` + +- Abre el panel de control de doppler en el navegador: + +`doppler open` diff --git a/pages.es/common/fclones.md b/pages.es/common/fclones.md new file mode 100644 index 000000000..a3c760a18 --- /dev/null +++ b/pages.es/common/fclones.md @@ -0,0 +1,32 @@ +# fclones + +> Eficaz buscador y eliminador de archivos duplicados. +> Más información: . + +- Busca ficheros duplicados en el directorio actual: + +`fclones group .` + +- Busca archivos duplicados en varios directorios y almacena los resultados en la caché: + +`fclones group --cache {{ruta/a/directorio1 ruta/a/directorio2}}` + +- Busca archivos duplicados solo en el directorio especificado, omitiendo los subdirectorios y guarda los resultados en un archivo: + +`fclones group {{ruta/a/directorio}} --depth 1 > {{ruta/al/archivo.txt}}` + +- Mueve los archivos duplicados en un archivo de texto a un directorio diferente: + +`fclones move {{ruta/a/directorio_objetivo}} < {{ruta/al/archivo.txt}}` + +- Simula un enlace simbólico a un archivo de texto sin realmente enlazarlo: + +`fclones link --soft < {{ruta/al/archivo.txt}} --dry-run 2> /dev/null` + +- Elimina los archivos duplicados más recientes en el directorio actual sin almacenarlos en un archivo: + +`fclones group . | fclones remove --priority newest` + +- Preprocesa los archivos JPEG en el directorio actual utilizando un comando externo para eliminar sus datos EXIF antes de buscar duplicados: + +`fclones group . --name '*.jpg' -i --transform 'exiv2 -d a $IN' --in-place` diff --git a/pages.es/common/figlet.md b/pages.es/common/figlet.md index bbc0ca7d0..5bf77a8fa 100644 --- a/pages.es/common/figlet.md +++ b/pages.es/common/figlet.md @@ -1,21 +1,33 @@ # figlet > Genera encabezados usando caracteres ASCII desde la entrada del usuario. -> Véase también `showfigfonts`. +> Vea también `showfigfonts`. > Más información: . - Genera el encabezado directamente introduciendo el texto: `figlet {{texto_de_entrada}}` -- Usa un archivo de fuente personalizada: +- Usa un archivo de [f]uente personalizada: `figlet {{texto_de_entrada}} -f {{ruta/al/archivo_de_fuente.flf}}` -- Use una fuente del directorio predeterminado (la extensión puede ser omitida): +- Usa una [f]uente del directorio predeterminado (la extensión puede ser omitida): `figlet {{texto_de_entrada}} -f {{archivo_de_fuente}}` -- Redirige la salida de un comando hacia figlet: +- Redirige la salida de un comando hacia FIGlet: `{{comando}} | figlet` + +- Muestra las fuentes de FIGlet disponibles: + +`showfigfonts {{texto_opcional_para_mostrar}}` + +- Utiliza el ancho total del [t]erminal y [c]entra el texto de entrada: + +`figlet -t -c {{texto_de_entrada}}` + +- Muestra todos los caracteres utilizando todo su ancho para evitar traslapes: + +`figlet -W {{input_text}}` diff --git a/pages.es/common/fossil-delete.md b/pages.es/common/fossil-delete.md index ae6c3a230..c97ead3d6 100644 --- a/pages.es/common/fossil-delete.md +++ b/pages.es/common/fossil-delete.md @@ -1,4 +1,4 @@ -# fossil-delete +# fossil delete > Este comando es un alias de `fossil rm`. > Más información: . diff --git a/pages.es/common/fossil-forget.md b/pages.es/common/fossil-forget.md index b29366af4..ea55390e8 100644 --- a/pages.es/common/fossil-forget.md +++ b/pages.es/common/fossil-forget.md @@ -1,4 +1,4 @@ -# fossil-forget +# fossil forget > Este comando es un alias de `fossil rm`. > Más información: . diff --git a/pages.es/common/fossil-new.md b/pages.es/common/fossil-new.md index 5c7ef68b3..b012c64b6 100644 --- a/pages.es/common/fossil-new.md +++ b/pages.es/common/fossil-new.md @@ -1,6 +1,6 @@ -# fossil-new +# fossil new -> Este comando es un alias de `fossil-init`. +> Este comando es un alias de `fossil init`. > Más información: . - Muestra la documentación del comando original: diff --git a/pages.es/common/frp.md b/pages.es/common/frp.md new file mode 100644 index 000000000..5aec33a22 --- /dev/null +++ b/pages.es/common/frp.md @@ -0,0 +1,12 @@ +# frp + +> Fast Reverse Proxy: configura rápidamente túneles de red para exponer determinados servicios a Internet o a otras redes externas. +> Más información: . + +- Vea documentación de `frpc`, el componente cliente `frp`: + +`tldr frpc` + +- Vea documentación de `frps`, el componente servidor `frp`: + +`tldr frps` diff --git a/pages.es/common/frpc.md b/pages.es/common/frpc.md new file mode 100644 index 000000000..56068f223 --- /dev/null +++ b/pages.es/common/frpc.md @@ -0,0 +1,29 @@ +# frpc + +> Conéctate a un servidor `frps` para iniciar conexiones proxy en el host actual. +> Parte de `frp`. +> Más información: . + +- Inicia el servicio, utilizando el archivo de configuración por defecto (se supone que es `frps.ini` en el directorio actual): + +`frpc` + +- Inicia el servicio, utilizando el nuevo archivo de configuración TOML (`frps.toml` en lugar de `frps.ini`) en el directorio actual: + +`frpc {{-c|--config}} ./frps.toml` + +- Inicia el servicio, utilizando un archivo de configuración específico: + +`frpc {{-c|--config}} {{ruta/al/archivo}}` + +- Comprueba si el archivo de configuración es válido: + +`frpc verify {{-c|--config}} {{ruta/al/archivo}}` + +- Imprime script de configuración de autocompletado para Bash, fish, PowerShell o Zsh: + +`frpc completion {{bash|fish|powershell|zsh}}` + +- Muestra versión: + +`frpc {{-v|--version}}` diff --git a/pages.es/common/frps.md b/pages.es/common/frps.md new file mode 100644 index 000000000..52e5ecdcf --- /dev/null +++ b/pages.es/common/frps.md @@ -0,0 +1,29 @@ +# frps + +> Configura rápidamente un servicio de proxy inverso. +> Parte de `frp`. +> Más información: . + +- Inicia el servicio, utilizando el archivo de configuración por defecto (se supone que es `frps.ini` en el directorio actual): + +`frps` + +- Inicia el servicio, utilizando el nuevo archivo de configuración TOML (`frps.toml` en lugar de `frps.ini`) en el directorio actual: + +`frps {{-c|--config}} ./frps.toml` + +- Inicia el servicio, utilizando un archivo de configuración especificado: + +`frps {{-c|--config}} {{ruta/al/archivo}}` + +- Comprueba si el archivo de configuración es válido: + +`frps verify {{-c|--config}} {{ruta/al/archivo}}` + +- Imprime script de configuración de autocompletado para Bash, fish, PowerShell o Zsh: + +`frps completion {{bash|fish|powershell|zsh}}` + +- Muestra versión: + +`frps {{-v|--version}}` diff --git a/pages.es/common/gau.md b/pages.es/common/gau.md new file mode 100644 index 000000000..c05ce81b2 --- /dev/null +++ b/pages.es/common/gau.md @@ -0,0 +1,32 @@ +# gau + +> Obtén todas las URLs: obtén las URLs conocidas de Open Threat Exchange de AlienVault, Wayback Machine y Common Crawl para cualquier dominio. +> Más información: . + +- Obtén todas las URLs de un dominio de Open Threat Exchange de AlienVault, Wayback Machine, Common Crawl y URLScan: + +`gau {{ejemplo.com}}` + +- Obtén URLs de varios dominios: + +`gau {{dominio1 dominio2 ...}}` + +- Obtén todas las URLs de varios dominios en un archivo de entrada, ejecutando varios subprocesos: + +`gau --threads {{4}} < {{ruta/a/dominios.txt}}` + +- Escribe los resultados en un archivo: + +`gau {{ejemplo.com}} --o {{ruta/a/urls_encontradas.txt}}` + +- Busca las URLs de un solo proveedor específico: + +`gau --providers {{wayback|commoncrawl|otx|urlscan}} {{ejemplo.com}}` + +- Busca las URLs de varios proveedores: + +`gau --providers {{wayback,otx,...}} {{ejemplo.com}}` + +- Busca las URLs dentro de un intervalo de fechas específico: + +`gau --from {{AAAAMM}} --to {{YYYYMM}} {{ejemplo.com}}` diff --git a/pages.es/common/gdown.md b/pages.es/common/gdown.md new file mode 100644 index 000000000..1a63c85ee --- /dev/null +++ b/pages.es/common/gdown.md @@ -0,0 +1,24 @@ +# gdown + +> Descarga archivos desde Google Drive y otras URLs. +> Más información: . + +- Descarga un archivo desde una URL: + +`gdown {{url}}` + +- Descarga usando un ID de archivo: + +`gdown {{id_de_archivo}}` + +- Descarga con extracción de ID de archivo difuso (también funciona con enlaces ): + +`gdown --fuzzy {{url}}` + +- Descarga una carpeta utilizando su ID o la URL completa: + +`gdown {{id_de_carpeta|url}} -O {{ruta/a/directorio_de_salida}} --folder` + +- Descarga un archivo tar, escríbelo en `stdout` y extráelo: + +`gdown {{tar_url}} -O - --quiet | tar xvf -` diff --git a/pages.es/common/gh-cs.md b/pages.es/common/gh-cs.md index 30d9a5052..f730680d7 100644 --- a/pages.es/common/gh-cs.md +++ b/pages.es/common/gh-cs.md @@ -1,6 +1,6 @@ -# gh-cs +# gh cs -> Este comando es un alias de `gh-codespace`. +> Este comando es un alias de `gh codespace`. > Más información: . - Muestra la documentación del comando original: diff --git a/pages.es/common/git-am.md b/pages.es/common/git-am.md index 84a0df040..9eccd24ed 100644 --- a/pages.es/common/git-am.md +++ b/pages.es/common/git-am.md @@ -1,13 +1,17 @@ # git am > Aplica archivos de parche. Útil cuando se reciben commits por correo electrónico. -> Véase también `git format-patch`, comando que genera archivo de parche. +> Vea también `git format-patch`, comando que genera archivos de parche. > Más información: . - Aplica un archivo de parche: `git am {{ruta/al/archivo.patch}}` +- Aplica un archivo de parche remoto: + +`curl -L {{https://ejemplo.com/file.patch}} | git apply` + - Aborta el proceso de aplicar un archivo de parche: `git am --abort` diff --git a/pages.es/common/git-bundle.md b/pages.es/common/git-bundle.md new file mode 100644 index 000000000..30bbab331 --- /dev/null +++ b/pages.es/common/git-bundle.md @@ -0,0 +1,36 @@ +# git bundle + +> Empaqueta objetos y referencias en un archivo. +> Más información: . + +- Crea un archivo bundle que contiene todos los objetos y referencias de una rama específica: + +`git bundle create {{ruta/al/archivo.bundle}} {{nombre_rama}}` + +- Crea un archivo bundle de todas las ramas: + +`git bundle create {{ruta/al/archivo.bundle}} --all` + +- Crea un archivo bundle de los últimos 5 commits de la rama actual: + +`git bundle create {{ruta/al/archivo.bundle}} -{{5}} {{HEAD}}` + +- Crea un archivo bundle de los últimos 7 días: + +`git bundle create {{ruta/al/archivo.bundle}} --since={{7.days}} {{HEAD}}` + +- Verifica que un archivo bundle es válido y puede aplicarse al repositorio actual: + +`git bundle verify {{ruta/al/archivo.bundle}}` + +- Imprime en `stdout` la lista de referencias contenidas en un bundle: + +`git bundle unbundle {{ruta/al/archivo.bundle}}` + +- Desagrupa una rama específica de un archivo bundle en el repositorio actual: + +`git pull {{ruta/al/archivo.bundle}} {{nombre_rama}}` + +- Crea un nuevo repositorio a partir de un paquete: + +`git clone {{ruta/al/archivo.bundle}}` diff --git a/pages.es/common/git-checkout.md b/pages.es/common/git-checkout.md index e463789c4..017bda25e 100644 --- a/pages.es/common/git-checkout.md +++ b/pages.es/common/git-checkout.md @@ -23,7 +23,7 @@ `git checkout --track {{nombre_remoto}}/{{nombre_de_la_rama}}` -- Descarta todos los cambios sin marcar en el directorio actual (véase `git reset` para más comandos para deshacer): +- Descarta todos los cambios sin marcar en el directorio actual (vea `git reset` para más comandos para deshacer): `git checkout .` diff --git a/pages.es/common/git-cherry-pick.md b/pages.es/common/git-cherry-pick.md index 1f438e452..5fbb7ca76 100644 --- a/pages.es/common/git-cherry-pick.md +++ b/pages.es/common/git-cherry-pick.md @@ -8,13 +8,13 @@ `git cherry-pick {{confirmación}}` -- Aplica un rango de confirmaciones de la rama actual (véase también `git rebase --onto`): +- Aplica un rango de confirmaciones de la rama actual (vea también `git rebase --onto`): `git cherry-pick {{confirmación_inicial}}~..{{confirmación_final}}` - Aplica múltiples confirmaciones no secuenciales a la rama actual: -`git cherry-pick {{confirmación_1}} {{confirmación_2}}` +`git cherry-pick {{confirmación_1 confirmación_2 ...}}` - Añade los cambios de una confirmación al directorio de trabajo, sin crear una confirmación: diff --git a/pages.es/common/git-config.md b/pages.es/common/git-config.md index e34819068..c3569904d 100644 --- a/pages.es/common/git-config.md +++ b/pages.es/common/git-config.md @@ -4,15 +4,15 @@ > Estas configuraciones pueden ser locales (para el repositorio actual) o globales (para el usuario actual). > Más información: . -- Lista sólo las entradas de configuración local (almacenadas en `.git/config` en el repositorio actual): +- Establece globalmente tu nombre o correo electrónico (esta información es necesaria para hacer un commit en un repositorio y se incluirá en todos los commits): -`git config --list --local` +`git config --global {{user.name|user.email}} "{{Tu nombre|email@example.com}}"` -- Lista sólo las entradas de configuración global (almacenadas en `~/.gitconfig` por defecto o en `$XDG_CONFIG_HOME/git/config` si existe tal archivo): +- Lista las entradas de configuración local o global: -`git config --list --global` +`git config --list --{{local|global}}` -- Lista sólo las entradas de configuración del sistema (almacenadas en `/etc/gitconfig`), y muestra su ubicación: +- Lista sólo las entradas de configuración del sistema (almacenadas en `/etc/gitconfig`), y muestra la ubicación de dicho archivo: `git config --list --system --show-origin` @@ -28,10 +28,10 @@ `git config --global --unset alias.unstage` -- Edita la configuración de Git para el repositorio actual en el editor por defecto: +- Edita la configuración local de Git (`.git/config`) en el editor por defecto: `git config --edit` -- Edita la configuración global de Git en el editor por defecto: +- Edita la configuración global de Git (`~/.gitconfig` por defecto o `$XDG_CONFIG_HOME/git/config` si existe tal archivo) en el editor por defecto: `git config --global --edit` diff --git a/pages.es/common/git-format-patch.md b/pages.es/common/git-format-patch.md index 9fad43762..f16eafe21 100644 --- a/pages.es/common/git-format-patch.md +++ b/pages.es/common/git-format-patch.md @@ -1,7 +1,7 @@ # git format-patch > Prepara archivos .patch. Es útil cuando se envían commits por correo electrónico. -> Véase también `git-am`, comando que puede aplicar los archivos .patch generados. +> Vea también `git-am`, comando que puede aplicar los archivos .patch generados. > Más información: . - Crea un archivo `.patch` con nombre automático para todos los cambios que no están en el push: diff --git a/pages.es/common/git-init.md b/pages.es/common/git-init.md index c86b2caf3..08d92dcb1 100644 --- a/pages.es/common/git-init.md +++ b/pages.es/common/git-init.md @@ -15,6 +15,6 @@ `git init --object-format={{sha256}}` -- Inicializa un repositorio vacío, adecuado para usarlo como remoto a través de ssh: +- Inicializa un repositorio vacío, adecuado para usarlo como remoto a través de SSH: `git init --bare` diff --git a/pages.es/common/git-lfs.md b/pages.es/common/git-lfs.md index 58cea05ee..542e1668b 100644 --- a/pages.es/common/git-lfs.md +++ b/pages.es/common/git-lfs.md @@ -1,7 +1,7 @@ # git lfs > Trabaja con archivos grandes en repositorios de Git. -> Más información: . +> Más información: . - Inicializa Git LFS: diff --git a/pages.es/common/git-mktree.md b/pages.es/common/git-mktree.md new file mode 100644 index 000000000..119ded430 --- /dev/null +++ b/pages.es/common/git-mktree.md @@ -0,0 +1,24 @@ +# git mktree + +> Construye un objeto árbol usando texto formateado `ls-tree`. +> Más información: . + +- Construye un objeto árbol y verifica que el hash de cada entrada del árbol identifica un objeto existente: + +`git mktree` + +- Permite que falten objetos: + +`git mktree --missing` + +- Lee la salida terminada en NUL (carácter cero) del objeto árbol (`ls-tree -z`): + +`git mktree -z` + +- Permite la creación de múltiples objetos árbol: + +`git mktree --batch` + +- Ordena y construye un árbol a partir de `stdin` (se requiere un formato de salida de `git ls-tree` no recursivo): + +`git mktree < {{ruta/a/árbol.txt}}` diff --git a/pages.es/common/git-restore.md b/pages.es/common/git-restore.md index c447db7c4..92eadd24c 100644 --- a/pages.es/common/git-restore.md +++ b/pages.es/common/git-restore.md @@ -1,7 +1,7 @@ # git restore > Restaura los archivos del árbol de trabajo. Requiere la version 2.23+ de Git. -> Véase también `git checkout` y `git reset`. +> Vea también `git checkout` y `git reset`. > Más información: . - Restaura un archivo sin marcar a la versión de la confirmación actual (HEAD): diff --git a/pages.es/common/git-switch.md b/pages.es/common/git-switch.md index ad2dc40e2..3df43a597 100644 --- a/pages.es/common/git-switch.md +++ b/pages.es/common/git-switch.md @@ -1,7 +1,7 @@ # git switch > Alterna entre ramas Git. Requiere una versión 2.23+ de Git. -> Véase también `git checkout`. +> Vea también `git checkout`. > Más información: . - Cambia a una rama existente: diff --git a/pages.es/common/git.md b/pages.es/common/git.md index f2cf764b8..4a06034a3 100644 --- a/pages.es/common/git.md +++ b/pages.es/common/git.md @@ -1,21 +1,9 @@ # git > Sistema de control de versiones distribuido. -> Algunos subcomandos, como `commit`, `add`, `branch`, `checkout`, `push`, etc., tienen su propia documentación de uso, accessible a través de `tldr git subcomando`. +> Algunos subcomandos como `commit`, `add`, `branch`, `checkout`, `push`, etc., tienen su propia documentación de uso. > Más información: . -- Muestra la versión de Git: - -`git --version` - -- Muestra ayuda general: - -`git --help` - -- Muestra ayuda sobre un subcomando de Git (como `clone`, `add`, `push`, `log`, etc.): - -`git help {{subcomando}}` - - Ejecuta un subcomando de Git: `git {{subcomando}}` @@ -24,6 +12,18 @@ `git -C {{ruta/al/repositorio}} {{subcomando}}` -- Ejecuta un subcomando de Git con la configuración definida: +- Ejecuta un subcomando de Git con configuración personalizada: `git -c '{{config.clave}}={{valor}}' {{subcomando}}` + +- Muestra ayuda general: + +`git --help` + +- Muestra ayuda sobre un subcomando de Git (p. ej., `clone`, `add`, `push`, `log`, etc.): + +`git help {{subcomando}}` + +- Muestra la versión: + +`git --version` diff --git a/pages.es/common/gitleaks.md b/pages.es/common/gitleaks.md new file mode 100644 index 000000000..2012d47a9 --- /dev/null +++ b/pages.es/common/gitleaks.md @@ -0,0 +1,32 @@ +# gitleaks + +> Detecta secretos y claves API filtradas en repositorios Git. +> Más información: . + +- Escanea un repositorio remoto: + +`gitleaks detect --repo-url {{https://github.com/nombre_usuario/repositorio.git}}` + +- Escanea un directorio local: + +`gitleaks detect --source {{ruta/al/repositorio}}` + +- Crea un archivo JSON con los resultados del análisis: + +`gitleaks detect --source {{ruta/al/repositorio}} --report {{ruta/a/informe.json}}` + +- Utiliza un archivo de reglas personalizado: + +`gitleaks detect --source {{ruta/al/repositorio}} --config-path {{ruta/a/archivo_de_configuración.toml}}` + +- Inicia la búsqueda a partir de una confirmación específica: + +`gitleaks detect --source {{ruta/al/repositorio}} --log-opts {{--since=identificador_confirmación}}` + +- Escanea cambios no confirmados antes de una confirmación: + +`gitleaks protect --staged` + +- Muestra información detallada que indica que partes se identificaron como fugas durante el análisis: + +`gitleaks protect --staged --verbose` diff --git a/pages.es/common/gleam.md b/pages.es/common/gleam.md new file mode 100644 index 000000000..6b71aba7d --- /dev/null +++ b/pages.es/common/gleam.md @@ -0,0 +1,36 @@ +# gleam + +> El compilador, la herramienta de compilación, el gestor de paquetes y el formateador de código para Gleam, "un lenguaje amigable para construir sistemas de tipo seguro escalables". +> Más información: . + +- Crea un nuevo proyecto gleam: + +`gleam new {{nombre_del_proyecto}}` + +- Construye y ejecuta un proyecto gleam: + +`gleam run` + +- Construye el proyecto: + +`gleam build` + +- Ejecuta un proyecto para una plataforma y un tiempo de ejecución específico: + +`gleam run --target {{plataforma}} --runtime {{tiempo_de_ejecución}}` + +- Añade una dependencia hexadecimal a tu proyecto: + +`gleam add {{nombre_de_la_dependencia}}` + +- Ejecuta las pruebas del proyecto: + +`gleam test` + +- Formatea el código fuente: + +`gleam format` + +- Comprueba el tipo de proyecto: + +`gleam check` diff --git a/pages.es/common/gnmic-sub.md b/pages.es/common/gnmic-sub.md index 4308fe5c5..4c743569b 100644 --- a/pages.es/common/gnmic-sub.md +++ b/pages.es/common/gnmic-sub.md @@ -1,4 +1,4 @@ -# gnmic-sub +# gnmic sub > Este comando es un alias de `gnmic subscribe`. > Más información: . diff --git a/pages.es/common/golangci-lint.md b/pages.es/common/golangci-lint.md index 059b17089..4caf8842b 100644 --- a/pages.es/common/golangci-lint.md +++ b/pages.es/common/golangci-lint.md @@ -1,7 +1,7 @@ # golangci-lint > Corredor de linters Go paralelizado, inteligente y rápido que se integra con los principales entornos de desarrollo integrado y soporta configuración en YAML. -> Más información: . +> Más información: . - Ejecuta linters en la carpeta actual: diff --git a/pages.es/common/grep.md b/pages.es/common/grep.md index da28bfb60..5d33d0f85 100644 --- a/pages.es/common/grep.md +++ b/pages.es/common/grep.md @@ -3,34 +3,34 @@ > Encuentra patrones en archivos usando expresiones regulares. > Más información: . -- Busca un patrón dentro de un archivo: +- Busca un patrón en un archivo: -`grep "{{patrón_de_busqueda}}" {{ruta/al/archivo}}` +`grep "{{patrón_de_búsqueda}}" {{ruta/al/archivo}}` -- Busca una cadena exacta (desactiva las expresiones regulares): +- Busca una cadena de caracteres específica (la cadena no será interpretada como una expresión regular): -`grep --fixed-strings "{{cadena_exacta}}" {{ruta/al/archivo}}` +`grep {{-F|--fixed-strings}} "{{cadena_exacta}}" {{ruta/al/archivo}}` -- Busca un patrón en todos los archivos de forma recursiva en un directorio, mostrando los números de línea de las coincidencias, ignorando los archivos binarios: +- Busca un patrón en todos los archivos de forma recursiva en un directorio, mostrando los números de línea de las coincidencias e ignorando los archivos binarios: -`grep --recursive --line-number --binary-files={{sin-parejamiento}} "{{patrón_de_búsqueda}}" {{ruta/al/directorio}}` +`grep {{-r|--recursive}} {{-n|--line-number}} --binary-files {{without-match}} "{{patrón_de_búsqueda}}" {{ruta/al/directorio}}` -- Utiliza expresiones regulares extendidas (admite `?`, `+`, `{}`, `()` y `|`), sin distinguir entre mayúsculas y minúsculas: +- Utiliza expresiones regulares extendidas (los metacaracteres `?`, `+`, `{}`, `()` y `|` no requieren de una barra inversa), sin distinguir entre mayúsculas y minúsculas: -`grep --extended-regexp --ignore-case " {{patrón_de_búsqueda}}" {{ruta/al/archivo}}` +`grep {{-E|--extended-regexp}} {{-i|--ignore-case}} "{{patrón_de_búsqueda}}" {{ruta/al/archivo}}` -- Imprime 3 líneas de contexto alrededor, antes o después de cada coincidencia: +- Imprime 3 líneas alrededor, antes o después de cada coincidencia: -`grep --{{context|before-context|after-context}}={{3}} "{{patrón_de_búsqueda}}" {{ruta/al/archivo}}` +`grep --{{context|before-context|after-context}} 3 "{{patrón_de_búsqueda}}" {{ruta/al/archivo}}` -- Imprime el nombre del archivo y el número de línea de cada coincidencia con salida en color: +- Imprime con colores el nombre del archivo y el número de línea de cada coincidencia: -`grep --with-filename --line-number --color=always "{{patrón_de_búsqueda}}" {{ruta/al/archivo}}` +`grep {{-H|--with-filename}} {{-n|--line-number}} --color=always "{{patrón_de_búsqueda}}" {{ruta/al/archivo}}` -- Busca líneas que coincidan con un patrón e imprime sólo el texto coincidente: +- Busca líneas que coincidan con un patrón e imprime solo el texto coincidente: -`grep --only-matching "{{patrón_de_búsqueda}}" {{ruta/al/archivo}}` +`grep {{-o|--only-matching}} "{{patrón_de_búsqueda}}" {{ruta/al/archivo}}` -- Busca `stdin` en las líneas que no coincidan con un patrón: +- Busca líneas en`stdin` que no coincidan con el patrón: -`cat {{ruta/al/archivo}} | grep --invert-match "{{patrón_de_busqueda}}"` +`cat {{ruta/al/archivo}} | grep {{-v|--invert-match}} "{{patrón_de_busqueda}}"` diff --git a/pages.es/common/histexpand.md b/pages.es/common/histexpand.md index e449233df..ffa878f0b 100644 --- a/pages.es/common/histexpand.md +++ b/pages.es/common/histexpand.md @@ -1,6 +1,6 @@ # history expansion -> Reutiliza y expande el historial del shell en `sh`, `bash`, `zsh`, `rbash` y `ksh`. +> Reutiliza y expande el historial del shell en `sh`, Bash, Zsh, `rbash` y `ksh`. > Más información: . - Ejecuta el comando anterior como root (`!!` se sustituye por el comando anterior): diff --git a/pages.es/common/hledger-balance.md b/pages.es/common/hledger-balance.md new file mode 100644 index 000000000..3aa7434f9 --- /dev/null +++ b/pages.es/common/hledger-balance.md @@ -0,0 +1,37 @@ +# hledger balance + +> Un informe "sumatorio" flexible y de propósito general que muestra cuentas con algún tipo de dato numérico. +> Puede tratarse de cambios de saldo por periodo, saldos finales, rendimiento presupuestario, plusvalías latentes, etc. +> Más información: . + +- Muestra el cambio de saldo en todas las cuentas de todas las contabilizaciones a lo largo de todo el tiempo: + +`hledger balance` + +- Muestra el cambio de saldo en las cuentas denominadas `*gastos*`, como un árbol, resumiendo solo los dos niveles superiores: + +`hledger balance {{gastos}} --tree --depth {{2}}` + +- Muestra los gastos de cada mes, y sus totales y medias, ordenados por total; y sus objetivos presupuestarios mensuales: + +`hledger balance {{gastos}} --monthly --row-total --average --sort-amount --budget` + +- Similar a la anterior, de forma más corta, comparando las cuentas por tipo de `Gastos`, como un árbol de dos niveles sin aplastar las cuentas aburridas: + +`hledger bal type:{{X}} -MTAS --budget -t -{{2}} --no-elide` + +- Muestra saldos finales (incluidos los de contabilizaciones anteriores a la fecha de inicio), trimestrales en 2024, en cuentas denominadas `*activos*` o `*pasivos*`: + +`hledger balance --historical --period '{{trimestral en 2024}}' {{activos}} {{pasivos}}` + +- Similar al anterior, de un modo más breve; también muestra saldos en cero, ordena por total y resume a tres niveles: + +`hledger bal -HQ date:{{2024}} type:{{AL}} -ES -{{3}}` + +- Muestra el valor de mercado de los activos de inversión en moneda base al final de cada trimestre: + +`hledger bal -HVQ {{activos:inversiones}}` + +- Muestra las ganancias/pérdidas de capital no realizadas por cambios en el precio de mercado en cada trimestre, para activos de inversión que no sean criptomonedas: + +`hledger bal --gain -Q {{activos:inversiones}} not:{{criptomoneda}}` diff --git a/pages.es/common/https.md b/pages.es/common/https.md new file mode 100644 index 000000000..c7857ee57 --- /dev/null +++ b/pages.es/common/https.md @@ -0,0 +1,7 @@ +# https + +> Este comando es un alias de `http`. + +- Consulte la documentación del comando original: + +`tldr http` diff --git a/pages.es/common/huggingface-cli.md b/pages.es/common/huggingface-cli.md new file mode 100644 index 000000000..2be89fd59 --- /dev/null +++ b/pages.es/common/huggingface-cli.md @@ -0,0 +1,37 @@ +# huggingface-cli + +> Interactúa con Hugging Face Hub. +> Inicia sesión, gestiona la caché local, carga o descarga archivos. +> Más información: . + +- Inicia sesión en Hugging Face Hub: + +`huggingface-cli login` + +- Muestra el nombre del usuario conectado: + +`huggingface-cli whoami` + +- Cierra sesión: + +`huggingface-cli logout` + +- Genera información sobre el entorno: + +`huggingface-cli env` + +- Descarga archivos de un repositorio e imprime la ruta (omite los nombres de archivo para descargar todo el repositorio): + +`huggingface-cli download --repo-type {{repo_type}} {{repo_id}} {{nombre_archivo1 nombre_archivo2 ...}}` + +- Sube una carpeta entera o un archivo a Hugging Face: + +`huggingface-cli upload --repo-type {{repo_type}} {{repo_id}} {{ruta/al/archivo_de_repositorio_o_directorio_de_repositorio}} {{ruta/al/archivo_de repositorio_o_directorio}}` + +- Escanea la caché para ver los repositorios descargados y su uso de disco: + +`huggingface-cli scan-cache` + +- Elimina la caché de forma interactiva: + +`huggingface-cli delete-cache` diff --git a/pages.es/common/hugo-server.md b/pages.es/common/hugo-server.md new file mode 100644 index 000000000..1534fe67f --- /dev/null +++ b/pages.es/common/hugo-server.md @@ -0,0 +1,20 @@ +# hugo server + +> Construye y publica un sitio con el servidor web integrado de Hugo. +> Más información: . + +- Construye y publica un sitio: + +`hugo server` + +- Construye y publica un sitio en un número de puerto especificado: + +`hugo server --port {{número_de_puerto}}` + +- Construye y publica un sitio mientras se minifican los formatos de salida soportados (HTML, XML, etc.): + +`hugo server --minify` + +- Muestra la ayuda: + +`hugo server --help` diff --git a/pages.es/common/id.md b/pages.es/common/id.md new file mode 100644 index 000000000..0bc80252e --- /dev/null +++ b/pages.es/common/id.md @@ -0,0 +1,28 @@ +# id + +> Muestra la identidad actual del usuario y del grupo. +> Más información: . + +- Muestra la ID del usuario actual (UID), la ID del grupo (GID) y los grupos a los que pertenece: + +`id` + +- Muestra la identidad del usuario actual: + +`id -un` + +- Muestra la identidad del usuario actual como un número: + +`id -u` + +- Muestra la identidad del grupo primario actual: + +`id -gn` + +- Muestra la identidad del grupo primario actual como un número: + +`id -g` + +- Muestra el ID (UID) de un usuario arbitrario, el ID de grupo (GID) y los grupos a los que pertenece: + +`id {{nombre_de_usuario}}` diff --git a/pages.es/common/immich-cli.md b/pages.es/common/immich-cli.md new file mode 100644 index 000000000..ed20a08ef --- /dev/null +++ b/pages.es/common/immich-cli.md @@ -0,0 +1,29 @@ +# immich-cli + +> Immich tiene una interfaz de línea de comandos (CLI) que le permite realizar ciertas acciones desde la línea de comandos. +> Vea también: `immich-go`. +> Más información: . + +- Autentica en el servidor de Immich: + +`immich login {{url_del_servidor/api}} {{clave_del_servidor}}` + +- Sube unas imágenes: + +`immich upload {{archivo1.jpg archivo2.jpg}}` + +- Sube un directorio y sus subdirectorios: + +`immich upload --recursive {{ruta/al/directorio}}` + +- Crea un álbum basado en un directorio: + +`immich upload --album-name "{{Vacaciones de verano}}" --recursive {{ruta/al/directorio}}` + +- Omite recursos que coincidan con un patrón global: + +`immich upload --ignore {{**/Raw/** **/*.tif}} --recursive {{directorio/}}` + +- Incluye archivos ocultos: + +`immich upload --include-hidden --recursive {{ruta/al/directorio}}` diff --git a/pages.es/common/immich-go.md b/pages.es/common/immich-go.md new file mode 100644 index 000000000..996c95ac1 --- /dev/null +++ b/pages.es/common/immich-go.md @@ -0,0 +1,25 @@ +# immich-go + +> Immich-Go es una herramienta abierta diseñada para subir grandes colecciones de fotos a tu servidor Immich autoalojado. +> Véase también: `immich-cli`. +> Más información: . + +- Sube un archivo takeout de Google al servidor Immich: + +`immich-go -server={{url_del_servidor}} -key={{clave_de_servidor}} upload {{ruta/a/archivo_takeout.zip}}` + +- Importa fotos capturadas en junio del 2019, mientras se generan los álbumes automáticamente: + +`immich-go -server={{url_del_servidor}} -key={{clave_del_servidor}} upload -create-albums -google-photos -date={{2019-06}} {{ruta/a/archivo_takeout.zip}}` + +- Sube un archivo usando servidor y clave de un archivo de configuración: + +`immich-go -use-configuration={{~/.immich-go/immich-go.json}} upload {{ruta/a/archivo_takeout.zip}}` + +- Examina el contenido del servidor Immich, elimina las imágenes de menor calidad y preserva álbumes: + +`immich-go -server={{url_del_servidor}} -key={{clave_del_servidor}} duplicate -yes` + +- Elimina todos los álbumes creados con el patrón "YYYY-MM-DD": + +`immich-go -server={{url_del_servidor}} -key={{clave_del_servidor}} tool album delete {{\d{4}-\d{2}-\d{2}}}` diff --git a/pages.es/common/ipscan.md b/pages.es/common/ipscan.md new file mode 100644 index 000000000..f6f919923 --- /dev/null +++ b/pages.es/common/ipscan.md @@ -0,0 +1,29 @@ +# ipscan + +> Un rápido escáner de red diseñado para ser simple de usar. +> También conocido como Angry IP Scanner. +> Más información: . + +- Escanea una dirección IP específica: + +`ipscan {{192.168.0.1}}` + +- Escanea un rango de direcciones IP: + +`ipscan {{192.168.0.1-254}}` + +- Escanea un rango de direcciones IP y guardar los resultados en un archivo: + +`ipscan {{192.168.0.1-254}} -o {{ruta/a/salida.txt}}` + +- Escanea IPs con un conjunto específico de puertos: + +`ipscan {{192.168.0.1-254}} -p {{80,443,22}}` + +- Escanea con un retardo entre peticiones para evitar la congestión de la red: + +`ipscan {{192.168.0.1-254}} -d {{200}}` + +- Muestra ayuda: + +`ipscan --help` diff --git a/pages.es/common/ispell.md b/pages.es/common/ispell.md new file mode 100644 index 000000000..059c92bdd --- /dev/null +++ b/pages.es/common/ispell.md @@ -0,0 +1,16 @@ +# ispell + +> Corrección ortográfica interactiva. +> Más información: . + +- Inicia una sesión interactiva: + +`ispell` + +- Comprueba si hay erratas en el archivo especificado y aplica sugerencias de forma interactiva: + +`ispell {{ruta/al/archivo}}` + +- Muestra la versión: + +`ispell -v` diff --git a/pages.es/common/kill.md b/pages.es/common/kill.md index 649f43f5c..f759812d5 100644 --- a/pages.es/common/kill.md +++ b/pages.es/common/kill.md @@ -6,7 +6,7 @@ - Termina un programa usando la señal SIGTERM (terminar) por defecto: -`kill {{id_del_proceso}}` +`kill {{identificador_del_proceso}}` - Lista todas las señales disponibles (para ser utilizadas sin el prefijo `SIG`): @@ -14,24 +14,24 @@ - Termina una tarea en segundo plano: -`kill %{{id_de_tarea}}` +`kill %{{identificador_de_tarea}}` - Termina un programa usando la señal SIGHUP (hang up/colgar). Muchos programas residentes se recargarán en lugar de terminar: -`kill -{{1|HUP}} {{id_del_proceso}}` +`kill -{{1|HUP}} {{identificador_del_proceso}}` - Termina un programa usando la señal SIGINT (interrumpir). Esto es normalmente iniciado por el usuario presionando `Ctrl + C`: -`kill -{{2|INT}} {{id_del_proceso}}` +`kill -{{2|INT}} {{identificador_del_proceso}}` - Señala al sistema operativo para terminar inmediatamente un programa (el cual no tiene oportunidad de capturar la señal): -`kill -{{9|KILL}} {{id_del_proceso}}` +`kill -{{9|KILL}} {{identificador_del_proceso}}` - Señala al sistema operativo para pausar un programa hasta que la señal SIGCONT ("continuar") es recibida: -`kill -{{17|STOP}} {{id_del_proceso}}` +`kill -{{17|STOP}} {{identificador_del_proceso}}` - Envía una señal `SIGUSR1` a todos los procesos con un GID (id de grupo) dado: -`kill -{{SIGUSR1}} -{{id_de_grupo}}` +`kill -{{SIGUSR1}} -{{identificador_de_grupo}}` diff --git a/pages.es/common/knotc.md b/pages.es/common/knotc.md new file mode 100644 index 000000000..58eebf722 --- /dev/null +++ b/pages.es/common/knotc.md @@ -0,0 +1,24 @@ +# knotc + +> Controla el servidor DNS knot. +> Más información: . + +- Comienza a editar una zona: + +`knotc zone-begin {{zona}}` + +- Establece un registro A con TTL de 3600: + +`knotc zone-set {{zona}} {{subdominio}} 3600 A {{dirección_ip}}` + +- Finaliza la edición de la zona: + +`knotc zone-commit {{zona}}` + +- Obtén los datos de la zona actual: + +`knotc zone-read {{zona}}` + +- Obtén la configuración actual del servidor: + +`knotc conf-read server` diff --git a/pages.es/common/kubectl-logs.md b/pages.es/common/kubectl-logs.md new file mode 100644 index 000000000..271cfcc70 --- /dev/null +++ b/pages.es/common/kubectl-logs.md @@ -0,0 +1,32 @@ +# kubectl logs + +> Muestra los registros de los contenedores de un pod. +> Más información: . + +- Muestra los registros de un pod de un contenedor: + +`kubectl logs {{nombre_del_pod}}` + +- Muestra los registros de un contenedor especificado en un pod: + +`kubectl logs --container {{nombre_del_contenedor}} {{nombre_del_contenedor}}` + +- Muestra los registros de todos los contenedores de un pod: + +`kubectl logs --all-containers={{true}} {{nombre_del_contenedor}}` + +- Transmite los registros del pod: + +`kubectl logs --follow {{nombre_del_pod}}` + +- Muestra los registros de pods más recientes dado un tiempo relativo como `10s`, `5m` o `1h`: + +`kubectl logs --since={{tiempo_relativo}} {{nombre_del_pod}}` + +- Muestra los 10 registros más recientes de un pod: + +`kubectl logs --tail={{10}} {{nombre_del_pod}}` + +- Muestra todos los registros de un pod para un despliegue determinado: + +`kubectl logs deployment/{{nombre_del_despliegue}}` diff --git a/pages.es/common/ls.md b/pages.es/common/ls.md index 5d80c0f20..f991a1e53 100644 --- a/pages.es/common/ls.md +++ b/pages.es/common/ls.md @@ -15,19 +15,19 @@ `ls -F` -- Lista todos los archivos con formato largo (permisos, propietario, tamaño y fecha de modificación): +- Lista todos los archivos en formato largo (permisos, propietarios, tamaño y fecha de última modificación): `ls -la` -- Lista con formato largo y tamaño legible por humanos (KiB, MiB, GiB): +- Lista en formato largo y tamaño legible por humanos (i.e., KiB, MiB, GiB, etc.): `ls -lh` -- Lista con formato largo y tamaño en orden descendente: +- Lista recursivamente en formato largo y ordena los tamaños de mayor a menor: -`ls -lS` +`ls -lSR` -- Lista todos los archivos con formato largo, ordenado por fecha de modificación (archivos más viejos en primer lugar): +- Lista todos los archivos en formato largo y ordenados por fecha de modificación (archivos más viejos en primer lugar): `ls -ltr` diff --git a/pages.es/common/lstopo.md b/pages.es/common/lstopo.md new file mode 100644 index 000000000..cfc26e63a --- /dev/null +++ b/pages.es/common/lstopo.md @@ -0,0 +1,24 @@ +# lstopo + +> Muestra la topología de hardware del sistema. +> Más información: . + +- Muestra la topología resumida del sistema en una ventana gráfica (o imprime en consola si no se dispone de una sesión gráfica): + +`lstopo` + +- Muestra la topología completa del sistema sin resúmenes: + +`lstopo --no-factorize` + +- Muestra la topología resumida del sistema sólo con índices físicos (es decir, tal y como la ve el sistema operativo): + +`lstopo --physical` + +- Escribe la topología completa del sistema en un archivo con el formato especificado: + +`lstopo --no-factorize --output-format {{console|ascii|tex|fig|svg|pdf|ps|png|xml}} {{ruta/al/archivo}}` + +- Muestra datos en monocromo o escala de grises: + +`lstopo --palette {{none|grey}}` diff --git a/pages.es/common/medusa.md b/pages.es/common/medusa.md new file mode 100644 index 000000000..f03a1fdc8 --- /dev/null +++ b/pages.es/common/medusa.md @@ -0,0 +1,28 @@ +# medusa + +> Un forzador bruto de inicio de sesión modular y paralelo para una variedad de protocolos. +> Más información: . + +- Lista todos los módulos instalados: + +`medusa -d` + +- Muestra ejemplo de uso de un módulo específico (usa `medusa -d` para listar todos los módulos instalados): + +`medusa -M {{ssh|http|web-form|postgres|ftp|mysql|...}} -q` + +- Ejecuta fuerza bruta contra un servidor FTP utilizando un fichero que contiene nombres de usuario y un fichero que contiene contraseñas: + +`medusa -M ftp -h host -U {{ruta/a/archivo_de_nombre_de_usuario}} -P {{ruta/a/archivo_contraseña}}` + +- Ejecuta un intento de inicio de sesión contra un servidor HTTP utilizando el nombre de usuario, la contraseña y el agente de usuario especificados: + +`medusa -M HTTP -h host -u {{nombre_usuario}} -p {{contraseña}} -m USER-AGENT:"{{Agente}}"` + +- Ejecuta una fuerza bruta contra un servidor MySQL utilizando un fichero que contenga nombres de usuario y un hash: + +`medusa -M mysql -h host -U {{ruta/a/archivo_de_nombre_de_usuario}} -p {{hash}} -m PASS:HASH` + +- Ejecuta una fuerza bruta contra una lista de servidores SMB utilizando un nombre de usuario y un archivo pwdump: + +`medusa -M smbnt -H {{ruta/a/archivo_de_hosts}} -C {{ruta/a/archivo_pwdump}} -u {{nombre_usuario}} -m PASS:HASH` diff --git a/pages.es/common/mid3v2.md b/pages.es/common/mid3v2.md index f7f80cec2..3bc6938ae 100644 --- a/pages.es/common/mid3v2.md +++ b/pages.es/common/mid3v2.md @@ -18,16 +18,16 @@ - Establece información específica sobre artistas, álbumes o canciones: -`id3v2 {{--artist|--album|--song}} {{string}} {{ruta/al/archivo1.mp3 ruta/al/archivo2.mp3 ...}}` +`id3v2 {{--artist|--album|--song}}={{string}} {{ruta/al/archivo1.mp3 ruta/al/archivo2.mp3 ...}}` - Establece información específica de la imagen: -`id3v2 --picture {{filename:description:image_type:mime_type}} {{ruta/al/archivo1.mp3 ruta/al/archivo2.mp3 ...}}` +`id3v2 --picture={{filename:description:image_type:mime_type}} {{ruta/al/archivo1.mp3 ruta/al/archivo2.mp3 ...}}` - Establece información específica del año: -`id3v2 --year {{YYYY}} {{ruta/al/archivo1.mp3 ruta/al/archivo2.mp3 ...}}` +`id3v2 --year={{YYYY}} {{ruta/al/archivo1.mp3 ruta/al/archivo2.mp3 ...}}` - Establece información de fecha específica: -`id3v2 --date {{YYYY-MM-DD}} {{ruta/al/archivo1.mp3 ruta/al/archivo2.mp3 ...}}` +`id3v2 --date={{YYYY-MM-DD}} {{ruta/al/archivo1.mp3 ruta/al/archivo2.mp3 ...}}` diff --git a/pages.es/common/mitmproxy.md b/pages.es/common/mitmproxy.md new file mode 100644 index 000000000..79d0a43c9 --- /dev/null +++ b/pages.es/common/mitmproxy.md @@ -0,0 +1,29 @@ +# mitmproxy + +> Un proxy HTTP interactivo man-in-the-middle. +> Vea también: `mitmweb` y `mitmdump`. +> Más información: . + +- Inicia `mitmproxy` con la configuración por defecto (escuchará en el puerto `8080`): + +`mitmproxy` + +- Inicia `mitmproxy` con una dirección y puerto personalizados: + +`mitmproxy --listen-host {{dirección_ip}} {{--listen-port|-p}} {{puerto}}` + +- Inicia `mitmproxy` utilizando un script para procesar el tráfico: + +`mitmproxy {{--scripts|-s}} {{ruta/a/script.py}}` + +- Exporta los registros con las claves maestras SSL/TLS a programas externos (wireshark, etc.): + +`SSLKEYLOGFILE="{{ruta/a/archivo}}" mitmproxy` + +- Especifica el modo de funcionamiento del servidor proxy (`regular` es el predeterminado): + +`mitmproxy {{--mode|-m}} {{regular|transparent|socks5|...}}` + +- Configura el diseño de la consola: + +`mitmproxy --console-layout {{horizontal|single|vertical}}` diff --git a/pages.es/common/mkdir.md b/pages.es/common/mkdir.md index 24cd6eafe..c19fbec12 100644 --- a/pages.es/common/mkdir.md +++ b/pages.es/common/mkdir.md @@ -9,4 +9,4 @@ - Crea directorios recursivamente (útil para crear directorios anidados): -`mkdir -p {{ruta/al/directorio}}` +`mkdir {{-p|--parents}} {{ruta/al/directorio}}` diff --git a/pages.es/common/mkfifo.md b/pages.es/common/mkfifo.md new file mode 100644 index 000000000..b3a36a86f --- /dev/null +++ b/pages.es/common/mkfifo.md @@ -0,0 +1,16 @@ +# mkfifo + +> Crea FIFOs (llamadas pipes). +> Más información: . + +- Crea un pipe con nombre en una ruta dada: + +`mkfifo {{ruta/a/pipe}}` + +- Envía datos a través de un pipe con nombre y envía el comando al fondo: + +`echo {{"Hola Mundo"}} > {{ruta/a/pipe}} &` + +- Recibe datos a través de un pipe con nombre: + +`cat {{ruta/a/pipe}}` diff --git a/pages.es/common/more.md b/pages.es/common/more.md index fc870dc13..48594aff9 100644 --- a/pages.es/common/more.md +++ b/pages.es/common/more.md @@ -1,32 +1,29 @@ # more -> Abre un archivo para lectura interactiva, permitiendo navegar y buscar. +> Interactivamente muestra el contenido un archivo, permitiendo desplazamiento y búsqueda. +> Vea también: `less`. > Más información: . - Abre un archivo: `more {{ruta/al/archivo}}` -- Abre un archivo mostrando desde una línea específica: +- Abre un archivo y muestra su contenido desde una línea específica: -`more +{{numero_linea}} {{ruta/al/archivo}}` +`more +{{número_de_línea}} {{ruta/al/archivo}}` -- Muestra la ayuda: +- Avanza a la siguiente página: -`more --help` +`` -- Avanza hacia la siguiente página: - -`` - -- Busca una cadena (presione `n` para ir a la siguiente coincidencia): +- Busca una cadena de caracteres (presione `n` para ir a la siguiente coincidencia): `/{{cadena}}` -- Salir: +- Sal del programa: `q` -- Muestra la ayuda sobre comandos interactivos: +- Muestra ayuda sobre comandos interactivos: `h` diff --git a/pages.es/common/msfconsole.md b/pages.es/common/msfconsole.md new file mode 100644 index 000000000..599e90ab3 --- /dev/null +++ b/pages.es/common/msfconsole.md @@ -0,0 +1,24 @@ +# msfconsole + +> Consola para el Metasploit Framework. +> Más información: . + +- Inicia la consola: + +`msfconsole` + +- Lanza la consola [q]uietamente sin ningún mensaje: + +`msfconsole --quiet` + +- No habilita el soporte de bases de datos: + +`msfconsole --no-database` + +- Ejecuta los comandos de la consola (Nota: utiliza `;` para pasar varios comandos): + +`msfconsole --execute-command "{{use auxiliary/server/capture/ftp; set SRVHOST 0.0.0.0; set SRVPORT 21; run}}"` + +- Muestra [v]ersión: + +`msfconsole --version` diff --git a/pages.es/common/mv.md b/pages.es/common/mv.md index e77070d3b..e9d3d4340 100644 --- a/pages.es/common/mv.md +++ b/pages.es/common/mv.md @@ -3,22 +3,34 @@ > Mueve o renombra archivos y directorios. > Más información: . -- Mueve archivos en ubicaciones arbitrarias: +- Cambia el nombre de un archivo o directorio cuando el destino no es un directorio existente: -`mv {{ruta/al/origen}} {{ruta/al/destino}}` +`mv {{ruta/a/origen}} {{ruta/a/destino}}` -- Mueve sin solicitar confirmación antes de sobrescribir archivos existentes: +- Mueve un archivo o directorio a un directorio existente: -`mv -f {{ruta/al/origen}} {{ruta/al/destino}}` +`mv {{ruta/a/origen}} {{ruta/a/directorio_existente}}` -- Solicita confirmación antes de sobrescribir archivos existentes, independientemente de los permisos del archivo: +- Mueve varios archivos a un directorio existente, manteniendo los nombres de archivo sin cambios: -`mv -i {{ruta/al/origen}} {{ruta/al/destino}}` +`mv {{ruta/a/origen1 ruta/a/origen2 ...}} {{ruta/a/directorio_existente}}` -- Mueve un archivo sin sobreescribir otro archivo: +- No pedir confirmación ([f]) antes de sobrescribir los archivos existentes: -`mv -n {{ruta/al/origen}} {{ruta/al/destino}}` +`mv --force {{ruta/a/origen}} {{ruta/a/destino}}` -- Mueve archivos en modo detallado, mostrando los archivos después de moverlos: +- Pedir confirmación [i]nteractivamente antes de sobrescribir archivos existentes, independientemente de los permisos de los archivos: -`mv -v {{ruta/al/origen}} {{ruta/al/destino}}` +`mv --interactive {{ruta/a/origen}} {{ruta/a/destino}}` + +- No sobrescribir ([n]) los archivos existentes en el destino: + +`mv --no-clobber {{ruta/a/origen}} {{ruta/a/destino}}` + +- Mueve archivos en modo [v]erbose, mostrando los archivos después de moverlos: + +`mv --verbose {{ruta/a/origen}} {{ruta/a/destino}}` + +- Especifica el directorio de des[t]ino para poder utilizar herramientas externas para recopilar archivos movibles: + +`{{find /var/log -type f -name '*.log' -print0}} | {{xargs -0}} mv --target-directory {{ruta/a/directorio_destino}}` diff --git a/pages.es/common/mypy.md b/pages.es/common/mypy.md new file mode 100644 index 000000000..23015aefb --- /dev/null +++ b/pages.es/common/mypy.md @@ -0,0 +1,36 @@ +# mypy + +> Verificación de código Python. +> Más información: . + +- Comprueba un archivo específico: + +`mypy {{ruta/al/archivo.py}}` + +- Comprueba un [m]ódulo específico: + +`mypy -m {{nombre_del_módulo}}` + +- Comprueba un [p]aquete específico: + +`mypy -p {{nombre_del_paquete}}` + +- Comprueba una cadena de código: + +`mypy -c "{{código}}"` + +- Ignora importaciones faltantes: + +`mypy --ignore-missing-imports {{ruta/al_archivo_o_directorio}}` + +- Muestra mensajes de error detallados: + +`mypy --show-traceback {{ruta/al/archivo_o_directorio}}` + +- Especifica un archivo de configuración personalizado: + +`mypy --config-file {{ruta/al/archivo_de_configuración}}` + +- Muestra ayuda: + +`mypy -h` diff --git a/pages.es/common/nc.md b/pages.es/common/nc.md index dca280d2d..965af7916 100644 --- a/pages.es/common/nc.md +++ b/pages.es/common/nc.md @@ -1,32 +1,32 @@ # nc -> Netcat es una utilidad versátil para trabajar con datos TCP o UDP. -> Más información: . +> Redirige datos de entrada o salida a un flujo de red a través de esta versátil herramienta. +> Más información: . -- Escucha en un puerto determinado e imprime cualquier dato recibido: +- Inicia un escuchador en un puerto TCP y le envía un archivo: -`nc -l {{puerto}}` +`nc -l -p {{puerto}} < {{nombre_de_archivo}}` -- Conecta a un puerto determinado: +- Conecta a un escuchador en un puerto y recibe un archivo de él: -`nc {{direccion_ip}} {{puerto}}` +`nc {{host}} {{puerto}} > {{nombre_de_archivo_por_recibir}}` -- Configura un tiempo máximo de respuesta: +- Escanea los puertos TCP abiertos en un host: -`nc -w {{tiempo_en_segundos}} {{direccion_ip}} {{puerto}}` +`nc -v -z -w {{tiempo_de_espera_en_segundos}} {{host}} {{puerto_inicial}}-{{puerto_final}}` -- Mantiene el servidor activo hasta que el cliente se desconecte: +- Inicia un escuchador en un puerto TCP y provee de acceso a tu intérprete de comandos local a la parte conectada (esto es peligroso y podría ser explotado): -`nc -k -l {{puerto}}` +`nc -l -p {{puerto}} -e {{ejecutable_del_intérprete}}` -- Mantiene el cliente activo durante un tiempo después de recibir EOF: +- Conecta a un escuchador y provee de acceso a tu intérprete de comandos local a una parte remota (esto es peligroso y podría ser explotado): -`nc -q {{tiempo_en_segundos}} {{direccion_ip}}` +`nc {{host}} {{puerto}} -e {{ejecutable_del_intérprete}}` -- Escanea puertos abiertos en un determinado host: +- Actúa como un proxy y envía información de un puerto TCP local a un host remoto: -`nc -v -z {{direccion_ip}} {{puerto1 puerto2 ...}}` +`nc -l -p {{puerto_local}} | nc {{host}} {{puerto_remoto}}` -- Actúa como un proxy y redirige los datos desde un puerto TCP local a un host remoto específico: +- Envía una petición HTTP GET: -`nc -l {{puerto_local}} | nc {{nombre_del_host}} {{puerto_remoto}}` +`echo -e "GET / HTTP/1.1\nHost: {{host}}\n\n" | nc {{host}} 80` diff --git a/pages.es/common/neo4j-admin.md b/pages.es/common/neo4j-admin.md new file mode 100644 index 000000000..43222c84d --- /dev/null +++ b/pages.es/common/neo4j-admin.md @@ -0,0 +1,32 @@ +# neo4j-admin + +> Gestiona y administra un Neo4j DBMS (Sistema de Gestión de Bases de Datos). +> Más información: . + +- Inicia el DBMS: + +`neo4j-admin server start` + +- Detén el DBMS: + +`neo4j-admin server stop` + +- Establece la contraseña inicial del usuario predeterminada `neo4j` (requisito para el primer arranque del DBMS): + +`neo4j-admin dbms set-initial-password {{nombre_base_de_datos}}` + +- Crea un archivo con una base de datos sin conexión llamado `nombre_base_de_datos.dump`: + +`neo4j-admin database dump --to-path={{ruta/al/directorio}} {{nombre_de_base_de_datos}}` + +- Carga una base de datos desde un archivo llamado `nombre_base_de_datos.dump`: + +`neo4j-admin database load --from-path={{ruta/al/directorio}} {{nombre_de_base_de_datos}} --overwrite-destination=true` + +- Carga una base de datos desde un archivo especificado a través de `stdin`: + +`neo4j-admin database load --from-stdin {{nombre_de_base_de_datos}} --overwrite-destination=true < {{ruta/a/nombre_archivo.dump}}` + +- Muestra ayuda: + +`neo4j-admin --help` diff --git a/pages.es/common/nmap.md b/pages.es/common/nmap.md index d7373643a..055bdef70 100644 --- a/pages.es/common/nmap.md +++ b/pages.es/common/nmap.md @@ -1,37 +1,37 @@ # nmap > Herramienta de exploración de redes y escáner de seguridad/puertos. -> Algunas funciones sólo se activan cuando Nmap se ejecuta con privilegios de root. -> Más información: . +> Algunas funciones (p. ej. escaneo SYN) se activan solamente cuando `nmap` es ejecutado con los permisos del superusuario. +> Más información: . -- Comprueba si una dirección IP está activa y adivina el sistema operativo del host remoto: +- Escanea los top 1000 puertos de un host remoto con varios niveles de [v]erbosidad: -`nmap -O {{ip_o_nombre_del_host}}` +`nmap -v{{1|2|3}} {{ip_o_nombre_de_host}}` -- Intenta determinar si los hosts especificados están activos (exploración ping) y cuáles son sus nombres y direcciones MAC: +- Ejecuta un barrido de ping sobre una subred o hosts específicos: -`sudo nmap -sn {{ip_o_nombre_del_host}} {{opcional_otra_dirección}}` +`nmap -T5 -sn {{192.168.0.0/24|ip_o_nombre_de_host1,ip_o_nombre_de_host2,...}}` -- Habilita también los scripts, la detección de servicios, la huella digital del SO y el traceroute: +- Activa la detección de sistemas operativos, la detección de versión, el escaneo con guiones y traceroute: -`nmap -A {{dirección_o_direcciones}}` +`sudo nmap -A {{ip_o_nombre_de_host1,ip_o_nombre_de_host2,...}}` -- Escanea una lista específica de puertos (usa '-p-' para todos los puertos desde 1 al 65535): +- Escanea una lista de puertos (invoca `nmap` con `-p-` para escanear todos los puertos desde 1 a 65535): -`nmap -p {{port1,port2,...,portN}} {{dirección_o_direcciones}}` +`nmap -p {{puerto1,puerto2,...}} {{ip_o_host1,ip_o_host2,...}}` -- Realiza la detección de servicios y versiones de los 1000 puertos principales utilizando los scripts por defecto de NSE; escribiendo los resultados ('-oN') en el fichero de salida: +- Detecta el servicio y versión de los top 1000 puertos usando los guiones NSE por defecto y escribe los resultados (`-oA`) en archivos de salida: -`nmap -sC -sV -oN {{top-1000-puertos.txt}} {{dirección_o_direcciones}}` +`nmap -sC -sV -oA {{top-1000-ports}} {{ip_o_host1,ip_o_host2,...}}` -- Escanea objetivo(s) cuidadosamente utilizando los scripts NSE "default and safe": +- Escanea objetivo(s) cuidadosamente usando los guiones NSE `default and safe`: -`nmap --script "default and safe" {{dirección_o_direcciones}}` +`nmap --script "default and safe" {{ip_o_host1,ip_o_host2,...}}` -- Escanea el servidor web que se ejecuta en los puertos estándar 80 y 443 utilizando todos los scripts de NSE 'http-*' disponibles: +- Escanea servidores web ejecutándose en los puertos estándares 80 y 443 usando todos los guiones `http-*` NSE disponibles: -`nmap --script "http-*" {{dirección_o_direcciones}} -p 80,443` +`nmap --script "http-*" {{ip_o_host1,ip_o_host2,...}} -p 80,443` -- Realiza un escaneo sigiloso muy lento ('-T0') intentando evitar la detección por parte de IDS/IPS y utiliza direcciones IP de origen con señuelo ('-D'): +- Intenta evadir los sistemas de detección y prevención de intrusos escaneando extremadamente lento (`-T0`) y usando direcciones de origen de señuelo (`-D`), paquetes [f]ragmentados, datos aleatorios y otros métodos: -`nmap -T0 -D {{decoy1_direcciónip,decoy2_direcciónip,...,decoyN_direcciónip}} {{dirección_o_direcciones}}` +`sudo nmap -T0 -D {{ip_de_señuelo1,ip_de_señuelo2,...}} --source-port {{53}} -f --data-length {{16}} -Pn {{ip_o_host}}` diff --git a/pages.es/common/nnn.md b/pages.es/common/nnn.md new file mode 100644 index 000000000..f71219ebe --- /dev/null +++ b/pages.es/common/nnn.md @@ -0,0 +1,24 @@ +# nnn + +> Gestor de archivos de terminal interactivo y analizador de uso de disco. +> Más información: . + +- Abre el directorio actual (o especifica uno como primer argumento): + +`nnn` + +- Inicia en modo detallado: + +`nnn -d` + +- Muestra archivos ocultos: + +`nnn -H` + +- Abre un marcador existente (definido en la variable de entorno `NNN_BMS`): + +`nnn -b {{nombre_del_marcador}}` + +- Ordena los archivos por [a]parente uso de disco / uso de [d]isco / [e]xtensión / inve[r]so / tamaño / [t]iempo / [v]ersión: + +`nnn -T {{a|d|e|r|s|t|v}}` diff --git a/pages.es/common/npm.md b/pages.es/common/npm.md index 1bb70476d..301993ffd 100644 --- a/pages.es/common/npm.md +++ b/pages.es/common/npm.md @@ -18,11 +18,11 @@ - Descarga la última versión de un paquete y lo añade a la lista de dependencias de desarrollo en `package.json`: -`npm install {{nombre_paquete}} --save-dev` +`npm install {{nombre_paquete}} {{-D|--save-dev}}` - Descarga la última versión de un paquete y lo instala globalmente: -`npm install --global {{nombre_paquete}}` +`npm install {{-g|--global}} {{nombre_paquete}}` - Desinstala un paquete y lo remueve de la lista de dependencias en `package.json`: @@ -34,4 +34,4 @@ - Lista de paquetes instalados globalmente de nivel superior: -`npm list --global --depth={{0}}` +`npm list {{-g|--global}} --depth {{0}}` diff --git a/pages.es/common/nxc-ftp.md b/pages.es/common/nxc-ftp.md new file mode 100644 index 000000000..e729ed7a2 --- /dev/null +++ b/pages.es/common/nxc-ftp.md @@ -0,0 +1,24 @@ +# nxc ftp + +> Prueba y explota servidores FTP. +> Más información: . + +- Busca credenciales válidas probando cada combinación en las listas especificadas de nombres de [u]suario y contraseñas: + +`nxc ftp {{192.168.178.2}} -u {{ruta/a/nombres_de_usuario.txt}} -p {{ruta/a/contraseñas.txt}}` + +- Continúa buscando credenciales válidas incluso después de haberlas encontrado: + +`nxc ftp {{192.168.178.2}} -u {{ruta/a/nombres_de_usuario.txt}} -p {{ruta/a/contraseñas.txt}} --continue-on-success` + +- Realiza listados de directorios en cada servidor FTP en el que sean válidas las credenciales proporcionadas: + +`nxc ftp {{192.168.178.0/24}} -u {{nombre_de_usuario}} -p {{contraseña}} --ls` + +- Descarga el archivo especificado desde el servidor de destino: + +`nxc ftp {{192.168.178.2}} -u {{nombre_de_usuario}} -p {{contraseña}} --get {{ruta/al/archivo}}` + +- Carga el archivo especificado en el servidor de destino en la ubicación especificada: + +`nxc ftp {{192.168.178.2}} -u {{nombre_de_usuario}} -p {{contraseña}} --put {{ruta/al/archivo_local}} {{ruta/a/ubicación_remota}}` diff --git a/pages.es/common/nxc-smb.md b/pages.es/common/nxc-smb.md new file mode 100644 index 000000000..12fbf6e88 --- /dev/null +++ b/pages.es/common/nxc-smb.md @@ -0,0 +1,28 @@ +# nxc smb + +> Prueba y explota servidores SMB. +> Más información: . + +- Busca credenciales de dominio válidas probando cada combinación en las listas especificadas de nombres de [u]suario y contraseñas: + +`nxc smb {{192.168.178.2}} -u {{ruta/a/nombres_de_usuario.txt}} -p {{ruta/a/contraseñas.txt}}` + +- Busca credenciales válidas para cuentas locales en lugar de cuentas de dominio: + +`nxc smb {{192.168.178.2}} -u {{ruta/a/nombres_de_usuario.txt}} -p {{ruta/a/contraseñas.txt}} --local-auth` + +- Enumera los recursos compartidos SMB y los derechos de acceso de los usuarios especificados en los hosts de destino: + +`nxc smb {{192.168.178.0/24}} -u {{nombre_de_usuario}} -p {{contraseña}} --shares` + +- Enumera las interfaces de red en los hosts de destino, realizando la autenticación mediante pass-the-hash: + +`nxc smb {{192.168.178.30-45}} -u {{nombre_de_usuario}} -H {{NTLM_hash}} --interfaces` + +- Analiza los hosts de destino en busca de vulnerabilidades frecuentes: + +`nxc smb {{ruta/a/lista_objetivo.txt}} -u '' -p '' -M zerologon -M petitpotam` + +- Intenta ejecutar un comando en los hosts de destino: + +`nxc smb {{192.168.178.2}} -u {{nombre_de_usuario}} -p {{contraseña}} -x {{comando}}` diff --git a/pages.es/common/nxc-ssh.md b/pages.es/common/nxc-ssh.md new file mode 100644 index 000000000..f3f380836 --- /dev/null +++ b/pages.es/common/nxc-ssh.md @@ -0,0 +1,25 @@ +# nxc ssh + +> Prueba y explota servidores SSH. +> Vea también: `hydra`. +> Más información: . + +- Pulveriza la contraseña especificada contra una lista de nombres de usuario en el objetivo especificado: + +`nxc ssh {{192.168.178.2}} -u {{ruta/a/nombres_de_usuario.txt}} -p {{contraseña}}` + +- Busca credenciales válidas probando todas las combinaciones de nombres de usuario y contraseñas de las listas especificadas: + +`nxc ssh {{192.168.178.2}} -u {{ruta/a/nombres_de_usuario.txt}} -p {{ruta/a/contraseñas.txt}}` + +- Utiliza la clave privada especificada para la autenticación, utilizando la contraseña suministrada como frase de contraseña de la clave: + +`nxc ssh {{192.186.178.2}} -u {{ruta/a/nombres_de_usuario.txt}} -p {{contraseña}} --key-file {{ruta/a/id_rsa}}` + +- Prueba una combinación de nombres de usuario y contraseñas en una serie de objetivos: + +`nxc ssh {{192.168.178.0/24}} -u {{nombre_de_usuario}} -p {{contraseña}}` + +- Comprueba los privilegios `sudo` en un inicio de sesión correcto: + +`nxc ssh {{192.168.178.2}} -u {{nombre_de_usuario}} -p {{ruta/a/contraseñas.txt}} --sudo-check` diff --git a/pages.es/common/nxc.md b/pages.es/common/nxc.md new file mode 100644 index 000000000..176db7c4d --- /dev/null +++ b/pages.es/common/nxc.md @@ -0,0 +1,21 @@ +# nxc + +> Herramienta de enumeración y explotación de servicios de red. +> Algunos subcomandos como `nxc smb` tienen su propia documentación de uso. +> Más información: . + +- [L]ista módulos disponibles para el protocolo especificado: + +`nxc {{smb|ssh|ldap|ftp|wmi|winrm|rdp|vnc|mssql}} -L` + +- Lista las opciones disponibles para el módulo especificado: + +`nxc {{smb|ssh|ldap|ftp|wmi|winrm|rdp|vnc|mssql}} -M {{nombre_del_módulo}} --options` + +- Especifica una opción para un módulo: + +`nxc {{smb|ssh|ldap|ftp|wmi|winrm|rdp|vnc|mssql}} -M {{nombre_del_módulo}} -o {{NOMBRE_OPCION}}={{valor_opción}}` + +- Vea las opciones disponibles para el protocolo especificado: + +`nxc {{smb|ssh|ldap|ftp|wmi|winrm|rdp|vnc|mssql}} --help` diff --git a/pages.es/common/octez-client.md b/pages.es/common/octez-client.md new file mode 100644 index 000000000..9501df578 --- /dev/null +++ b/pages.es/common/octez-client.md @@ -0,0 +1,32 @@ +# octez-client + +> Interactúa con la blockchain de Tezos. +> Más información: . + +- Configura el cliente con una conexión a un nodo RPC de Tezos como : + +`octez-client -E {{endpoint}} config update` + +- Crea una cuenta y le asigna un alias local: + +`octez-client gen keys {{alias}}` + +- Obtén el saldo de una cuenta por alias o dirección: + +`octez-client get balance for {{alias_o_dirección}}` + +- Transfiere tez a otra cuenta: + +`octez-client transfer {{5}} from {{alias|address}} to {{alias|address}}` + +- Crea (despliega) un contrato inteligente, le asignar un alias local y establece su almacenamiento inicial como un valor codificado por Michelson: + +`octez-client originate contract {{alias}} transferring {{0}} from {{alias|address}} running {{ruta/a/archivo_de_origen.tz}} --init "{{almacenamiento_inicial}}" --burn_cap {{1}}` + +- Llama a un contrato inteligente por su alias o dirección y pasa un parámetro codificado por Michelson: + +`octez-client transfer {{0}} from {{alias|address}} to {{contract}} --entrypoint "{{entrypoint}}" --arg "{{parámetro}}" --burn-cap {{1}}` + +- Muestra ayuda: + +`octez-client man` diff --git a/pages.es/common/pambrighten.md b/pages.es/common/pambrighten.md new file mode 100644 index 000000000..b88f37ee9 --- /dev/null +++ b/pages.es/common/pambrighten.md @@ -0,0 +1,12 @@ +# pambrighten + +> Cambia la saturación y el valor de una imagen PAM. +> Más información: . + +- Aumenta la saturación de cada píxel con un porcentaje específico: + +`pambrighten -saturation {{valor_porcentual}} {{ruta/a/imagen.pam}} > {{ruta/a/archivo_de_salida.pam}}` + +- Aumenta el valor (del espacio de color HSV) de cada píxel con un porcentaje específico: + +`pambrighten -value {{valor_porcentual}} {{ruta/a/imagen.pam}} > {{ruta/a/archivo_de_salida.pam}}` diff --git a/pages.es/common/pamedge.md b/pages.es/common/pamedge.md new file mode 100644 index 000000000..dd759794e --- /dev/null +++ b/pages.es/common/pamedge.md @@ -0,0 +1,8 @@ +# pamedge + +> Realiza la detección de bordes en una imagen Netpbm. +> Más información: . + +- Detecta bordes en una imagen Netpbm: + +`pamedge {{ruta/a/entrada.pam}} > {{ruta/a/salida.pam}}` diff --git a/pages.es/common/pamslice.md b/pages.es/common/pamslice.md new file mode 100644 index 000000000..fcca40312 --- /dev/null +++ b/pages.es/common/pamslice.md @@ -0,0 +1,20 @@ +# pamslice + +> Extrae una línea de valores de una imagen PAM. +> Más información: . + +- Imprime los valores de los píxeles de la n-ésima fila en una tabla: + +`pamslice -row {{n}} {{ruta/a/imagen.pam}}` + +- Imprime los valores de los píxeles de la n-ésima columna de una tabla: + +`pamslice -column {{n}} {{ruta/a/imagen.pam}}` + +- Considera solo el m-ésimo plano de la imagen de entrada: + +`pamslice -row {{n}} -plane {{m}} {{ruta/a/imagen.pam}}` + +- Produce la salida en un formato adecuado para la entrada a un `xmgr` para la visualización: + +`pamslice -row {{n}} -xmgr {{ruta/a/imagen.pam}}` diff --git a/pages.es/common/pamtogif.md b/pages.es/common/pamtogif.md new file mode 100644 index 000000000..de4abb157 --- /dev/null +++ b/pages.es/common/pamtogif.md @@ -0,0 +1,17 @@ +# pamtogif + +> Convierte una imagen Netpbm en una imagen GIF no animada. +> Vea también: `giftopnm`, `gifsicle`. +> Más información: . + +- Convierte una imagen Netpbm en una imagen GIF no animada: + +`pamtogif {{ruta/a/imagen.pam}} > {{ruta/a/imagen_de_salida.gif}}` + +- Marca el color especificado como transparente en el archivo GIF de salida: + +`pamtogif -transparent {{color}} {{ruta/a/imagen.pam}} > {{ruta/a/imagen_de_salida.gif}}` + +- Incluye el texto especificado como comentario en el archivo GIF de salida: + +`pamtogif -comment "{{¡Hola Mundo!}}" {{ruta/a/imagen.pam}} > {{ruta/a/imagen_de_salida.gif}}` diff --git a/pages.es/common/pamtouil.md b/pages.es/common/pamtouil.md new file mode 100644 index 000000000..8895cf24c --- /dev/null +++ b/pages.es/common/pamtouil.md @@ -0,0 +1,12 @@ +# pamtouil + +> Convierte un archivo PNM o PAM en un archivo de iconos UIL de Motif. +> Más información: . + +- Convierte un archivo PNM o PAM en un archivo de icono Motif UIL: + +`pamtouil {{ruta/a/entrada.[pnm|pam]}} > {{ruta/a/salida.uil}}` + +- Especifique una cadena de prefijo que se imprimirá en el archivo UIL de salida: + +`pamtouil -name {{nombre_uil}} {{ruta/a/entrada.[pnm|pam]}} > {{ruta/a/salida.uil}}` diff --git a/pages.es/common/par2.md b/pages.es/common/par2.md new file mode 100644 index 000000000..2b1af83b8 --- /dev/null +++ b/pages.es/common/par2.md @@ -0,0 +1,20 @@ +# par2 + +> Verificación y reparación de archivos utilizando archivos de paridad compatibles con PAR 2.0 (archivos .par2). +> Más información: . + +- Crea un archivo de paridad con un nivel de porcentaje de redundancia establecido: + +`par2 create -r{{1..100}} -- {{ruta/al/archivo}}` + +- Crea un archivo de paridad con un número determinado de archivos de volumen (además del archivo de índice): + +`par2 create -n{{1..32768}} -- {{ruta/al/archivo}}` + +- Verifica un fichero con un archivo de paridad: + +`par2 verify -- {{ruta/al/archivo.par2}}` + +- Repara un fichero con un archivo de paridad: + +`par2 repair -- {{ruta/al/archivo.par2}}` diff --git a/pages.es/common/pcapfix.md b/pages.es/common/pcapfix.md index 34f4a5f9c..7d8fd2c45 100644 --- a/pages.es/common/pcapfix.md +++ b/pages.es/common/pcapfix.md @@ -1,21 +1,21 @@ # pcapfix -> Repara archivos `pcap` y `pcapng` dañados o corruptos. +> Repara archivos PCAP y PcapNG dañados o corruptos. > Más información: . -- Repara un archivo `pcap`/`pcapng` (Nota: para los archivos `pcap`, sólo se escanean los primeros 262144 bytes de cada paquete): +- Repara un archivo PCAP/PcapNG (Nota: para los archivos PCAP, sólo se escanean los primeros 262144 bytes de cada paquete): `pcapfix {{ruta/al/archivo.pcapng}}` -- Repara un archivo `pcap` completo: +- Repara un archivo PCAP completo: `pcapfix --deep-scan {{ruta/al/archivo.pcap}}` -- Repara un archivo `pcap`/`pcapng` y escribe el archivo reparado en la ubicación especificada: +- Repara un archivo PCAP/PcapNG y escribe el archivo reparado en la ubicación especificada: `pcapfix --outfile {{ruta/al/archivo_reparado.pcap}} {{ruta/al/archivo.pcap}}` -- Repara un archivo `pcapng` y lo trata como un archivo `pcapng`, ignorando el reconocimiento automático: +- Repara un archivo PcapNG y lo trata como un archivo PcapNG, ignorando el reconocimiento automático: `pcapfix --pcapng {{ruta/al/archivo.pcapng}}` diff --git a/pages.es/common/pcdindex.md b/pages.es/common/pcdindex.md new file mode 100644 index 000000000..8f6be9377 --- /dev/null +++ b/pages.es/common/pcdindex.md @@ -0,0 +1,8 @@ +# pcdindex + +> Este comando ha sido renombrado a `pcdovtoppm`. +> Más información: . + +- Consulta la documentación del comando con su nombre actual: + +`tldr pcdovtoppm` diff --git a/pages.es/common/pcdovtoppm.md b/pages.es/common/pcdovtoppm.md new file mode 100644 index 000000000..85fb49c6b --- /dev/null +++ b/pages.es/common/pcdovtoppm.md @@ -0,0 +1,20 @@ +# pcdovtoppm + +> Crea una imagen índice para un CD de fotos basándose en su archivo de resumen. +> Más información: . + +- Crea una imagen índice PPM a partir de un archivo de vista general PCD: + +`pcdovtoppm {{ruta/al/archivo.pcd}} > {{ruta/al/archivo.ppm}}` + +- Especifica la anchura [m]áxima de la imagen de salida y el tamaño máximo de cada una de las imágenes contenidas en la salida: + +`pcdovtoppm -m {{anchura}} -s {{tamaño}} {{ruta/al/archivo.pcd}} > {{ruta/al/archivo.ppm}}` + +- Especifica el número máximo de imágenes y el número máximo de [c]olores: + +`pcdovtoppm -a {{n_imágenes}} -c {{n_colores}} {{ruta/al/archivo.pcd}} > {{ruta/al/archivo_salida.ppm}}` + +- Utiliza la [f]uente especificada para las anotaciones y pinta el fondo blanco: + +`pcdovtoppm -f {{fuente}} -w {{ruta/al/archivo.pcd}} > {{ruta/al/archivo.ppm}}` diff --git a/pages.es/common/pgmedge.md b/pages.es/common/pgmedge.md new file mode 100644 index 000000000..f4c09ec5c --- /dev/null +++ b/pages.es/common/pgmedge.md @@ -0,0 +1,8 @@ +# pgmedge + +> Este comando ha sido sustituido por `pamedge`. +> Más información: . + +- Consulta la documentación del comando actual: + +`tldr pamedge` diff --git a/pages.es/common/pgmnorm.md b/pages.es/common/pgmnorm.md new file mode 100644 index 000000000..0203b9e7e --- /dev/null +++ b/pages.es/common/pgmnorm.md @@ -0,0 +1,8 @@ +# pgmnorm + +> Este comando es reemplazado por `pnmnorm`. +> Más información: . + +- Muestra la documentación del comando actual: + +`tldr pnmnorm` diff --git a/pages.es/common/pgmslice.md b/pages.es/common/pgmslice.md new file mode 100644 index 000000000..abf280174 --- /dev/null +++ b/pages.es/common/pgmslice.md @@ -0,0 +1,8 @@ +# pgmslice + +> Este comando ha sido sustituido por `pamslice`. +> Más información: . + +- Vea documentación para el comando actual: + +`tldr pamslice` diff --git a/pages.es/common/pgmtopbm.md b/pages.es/common/pgmtopbm.md new file mode 100644 index 000000000..d5f655059 --- /dev/null +++ b/pages.es/common/pgmtopbm.md @@ -0,0 +1,8 @@ +# pgmtopbm + +> Este comando ha sido sustituido por `pamditherbw`. +> Más información: . + +- Vea documentación del comando actual: + +`tldr pamditherbw` diff --git a/pages.es/common/pi1toppm.md b/pages.es/common/pi1toppm.md new file mode 100644 index 000000000..ea3606cdd --- /dev/null +++ b/pages.es/common/pi1toppm.md @@ -0,0 +1,9 @@ +# pi1toppm + +> Convierte una imagen Atari Degas PI1 en una imagen PPM. +> Vea también: `ppmtopi1`. +> Más información: . + +- Convierte una imagen Atari Degas PI1 en una imagen PPM: + +`pi1toppm {{ruta/a/imagen_atari.pi1}} > {{ruta/a/imagen.ppm}}` diff --git a/pages.es/common/picocom.md b/pages.es/common/picocom.md index a897be622..5001c92e6 100644 --- a/pages.es/common/picocom.md +++ b/pages.es/common/picocom.md @@ -5,8 +5,8 @@ - Conecta a una consola serie con una velocidad en baudios específica: -`picocom {{/dev/ttyXYZ}} --baud {{baud_rate}}` +`picocom {{/dev/ttyXYZ}} --baud {{tasa_de_baudios}}` -- Asigna caracteres especiales (por ejemplo, `LF` a `CRLF`): +- Asigna caracteres especiales (p. ej. `LF` a `CRLF`): -`picocom {{/dev/ttyXYZ}} --imap {{lfcrlf}}}` +`picocom {{/dev/ttyXYZ}} --imap {{lfcrlf}}` diff --git a/pages.es/common/pio-init.md b/pages.es/common/pio-init.md index 30888683d..1213062a9 100644 --- a/pages.es/common/pio-init.md +++ b/pages.es/common/pio-init.md @@ -1,4 +1,4 @@ -# pio-init +# pio init > Este comando es un alias de `pio project`. diff --git a/pages.es/common/piper.md b/pages.es/common/piper.md new file mode 100644 index 000000000..21e68a255 --- /dev/null +++ b/pages.es/common/piper.md @@ -0,0 +1,25 @@ +# piper + +> Un sistema neural rápido y local de conversión de texto a voz. +> Descarga y prueba modelos de habla desde . +> Más información: . + +- Genera un archivo WAV utilizando un modelo de texto a voz (suponiendo un archivo de configuración en model_path + .json): + +`echo {{Cosa a decir}} | piper -m {{ruta/a/modelo.onnx}} -f {{archivo_de_salida.wav}}` + +- Genera un archivo WAV utilizando un modelo y especificando su archivo de [c]onfiguración JSON: + +`echo {{'Lo que hay que decir'}} | piper -m {{ruta/a/modelo.onnx}} -c {{ruta/a/modelo.onnx.json}} -f {{archivo_de_salida.wav}}` + +- Selecciona un locutor concreto en una voz con varios locutores especificando el número de identificación del locutor: + +`echo {{'Warum?'}} | piper -m {{de_DE-thorsten_emotional-medium.onnx}} --speaker {{1}} -f {{enojado.wav}}` + +- Transmite la salida al reproductor multimedia mpv: + +`echo {{'Hello world'}} | piper -m {{en_GB-northern_english_male-medium.onnx}} --output-raw -f - | mpv -` + +- Habla el doble de rápido, con grandes espacios entre frases: + +`echo {{'Hablando el doble de rápido. Con más drama!'}} | piper -m {{foo.onnx}} --length_scale {{0.5}} --sentence_silence {{2}} -f {{drama.wav}}` diff --git a/pages.es/common/pnmenlarge.md b/pages.es/common/pnmenlarge.md new file mode 100644 index 000000000..059eb6959 --- /dev/null +++ b/pages.es/common/pnmenlarge.md @@ -0,0 +1,8 @@ +# pnmenlarge + +> Este comando ha sido sustituido por `pamenlarge`. +> Más información: . + +- Vea documentación del comando actual: + +`tldr pamenlarge` diff --git a/pages.es/common/pnmfile.md b/pages.es/common/pnmfile.md new file mode 100644 index 000000000..fc7064f55 --- /dev/null +++ b/pages.es/common/pnmfile.md @@ -0,0 +1,8 @@ +# pnmfile + +> Este comando ha sido sustituido por `pamfile`. +> Más información: . + +- Vea la documentación del comando actual: + +`tldr pamfile` diff --git a/pages.es/common/pnmflip.md b/pages.es/common/pnmflip.md new file mode 100644 index 000000000..15446349b --- /dev/null +++ b/pages.es/common/pnmflip.md @@ -0,0 +1,8 @@ +# pnmflip + +> Este comando ha sido sustituido por `pamflip`. +> Más información: . + +- Vea documentación del comando actual: + +`tldr pamflip` diff --git a/pages.es/common/ppmbrighten.md b/pages.es/common/ppmbrighten.md new file mode 100644 index 000000000..3d4553dc1 --- /dev/null +++ b/pages.es/common/ppmbrighten.md @@ -0,0 +1,8 @@ +# ppmbrighten + +> Este comando ha sido sustituido por `pambrighten`. +> Más información: . + +- Vea documentación del comando actual: + +`tldr pambrighten` diff --git a/pages.es/common/ppmnorm.md b/pages.es/common/ppmnorm.md new file mode 100644 index 000000000..8129d9cfa --- /dev/null +++ b/pages.es/common/ppmnorm.md @@ -0,0 +1,8 @@ +# ppmnorm + +> Este comando es reemplazado por `pnmnorm`. +> Más información: . + +- Muestra la documentación del comando actual: + +`tldr pnmnorm` diff --git a/pages.es/common/ppmtogif.md b/pages.es/common/ppmtogif.md new file mode 100644 index 000000000..a10d96a49 --- /dev/null +++ b/pages.es/common/ppmtogif.md @@ -0,0 +1,8 @@ +# ppmtogif + +> Este comando ha sido sustituido por `pamtogif`. +> Más información: . + +- Vea documentación para el comando actual: + +`tldr pamtogif` diff --git a/pages.es/common/ppmtojpeg.md b/pages.es/common/ppmtojpeg.md new file mode 100644 index 000000000..68329d112 --- /dev/null +++ b/pages.es/common/ppmtojpeg.md @@ -0,0 +1,8 @@ +# ppmtojpeg + +> Este comando ha sido sustituido por `pnmtojpeg`. +> Más información: . + +- Ve documentación del comando actual: + +`tldr pnmtojpeg` diff --git a/pages.es/common/ppmtomap.md b/pages.es/common/ppmtomap.md new file mode 100644 index 000000000..f9ace7c25 --- /dev/null +++ b/pages.es/common/ppmtomap.md @@ -0,0 +1,8 @@ +# ppmtomap + +> Este comando ha sido sustituido por `pnmcolormap`. +> Más información: . + +- Vea documentación del comando actual: + +`tldr pnmcolormap` diff --git a/pages.es/common/ppmtopi1.md b/pages.es/common/ppmtopi1.md new file mode 100644 index 000000000..3ebc023fc --- /dev/null +++ b/pages.es/common/ppmtopi1.md @@ -0,0 +1,9 @@ +# ppmtopi1 + +> Convierte una imagen PPM en una imagen Atari Degas PI1. +> Vea también: `pi1toppm`. +> Más información: . + +- Convierte una imagen PPM en una imagen Atari Degas PI1: + +`ppmtopi1 {{ruta/a/imagen.ppm}} > {{ruta/a/imagen_salida.pi1}}` diff --git a/pages.es/common/ppmtouil.md b/pages.es/common/ppmtouil.md new file mode 100644 index 000000000..d5cb711b8 --- /dev/null +++ b/pages.es/common/ppmtouil.md @@ -0,0 +1,8 @@ +# ppmtouil + +> Este comando ha sido sustituido por `pamtouil`. +> Más información: . + +- Consulte la documentación del comando actual: + +`tldr pamtouil` diff --git a/pages.es/common/pydocstyle.md b/pages.es/common/pydocstyle.md new file mode 100644 index 000000000..3b2b57844 --- /dev/null +++ b/pages.es/common/pydocstyle.md @@ -0,0 +1,32 @@ +# pydocstyle + +> Comprueba estáticamente que los scripts de Python cumplen con las convenciones de documentación de Python. +> Más información: . + +- Analiza un script de Python o todos los scripts de Python en un directorio específico: + +`pydocstyle {{archivo.py|ruta/al/directorio}}` + +- Muestra una explicación de cada error: + +`pydocstyle {{-e|--explain}} {{archivo.py|ruta/al/directorio}}` + +- Muestra información de depuración: + +`pydocstyle {{-d|--debug}} {{archivo.py|ruta/al/directorio}}` + +- Muestra el número total de errores: + +`pydocstyle --count {{archivo.py|ruta/a/directorio}}` + +- Utiliza un archivo de configuración específico: + +`pydocstyle --config {{ruta/a/archivo_config}} {{archivo.py|ruta/al/directorio}}` + +- Ignora uno o más errores: + +`pydocstyle --ignore {{D101,D2,D107,...}} {{archivo.py|ruta/al/directorio}}` + +- Busca errores de una convención específica: + +`pydocstyle --convention {{pep257|numpy|google}} {{archivo.py|ruta/a/directorio}}` diff --git a/pages.es/common/qalc.md b/pages.es/common/qalc.md new file mode 100644 index 000000000..f63253e77 --- /dev/null +++ b/pages.es/common/qalc.md @@ -0,0 +1,29 @@ +# qalc + +> Calculadora de línea de comandos potente y fácil de usar. +> Vea también: `bc`. +> Más información: . + +- Lanzamiento en modo [i]nteractivo: + +`qalc {{--interactive}}` + +- Ejecuta en modo [t]erse (solo imprime los resultados): + +`qalc --terse` + +- Actualiza los tipos de cambio: + +`qalc --exrates` + +- Realiza cálculos de forma no interactiva: + +`qalc {{66+99|2^4|6 pies a cm|1 bitcoin a USD|20 kmph a mph|...}}` + +- Lista todas las funciones/prefijos/unidades/variables soportadas: + +`qalc --{{list-functions|list-prefixes|list-units|list-variables}}` + +- Ejecuta comandos desde un archivo: + +`qalc --file {{ruta/a/archivo}}` diff --git a/pages.es/common/quarkus.md b/pages.es/common/quarkus.md new file mode 100644 index 000000000..e8d202a4c --- /dev/null +++ b/pages.es/common/quarkus.md @@ -0,0 +1,36 @@ +# quarkus + +> Crea proyectos Quarkus, gestiona extensiones y realiza tareas esenciales de compilación y desarrollo. +> Más información: . + +- Crea un nuevo proyecto de aplicación en un directorio nuevo: + +`quarkus create app {{nombre_del_proyecto}}` + +- Ejecuta el proyecto actual en el modo de codificación en vivo: + +`quarkus dev` + +- Ejecuta la aplicación: + +`quarkus run` + +- Ejecuta el proyecto actual en modo de prueba continua: + +`quarkus test` + +- Añade una o más extensiones al proyecto actual: + +`quarkus extension add {{nombre_extensión1 nombre_extensión2 ...}}` + +- Construye un contenedor de imagen utilizando Docker: + +`quarkus image build docker` + +- Despliega la aplicación en Kubernetes: + +`quarkus deploy kubernetes` + +- Actualiza el proyecto: + +`quarkus update` diff --git a/pages.es/common/rkdeveloptool.md b/pages.es/common/rkdeveloptool.md new file mode 100644 index 000000000..367425090 --- /dev/null +++ b/pages.es/common/rkdeveloptool.md @@ -0,0 +1,30 @@ +# rkdeveloptool + +> Flashea, vacía y gestiona el firmware de arranque en dispositivos informáticos basados en Rockchip. +> Necesitará encender el dispositivo en modo Maskrom/Bootrom antes de conectarlo a través del USB. +> Algunos subcomandos pueden requerir ser ejecutados como el superusuario. +> Más información: . + +- [l]ista todos los [d]ispositivos flash conectados basados en Rockchip: + +`rkdeveloptool ld` + +- Inicializa el dispositivo forzándolo a [d]escargar e instalar el gestor de arranque desde un archivo: + +`rkdeveloptool db {{ruta/al/bootloader.bin}}` + +- Actualiza un gestor de arranque: + +`rkdeveloptool ul {{ruta/al/bootloader.bin}}` + +- Escribe una imagen en una partición flash con formato GPT, especificando el sector de almacenamiento inicial (normalmente `0x0`, alias `0`): + +`rkdeveloptool wl {{sector_inicial}} {{ruta/a/imagen.img}}` + +- Escribe en la partición flash por su nombre amigable: + +`rkdeveloptool wlx {{nombre_partición}} {{ruta/a/imagen.img}}` + +- [r]einicia/repón el [d]ispositivo, sal del modo Maskrom/Bootrom para arrancar en la partición flash seleccionada: + +`rkdeveloptool rd` diff --git a/pages.es/common/showfigfonts.md b/pages.es/common/showfigfonts.md index c3db64690..4623c9130 100644 --- a/pages.es/common/showfigfonts.md +++ b/pages.es/common/showfigfonts.md @@ -1,7 +1,7 @@ # showfigfonts > Muestra una lista de fuentes disponibles para figlet. -> Véase también `figlet`. +> Vea también `figlet`. > Más información: . - Muestra las fuentes disponibles: diff --git a/pages.es/common/simplehttpserver.md b/pages.es/common/simplehttpserver.md new file mode 100644 index 000000000..bc108b419 --- /dev/null +++ b/pages.es/common/simplehttpserver.md @@ -0,0 +1,25 @@ +# simplehttpserver + +> Un simple servidor HTTP/S que soporta subida de ficheros, autenticación básica y reglas YAML para respuestas personalizadas. +> Una alternativa Go a `http.server` de Python. +> Más información: . + +- Inicia el servidor HTTP que sirve el directorio actual con salida verbosa (escucha en todas las interfaces y puerto 8000 por defecto): + +`simplehttpserver -verbose` + +- Inicia el servidor HTTP con autenticación básica sirviendo una ruta específica a través del puerto 80 en todas las interfaces: + +`sudo simplehttpserver -basic-auth {{nombre_de_usuario}}:{{contraseña}} -path {{/var/www/html}} -listen 0.0.0.0:80` + +- Inicia el servidor HTTP, habilitando HTTPS utilizando un certificado autofirmado con SAN personalizado en todas las interfaces: + +`sudo simplehttpserver -https -domain {{*.selfsigned.com}} -listen 0.0.0.0:443` + +- Inicia el servidor HTTP con cabeceras de respuesta personalizadas y capacidad de carga: + +`simplehttpserver -upload -header '{{X-Powered-By: Go}}' -header '{{Server: SimpleHTTPServer}}'` + +- Inicia el servidor HTTP con reglas personalizables en YAML (consulte la documentación para DSL): + +`simplehttpserver -rules {{rules.yaml}}` diff --git a/pages.es/common/streamlit.md b/pages.es/common/streamlit.md new file mode 100644 index 000000000..d7dc0713b --- /dev/null +++ b/pages.es/common/streamlit.md @@ -0,0 +1,20 @@ +# streamlit + +> Marco de aplicación para crear aplicaciones web interactivas y basadas en datos en Python. +> Más información: . + +- Comprueba la instalación de Streamlit: + +`streamlit hello` + +- Ejecuta una aplicación Streamlit: + +`streamlit run {{nombre_del_proyecto}}` + +- Muestra ayuda: + +`streamlit --help` + +- Muestra la versión: + +`streamlit --version` diff --git a/pages.es/common/tar.md b/pages.es/common/tar.md index a3e604760..709f380ef 100644 --- a/pages.es/common/tar.md +++ b/pages.es/common/tar.md @@ -4,34 +4,34 @@ > A menudo se combina con un método de compresión, como gzip o bzip2. > Más información: . -- [c]rea un archivo y lo escribe en un [f]ile: +- [c]rea un archivo y lo escribe en un [f]ichero: `tar cf {{ruta/al/objetivo.tar}} {{ruta/al/archivo1 ruta/al/archivo2 ...}}` -- [c]rea un archivo g[z]ipado y lo escribe en un [f]ile: +- [c]rea un archivo con formato g[z]ip y lo escribe en un [f]ichero: `tar czf {{ruta/al/objetivo.tar.gz}} {{ruta/al/archivo1 ruta/al/archivo2 ...}}` -- [c]rea un archivo g[z]ipado desde un directorio utilizando rutas relativas: +- [c]rea un archivo con formato g[z]ip desde un directorio utilizando rutas relativas: `tar czf {{ruta/al/objetivo.tar.gz}} --directory={{ruta/al/directorio}} .` -- E[x]trae un [f]ile (comprimido) al directorio actual [v]erbosamente: +- E[x]trae un [f]ichero (comprimido) al directorio actual [v]erbosamente: `tar xvf {{ruta/a/fuente.tar[.gz|.bz2|.xz]}}` -- E[x]trae un [f]ile (comprimido) al directorio de destino: +- E[x]trae un [f]ichero (comprimido) al directorio de destino: -`tar xf {{ruta/al/fuente.tar[.gz|.bz2|.xz]}} --directory={{ruta/al/directorio}}` +`tar xf {{ruta/al/archivo_de_entrada.tar[.gz|.bz2|.xz]}} --directory={{ruta/al/directorio}}` - Crea un archivo comprimido y lo escribe en una carpeta, utilizando la extensión del archivo para determinar automáticamente el programa de compresión: `tar caf {{ruta/al/objetivo.tar.xz}} {{ruta/al/archivo1 ruta/al/archivo2 ...}}` -- Lis[t]a el contenido de un [f]ile tar [v]erbosamente: +- Lis[t]a el contenido de un [f]ichero tar [v]erbosamente: -`tar tvf {{ruta/al/fuente.tar}}` +`tar tvf {{ruta/al/archivo_de_entrada.tar}}` -- E[x]trae ficheros que coincidan con un patrón de un [f]ile: +- E[x]trae ficheros que coincidan con un patrón de un [f]ichero: -`tar xf {{ruta/al/fuente.tar}} --wildcards "{{*.html}}"` +`tar xf {{ruta/al/archivo_de_entrada.tar}} --wildcards "{{*.html}}"` diff --git a/pages.es/common/terraform-output.md b/pages.es/common/terraform-output.md new file mode 100644 index 000000000..4666b6254 --- /dev/null +++ b/pages.es/common/terraform-output.md @@ -0,0 +1,20 @@ +# terraform output + +> Exporta datos estructurados sobre tus recursos Terraform. +> Más información: . + +- Sin argumentos adicionales, `output` mostrará todas las salidas del módulo raíz: + +`terraform output` + +- Genera solo un valor con un nombre específico: + +`terraform output {{nombre}}` + +- Convierte el valor de salida en una cadena sin formato (útil para scripts de shell): + +`terraform output -raw` + +- Formatea las salidas como un objeto JSON, con una clave por cada salida (útil con jq): + +`terraform output -json` diff --git a/pages.es/common/theharvester.md b/pages.es/common/theharvester.md new file mode 100644 index 000000000..64a1cc36c --- /dev/null +++ b/pages.es/common/theharvester.md @@ -0,0 +1,24 @@ +# theHarvester + +> Una herramienta diseñada para las primeras etapas en una prueba de penetración. +> Más información: . + +- Recopila información sobre un dominio utilizando Google: + +`theHarvester --domain {{nombre_de_dominio}} --source google` + +- Recopila información sobre un dominio utilizando varias fuentes: + +`theHarvester --domain {{nombre_de_dominio}} --source {{duckduckgo,bing,crtsh}}` + +- Cambia el límite de resultados con los que trabajar: + +`theHarvester --domain {{nombre_de_dominio}} --source {{google}} --limit {{200}}` + +- Guarda el resultado en dos archivos en formato XML y HTML: + +`theHarvester --domain {{nombre_de_dominio}} --source {{google}} --file {{nombre_de_archivo_de_salida}}` + +- Muestra ayuda: + +`theHarvester --help` diff --git a/pages.es/common/tldr.md b/pages.es/common/tldr.md new file mode 100644 index 000000000..9e3b9c0e7 --- /dev/null +++ b/pages.es/common/tldr.md @@ -0,0 +1,33 @@ +# tldr + +> Muestra páginas de ayuda simples para herramientas de línea de comandos del proyecto tldr-pages. +> Nota: las opciones `--language` y `--list` no son requeridas por la especificación del cliente, pero la mayoría de los mismos las implementan. +> Más información: . + +- Imprime la página tldr para un comando específico (pista: ¡así es como has llegado hasta aquí!): + +`tldr {{comando}}` + +- Imprime la página tldr para un subcomando específico: + +`tldr {{comando}} {{subcomando}}` + +- Imprime la página tldr para un comando en el [L]enguaje dado (si está disponible, de lo contrario vuelve al inglés): + +`tldr --language {{código_de_lenguaje}} {{comando}}` + +- Imprime la página tldr para un comando de una [p]lataforma específica: + +`tldr --platform {{android|common|freebsd|linux|osx|netbsd|openbsd|sunos|windows}} {{comando}}` + +- Actualiza la caché local de páginas tldr: + +`tldr --update` + +- [l]ista todas las páginas para la plataforma actual y `common`: + +`tldr --list` + +- [l]ista todas las páginas de subcomandos disponibles para un comando: + +`tldr --list | grep {{comando}} | column` diff --git a/pages.es/common/tlmgr-arch.md b/pages.es/common/tlmgr-arch.md index 40f608a05..246239eba 100644 --- a/pages.es/common/tlmgr-arch.md +++ b/pages.es/common/tlmgr-arch.md @@ -1,4 +1,4 @@ -# tlmgr-arch +# tlmgr arch > Este comando es un alias de `tlmgr platform`. > Más información: . diff --git a/pages.es/common/toipe.md b/pages.es/common/toipe.md new file mode 100644 index 000000000..396e1c9c4 --- /dev/null +++ b/pages.es/common/toipe.md @@ -0,0 +1,25 @@ +# toipe + +> Otra prueba de tipeo, pero con sabor a cangrejo. +> Un confiable evaluador de tipeo de terminal. +> Más información: . + +- Inicia el examen de tipeo con la lista de palabras por defecto: + +`toipe` + +- Usa una lista de palabras específica: + +`toipe {{-w|--wordlist}} {{nombre_de_la_lista}}` + +- Utiliza una lista de palabras personalizada: + +`toipe {{-f|--file}} {{ruta/al/archivo}}` + +- Especifique el número de palabras de cada prueba: + +`toipe {{-n|--num}} {{número_de_palabras}}` + +- Incluya signos de puntuación: + +`toipe {{-p|--punctuation}}` diff --git a/pages.es/common/touch.md b/pages.es/common/touch.md index 9181f4f14..fe6c1b154 100644 --- a/pages.es/common/touch.md +++ b/pages.es/common/touch.md @@ -1,7 +1,7 @@ # touch > Cambia el tiempo de accesso y modificación de un archivo (atime, mtime). -> Más información: . +> Más información: . - Crea un archivo nuevo o cambia los tiempos de archivos existentes al tiempo actual: diff --git a/pages.es/common/tree.md b/pages.es/common/tree.md index 482a1bb6c..5b6956373 100644 --- a/pages.es/common/tree.md +++ b/pages.es/common/tree.md @@ -1,7 +1,7 @@ # tree > Muestra los contenidos del directorio actual en forma de árbol. -> Más información: . +> Más información: . - Imprime archivos y directorios hasta `num` niveles de profundidad (donde 1 significa el directorio actual): diff --git a/pages.es/common/type.md b/pages.es/common/type.md new file mode 100644 index 000000000..e709e6568 --- /dev/null +++ b/pages.es/common/type.md @@ -0,0 +1,21 @@ +# type + +> Muestra el tipo de comando que ejecutará el intérprete de comandos. +> Nota: todos los ejemplos no son compatibles con POSIX. +> Más información: . + +- Muestra el tipo de un comando: + +`type {{comando}}` + +- Muestra todas las rutas con el ejecutable especificado (solo funciona en los intérpretes de comandos Bash/fish/Zsh): + +`type -a {{comando}}` + +- Muestra el nombre del archivo en disco que se ejecutaría (solo funciona en intérpretes de comandos Bash/fish/Zsh): + +`type -p {{comando}}` + +- Muestra el tipo de un comando específico, alias/palabra clave/función/integrado/archivo (solo funciona en intérpretes de comandos Bash/fish): + +`type -t {{comando}}` diff --git a/pages.es/common/typeinc.md b/pages.es/common/typeinc.md new file mode 100644 index 000000000..859c17cd0 --- /dev/null +++ b/pages.es/common/typeinc.md @@ -0,0 +1,21 @@ +# typeinc + +> Un programa de línea de comandos basado en `ncurses` para probar la velocidad de tecleo, escrito en Python. +> Prueba diferentes niveles de dificultad y mejora tu velocidad de tecleo. +> Más información: . + +- Entra en la prueba de mecanografía: + +`typeinc` + +- Muestra la lista de los 10 primeros clasificados por nivel de dificultad de entrada:: + +`typeinc {{-r|--ranklist}} {{nivel_de_dificultad}}` + +- Obtén palabras aleatorias en inglés presentes en nuestra lista de palabras: + +`typeinc {{-w|--words}} {{conteo_de_palabras}}` + +- Calcula el resultado hipotético en Typeinc: + +`typeinc {{-s|--score}}` diff --git a/pages.es/common/upt.md b/pages.es/common/upt.md new file mode 100644 index 000000000..a6eb9dbd1 --- /dev/null +++ b/pages.es/common/upt.md @@ -0,0 +1,38 @@ +# upt + +> Interfaz unificada para gestionar paquetes en varios sistemas operativos, tales como Windows, diversas distribuciones de Linux, macOS, FreeBSD e incluso Haiku. +> Requiere que el gestor de paquetes nativo del sistema operativo esté instalado. +> Vea también: `flatpak`, `brew`, `scoop`, `apt`, `dnf`. +> Más información: . + +- Actualiza la lista de paquetes disponibles: + +`upt update` + +- Busca un paquete: + +`upt search {{término_de_búsqueda}}` + +- Muestra información sobre un paquete: + +`upt info {{paquete}}` + +- Instala un paquete: + +`upt install {{paquete}}` + +- Elimina un paquete: + +`upt {{remove|uninstall}} {{paquete}}` + +- Actualiza todos los paquetes instalados: + +`upt upgrade` + +- Actualiza un paquete: + +`upt upgrade {{paquete}}` + +- Lista los paquetes instalados: + +`upt list` diff --git a/pages.es/common/usql.md b/pages.es/common/usql.md index 7e001a491..2ba65e4da 100644 --- a/pages.es/common/usql.md +++ b/pages.es/common/usql.md @@ -15,22 +15,18 @@ `usql --command="{{comando_sql}}"` -- Lista las bases de datos disponibles en el servidor: - -`usql --list-databases` - -- Ejecuta un comando SQL en el indicador `usql`: +- Ejecuta un comando SQL en el intérprete de comandos de `usql`: `{{prompt}}=> {{comando}}` - Muestra el esquema de la base de datos: -`{{prompt}}=> {{\d}}` +`{{prompt}}=> \d` - Exporta los resultados de la consulta a un archivo específico: -`{{prompt}}=> \g {{ruta/a/resultados.txt}}` +`{{prompt}}=> \g {{ruta/a/archivo_con_resultados}}` - Importa datos de un archivo CSV a una tabla específica: -`{{prompt}}=> \copy {{/ruta/a/datos.csv}} {{nombre_tabla}}` +`{{prompt}}=> \copy {{ruta/a/datos.csv}} {{nombre_de_tabla}}` diff --git a/pages.es/common/uv-python.md b/pages.es/common/uv-python.md new file mode 100644 index 000000000..e7c1d0fc7 --- /dev/null +++ b/pages.es/common/uv-python.md @@ -0,0 +1,28 @@ +# uv python + +> Gestiona las versiones e instalaciones de Python. +> Más información: . + +- Lista todas las instalaciones de Python disponibles: + +`uv python list` + +- Instala una versión de Python: + +`uv python install {{versión}}` + +- Desinstala una versión de Python: + +`uv python uninstall {{version}}` + +- Busca una instalación de Python: + +`uv python find {{versión}}` + +- Fija el proyecto actual para utilizar una versión específica de Python: + +`uv python pin {{versión}}` + +- Muestra el directorio de instalación de `uv` Python: + +`uv python dir` diff --git a/pages.es/common/vcpkg.md b/pages.es/common/vcpkg.md index 3832adbc5..d1e99b6e9 100644 --- a/pages.es/common/vcpkg.md +++ b/pages.es/common/vcpkg.md @@ -2,7 +2,7 @@ > Gestor de paquetes para librerías C/C++. > Nota: los paquetes no se instalan en el sistema. Para usarlos, necesitas decirle a tu sistema de compilación (por ejemplo CMake) que use `vcpkg`. -> Más información: . +> Más información: . - Construye y añade el paquete `libcurl` al entorno de `vcpkg`: diff --git a/pages.es/common/virt-qemu-run.md b/pages.es/common/virt-qemu-run.md new file mode 100644 index 000000000..0ab3b11c8 --- /dev/null +++ b/pages.es/common/virt-qemu-run.md @@ -0,0 +1,20 @@ +# virt-qemu-run + +> Herramienta experimental para ejecutar una Guest VM QEMU independiente de `libvirtd`. +> Más información: . + +- Ejecuta una máquina virtual QEMU: + +`virt-qemu-run {{ruta/a/guest.xml}}` + +- Ejecuta una máquina virtual QEMU y almacena el estado en un directorio específico: + +`virt-qemu-run --root={{ruta/a/directorio}} {{ruta/a/guest.xml}}` + +- Ejecuta una máquina virtual QEMU y muestra información detallada sobre el inicio: + +`virt-qemu-run --verbose {{ruta/a/guest.xml}}` + +- Muestra ayuda: + +`virt-qemu-run --help` diff --git a/pages.es/common/vulkaninfo.md b/pages.es/common/vulkaninfo.md new file mode 100644 index 000000000..8d93d55f8 --- /dev/null +++ b/pages.es/common/vulkaninfo.md @@ -0,0 +1,16 @@ +# vulkaninfo + +> Imprime información del sistema Vulkan. +> Más información: . + +- Imprime la información completa de Vulkan: + +`vulkaninfo` + +- Imprime un resumen: + +`vulkaninfo --summary` + +- Genera un documento HTML con la información completa de Vulkan: + +`vulkaninfo --html` diff --git a/pages.es/common/wafw00f.md b/pages.es/common/wafw00f.md new file mode 100644 index 000000000..83b2f2335 --- /dev/null +++ b/pages.es/common/wafw00f.md @@ -0,0 +1,32 @@ +# wafw00f + +> Identifica y toma las huellas digitales de los productos Web Application Firewall (WAF) que protegen un sitio web. +> Más información: . + +- Comprueba si un sitio web utiliza algún WAF: + +`wafw00f {{https://www.ejemplo.com}}` + +- Comprueba a todos los WAF detectables sin detenerse en la primera coincidencia: + +`wafw00f --findall {{https://www.ejemplo.com}}` + +- Pasa peticiones a través de un [p]roxy (como BurpSuite): + +`wafw00f --proxy {{http://localhost:8080}} {{https://www.ejemplo.com}}` + +- [t]estea un producto WAF específico (ejecuta `wafw00f -l` para obtener una lista de todos los WAF compatibles): + +`wafw00f --test {{Cloudflare|Cloudfront|Fastly|ZScaler|...}} {{https://www.ejemplo.com}}` + +- Pasa cabeceras personalizadas desde un archivo: + +`wafw00f --headers {{ruta/a/cabeceras.txt}} {{https://www.ejemplo.com}}` + +- Lee entradas de destino desde un archivo y muestra una salida detallada (múltiples `v` para más verbosidad): + +`wafw00f --input {{ruta/a/urls.txt}} -v{{v}}` + +- [l]ista todos los WAF que pueden detectarse: + +`wafw00f --list` diff --git a/pages.es/common/wakeonlan.md b/pages.es/common/wakeonlan.md new file mode 100644 index 000000000..46943431c --- /dev/null +++ b/pages.es/common/wakeonlan.md @@ -0,0 +1,20 @@ +# wakeonlan + +> Envía paquetes a los PCs habilitados para wake-on-LAN (WOL). +> Más información: . + +- Envía paquetes a todos los dispositivos de la red local (255.255.255.255) especificando una dirección MAC: + +`wakeonlan {{01:02:03:04:05:06}}` + +- Envía paquete a un dispositivo específico a través de una dirección IP: + +`wakeonlan {{01:02:03:04:05:06}} -i {{192.168.178.2}}` + +- Imprime los comandos, pero no los ejecutes (dry-run): + +`wakeonlan -n {{01:02:03:04:05:06}}` + +- Ejecuta en modo silencioso: + +`wakeonlan -q {{01:02:03:04:05:06}}` diff --git a/pages.es/common/waybar.md b/pages.es/common/waybar.md new file mode 100644 index 000000000..7b23d5b93 --- /dev/null +++ b/pages.es/common/waybar.md @@ -0,0 +1,20 @@ +# waybar + +> Barra Wayland altamente personalizable para compositores basados en Sway y Wlroots. +> Más información: . + +- Inicia `waybar` con la configuración y hoja de estilos predeterminada: + +`waybar` + +- Usa un archivo de configuración diferente: + +`waybar {{-c|--config}} {{ruta/a/archivo_de_configuración.jsonc}}` + +- Utiliza un archivo de hoja de estilo diferente: + +`waybar {{-s|--style}} {{ruta/a/hoja_de_estilo.css}}` + +- Establece el nivel de registro: + +`waybar {{-l|--log-level}} {{trace|debug|info|warning|error|critical|off}}` diff --git a/pages.es/common/waymore.md b/pages.es/common/waymore.md new file mode 100644 index 000000000..a812f1d57 --- /dev/null +++ b/pages.es/common/waymore.md @@ -0,0 +1,21 @@ +# waymore + +> Obtén las URLs de un dominio desde Wayback Machine, Common Crawl, Alien Vault OTX, URLScan y VirusTotal. +> Nota: A menos que se especifique lo contrario, los resultados se escriben en el directorio `results/` donde reside el archivo `config.yml` de waymore (por defecto en `~/.config/waymore/`). +> Más información: . + +- Busca URLs de un dominio (la salida suele estar en `~/.config/waymore/results/`): + +`waymore -i {{ejemplo.com}}` + +- Limita los resultados de la búsqueda para que solo incluyan una lista de URLs de un dominio y almacena los resultados en el archivo especificado: + +`waymore -mode U -oU {{ruta/a/ejemplo.com-urls.txt}} -i {{ejemplo.com}}` + +- Imprime solo los cuerpos de contenido de las URLs y almacena los resultados en el directorio especificado: + +`waymore -mode R -oR {{ruta/a/ejemplo.com-url-responses}} -i {{ejemplo.com}}` + +- Filtra los resultados especificando intervalos de fechas: + +`waymore -from {{YYYYMMDD|YYYMM|YYYY}} -to {{AAAAMMDD|AAAAMMD|AAAAMMD}} -i {{ejemplo.com}}` diff --git a/pages.es/common/wdiff.md b/pages.es/common/wdiff.md new file mode 100644 index 000000000..0bad5a4a0 --- /dev/null +++ b/pages.es/common/wdiff.md @@ -0,0 +1,16 @@ +# wdiff + +> Muestra las diferencias de palabras entre archivos de texto. +> Más información: . + +- Compara dos archivos: + +`wdiff {{ruta/al/archivo1}} {{ruta/al/archivo2}}` + +- Ignora mayúsculas y minúsculas al comparar: + +`wdiff --ignore-case {{ruta/al/archivo1}} {{ruta/al/archivo2}}` + +- Muestra cuantas palabras se han eliminado, insertado o sustituido: + +`wdiff --statistics {{ruta/al/archivo1}} {{ruta/al/archivo2}}` diff --git a/pages.es/common/whatwaf.md b/pages.es/common/whatwaf.md new file mode 100644 index 000000000..a614e9fa2 --- /dev/null +++ b/pages.es/common/whatwaf.md @@ -0,0 +1,32 @@ +# whatwaf + +> Detecta y elude cortafuegos de aplicaciones web y sistemas de protección. +> Más información: . + +- Detecta protección en una sola [u]RL, opcionalmente utiliza salida verbose: + +`whatwaf --url {{https://example.com}} --verbose` + +- Detecta protección en un [l]ista de URLs en paralelo desde un archivo (una URL por línea): + +`whatwaf --threads {{número}} --list {{ruta/a/archivo}}` + +- Envía peticiones a través de un proxy y utiliza una lista de carga útil personalizada desde un archivo (una carga útil por línea): + +`whatwaf --proxy {{http://127.0.0.1:8080}} --pl {{ruta/a/archivo}} -u {{https://example.com}}` + +- Envía peticiones a través de Tor (Tor debe estar instalado) utilizando cargas personalizadas (separadas por comas): + +`whatwaf --tor --payloads '{{carga1,carga2,...}}' -u {{https://example.com}}` + +- Utiliza un agente de usuario aleatorio, establece el estrangulamiento y el tiempo de espera, envía una solicitud [P]OST y fuerza una conexión HTTPS: + +`whatwaf --ra --throttle {{segundos}} --timeout {{segundos}} --post --force-ssl -u {{http://example.com}}` + +- Enumera todos los WAF que se pueden detectar: + +`whatwaf --wafs` + +- Lista todos los scripts de manipulación disponibles: + +`whatwaf --tampers` diff --git a/pages.es/common/xkill.md b/pages.es/common/xkill.md index c0e161d77..ff64b95b1 100644 --- a/pages.es/common/xkill.md +++ b/pages.es/common/xkill.md @@ -1,9 +1,17 @@ # xkill > Cierra de manera forzosa una ventana interactivamente en una sesión gráfica. -> Véase también `kill` y `killall`. +> Vea también `kill` y `killall`. > Más información: . - Muestra un cursor para cerrar forzosamente una ventana presionando con el botón izquierdo (presiona cualquier otro botón del ratón para cancelar): `xkill` + +- Muestra un cursor para seleccionar una ventana para cerrarla forzosamente al presionar cualquier botón del ratón: + +`xkill -button any` + +- Cierra forzosamente una ventana con un ID específico (use `xwininfo` para obtener información acerca de las ventanas): + +`xkill -id {{id}}` diff --git a/pages.es/common/xmake.md b/pages.es/common/xmake.md new file mode 100644 index 000000000..71fb2d8a8 --- /dev/null +++ b/pages.es/common/xmake.md @@ -0,0 +1,24 @@ +# xmake + +> Una utilidad de compilación multiplataforma C & C++ basada en Lua. +> Más información: . + +- Crea un proyecto Xmake C, consistente en un hello world y `xmake.lua`: + +`xmake create --language c -P {{nombre_del_proyecto}}` + +- Construye y ejecuta un proyecto Xmake: + +`xmake build run` + +- Ejecuta directamente un objetivo Xmake compilado: + +`xmake run {{nombre_del_objetivo}}` + +- Configura los objetivos de compilación de un proyecto: + +`xmake config --plat={{macosx|linux|iphoneos|...}} --arch={{x86_64|i386|arm64| ..}} --mode={{debug|release}}` + +- Instala el objetivo compilado en un directorio: + +`xmake install -o {{ruta/al/directorio}}` diff --git a/pages.es/common/yacc.md b/pages.es/common/yacc.md new file mode 100644 index 000000000..b9cd39a55 --- /dev/null +++ b/pages.es/common/yacc.md @@ -0,0 +1,17 @@ +# yacc + +> Genera un analizador sintáctico LALR (en C) con un archivo de especificación de gramática formal. +> Vea también: `bison`. +> Más información: . + +- Crea un fichero `y.tab.c` con el código del analizador en C y compila el fichero de gramática con todas las declaraciones constantes necesarias para los valores. El fichero `y.tab.h` con las declaraciones se crea exclusivamente con la opción `-d`: + +`yacc -d {{ruta/al/archivo_de_gramática.y}}` + +- Compila un fichero de gramática con la descripción del analizador sintáctico y un informe de conflictos generados por ambigüedades en la gramática: + +`yacc -d {{ruta/al/archivo_de_gramática.y}} -v` + +- Compila un archivo de gramática, y prefija los nombres de los archivos de salida con un prefijo personalizado en lugar de `y`: + +`yacc -d {{ruta/al/archivo_de_gramática.y}} -v -b {{prefijo}}` diff --git a/pages.es/common/zint.md b/pages.es/common/zint.md new file mode 100644 index 000000000..ab691f315 --- /dev/null +++ b/pages.es/common/zint.md @@ -0,0 +1,16 @@ +# zint + +> Genera códigos de barras y códigos QR. +> Más información: . + +- Crea un archivo con un código de barras: + +`zint --data "{{datos_UTF-8}}" --output {{ruta/al/archivo}}` + +- Crea un archivo con otro tipo de código de barras: + +`zint --barcode {{tipo_de_código}} --data "{{datos_UTF-8}}" --output {{ruta/al/archivo}}` + +- Lista todos los tipos de códigos de barras soportados: + +`zint --types` diff --git a/pages.es/linux/zipcloak.md b/pages.es/common/zipcloak.md similarity index 100% rename from pages.es/linux/zipcloak.md rename to pages.es/common/zipcloak.md diff --git a/pages.es/common/zsh.md b/pages.es/common/zsh.md index c54b3aa19..be8e91818 100644 --- a/pages.es/common/zsh.md +++ b/pages.es/common/zsh.md @@ -1,10 +1,10 @@ # zsh -> Z SHell, un intérprete para la línea de comandos compatible con Bash. -> Véase también `histexpand` para la expansión del historial. +> Z SHell, un intérprete de línea de comandos compatible con Bash. +> Vea también `histexpand` para la expansión del historial. > Más información: . -- Comienza una sesión interactiva en la shell: +- Comienza una sesión interactiva en el intérprete de comandos: `zsh` @@ -16,10 +16,22 @@ `zsh {{ruta/al/script.zsh}}` +- Comprueba si hay errores de sintaxis en un script sin ejecutarlo: + +`zsh --no-exec {{ruta/al/script.zsh}}` + +- Ejecuta comandos desde `stdin`: + +`{{comando}} | zsh` + - Ejecuta un script, mostrando cada comando antes de ejecutarlo: `zsh --xtrace {{ruta/al/script.zsh}}` -- Comienza una sesión interactiva en la shell en modo detallado, mostrando cada comando antes de ejecutarlo: +- Comienza una sesión interactiva en el intérprete de comandos en modo detallado, mostrando cada comando antes de ejecutarlo: `zsh --verbose` + +- Ejecuta un comando dentro de `zsh` con patrones glob desactivados: + +`noglob {{command}}` diff --git a/pages.es/freebsd/look.md b/pages.es/freebsd/look.md index e79b4e68d..67bed895f 100644 --- a/pages.es/freebsd/look.md +++ b/pages.es/freebsd/look.md @@ -10,11 +10,11 @@ - Busca caracteres alfanuméricos sin tomar en cuenta las mayúsculas o minúsculas: -`look -{{f|-ignore-case}} -{{d|-alphanum}} {{prefijo}} {{ruta/al/archivo}}` +`look {{-f|--ignore-case}} {{-d|--alphanum}} {{prefijo}} {{ruta/al/archivo}}` -- Especifica un carácter de [t]erminación de cadena (un espacio por defecto): +- Especifica un carácter de terminación de cadena (un espacio por defecto): -`look -{{t|-terminate}} {{,}}` +`look {{-t|--terminate}} {{,}}` - Busca en `/usr/share/dict/words` (se asumen `--ignore-case` y `--alphanum`): diff --git a/pages.es/linux/a2disconf.md b/pages.es/linux/a2disconf.md index 95f8be221..be49f2c92 100644 --- a/pages.es/linux/a2disconf.md +++ b/pages.es/linux/a2disconf.md @@ -1,7 +1,7 @@ # a2disconf > Deshabilita un archivo de configuración de Apache en sistemas operativos basados en Debian. -> Más información: . +> Más información: . - Deshabilita un archivo de configuración: diff --git a/pages.es/linux/a2dismod.md b/pages.es/linux/a2dismod.md index f5d61cfad..863a65d5f 100644 --- a/pages.es/linux/a2dismod.md +++ b/pages.es/linux/a2dismod.md @@ -1,7 +1,7 @@ # a2dismod > Deshabilita un módulo de Apache en sistemas operativos basados en Debian. -> Más información: . +> Más información: . - Deshabilita un módulo: diff --git a/pages.es/linux/a2dissite.md b/pages.es/linux/a2dissite.md index a259aa834..00839733c 100644 --- a/pages.es/linux/a2dissite.md +++ b/pages.es/linux/a2dissite.md @@ -1,7 +1,7 @@ # a2dissite > Deshabilita un servidor virtual Apache en sistemas operativos basados en Debian. -> Más información: . +> Más información: . - Deshabilita un host virtual: diff --git a/pages.es/linux/a2enconf.md b/pages.es/linux/a2enconf.md index 1cb390940..c0e9e5954 100644 --- a/pages.es/linux/a2enconf.md +++ b/pages.es/linux/a2enconf.md @@ -1,7 +1,7 @@ # a2enconf > Habilita un archivo de configuración de Apache en sistemas operativos basados en Debian. -> Más información: . +> Más información: . - Habilita un archivo de configuración: diff --git a/pages.es/linux/a2enmod.md b/pages.es/linux/a2enmod.md index e5c46ec4c..77e65c5b1 100644 --- a/pages.es/linux/a2enmod.md +++ b/pages.es/linux/a2enmod.md @@ -1,7 +1,7 @@ # a2enmod > Habilita un módulo de Apache en sistemas operativos basados en Debian. -> Más información: . +> Más información: . - Habilita un módulo: diff --git a/pages.es/linux/a2ensite.md b/pages.es/linux/a2ensite.md index ad0c19579..b096a3f52 100644 --- a/pages.es/linux/a2ensite.md +++ b/pages.es/linux/a2ensite.md @@ -1,7 +1,7 @@ # a2ensite > Habilita un servidor virtual Apache en sistemas operativos basados en Debian. -> Más información: . +> Más información: . - Habilita un host virtual: diff --git a/pages.es/linux/a2query.md b/pages.es/linux/a2query.md index 618a9788a..b9e610424 100644 --- a/pages.es/linux/a2query.md +++ b/pages.es/linux/a2query.md @@ -1,7 +1,7 @@ # a2query > Recupera la configuración en tiempo de ejecución de Apache en sistemas operativos basados en Debian. -> Más información: . +> Más información: . - Lista módulos de Apache habilitados: diff --git a/pages.es/linux/abbr.md b/pages.es/linux/abbr.md index 03337f96a..4d8c4428c 100644 --- a/pages.es/linux/abbr.md +++ b/pages.es/linux/abbr.md @@ -1,6 +1,6 @@ # abbr -> Administra abreviaturas para el shell fish. +> Administra abreviaturas del intérprete de comandos fish. > Las palabras definidas por el usuario se reemplazan con frases más largas después de ingresarlas. > Más información: . diff --git a/pages.es/linux/agetty.md b/pages.es/linux/agetty.md new file mode 100644 index 000000000..3b1c87f5a --- /dev/null +++ b/pages.es/linux/agetty.md @@ -0,0 +1,30 @@ +# agetty + +> Alternativa a `getty`: Abre un puerto `tty`, pide un nombre de usuario, e invoca el comando `/bin/login`. +> Normalmente es invocado por `init`. +> Nota: la tasa de baudios es la velocidad de transferencia de datos entre una terminal y un dispositivo a través de una conexión serie. +> Más información: . + +- Conecta `stdin` a un puerto (relativo a `/dev`) y especifica opcionalmente una tasa de baudios (cuyo valor predeterminado es 9600): + +`agetty {{tty}} {{115200}}` + +- Asume que `stdin` ya está conectado a una `tty` y establece un tiempo de espera para el inicio de sesión: + +`agetty {{-t|--timeout}} {{tiempo_de_espera_en_segundos}} -` + +- Asume que `tty` es de [8]-bits, sobreescribiendo la variable de entorno `TERM` establecida por `init`: + +`agetty -8 - {{variable_term}}` + +- Omite el inicio de sesión e invoca, como superusuario, otro programa de inicio de sesión en lugar de `/bin/login`: + +`agetty {{-n|--skip-login}} {{-l|--login-program}} {{programa_de_inicio_de_sesión}} {{tty}}` + +- Escribe el mensaje de inicio de sesión sin mostrar el contenido del archivo de pre-inicio de sesión (`/etc/issue` por predeterminado): + +`agetty {{-i|--noissue}} -` + +- Cambia el directorio raíz y escribe un host falso en el archivo `utmp`: + +`agetty {{-r|--chroot}} {{/ruta/a/raíz_directorio}} {{-H|--host}} {{host_falso}} -` diff --git a/pages.es/linux/apt-add-repository.md b/pages.es/linux/apt-add-repository.md index 43306e734..00eff2fb0 100644 --- a/pages.es/linux/apt-add-repository.md +++ b/pages.es/linux/apt-add-repository.md @@ -1,13 +1,13 @@ # apt-add-repository -> Gestiona las definiciones del repositorio apt. -> Más información: . +> Gestiona las definiciones del repositorio APT. +> Más información: . -- Añade un nuevo repositorio apt: +- Añade un nuevo repositorio APT: `apt-add-repository {{repositorio}}` -- Elimina un repositorio apt: +- Elimina un repositorio APT: `apt-add-repository --remove {{repositorio}}` diff --git a/pages.es/linux/apt-cache.md b/pages.es/linux/apt-cache.md index f06cea077..ef88da3f4 100644 --- a/pages.es/linux/apt-cache.md +++ b/pages.es/linux/apt-cache.md @@ -1,7 +1,7 @@ # apt-cache > Herramienta de consulta de paquetes para Debian y Ubuntu. -> Más información: . +> Más información: . - Busca un paquete en tus fuentes actuales: diff --git a/pages.es/linux/apt-file.md b/pages.es/linux/apt-file.md index 02eeb5893..c04482838 100644 --- a/pages.es/linux/apt-file.md +++ b/pages.es/linux/apt-file.md @@ -1,7 +1,7 @@ # apt-file -> Busca archivos en paquetes apt, incluyendo los que aún no fueron instalados. -> Más información: . +> Busca archivos en paquetes APT, incluyendo los que aún no fueron instalados. +> Más información: . - Actualiza los metadatos de la base de datos: diff --git a/pages.es/linux/apt-get.md b/pages.es/linux/apt-get.md index a482dc074..ae75acc47 100644 --- a/pages.es/linux/apt-get.md +++ b/pages.es/linux/apt-get.md @@ -2,7 +2,7 @@ > Utilidad de gestión de paquetes para Debian y Ubuntu. > Búsqueda de paquetes mediante `apt-cache`. -> Más información: . +> Más información: . - Actualiza la lista de paquetes y versiones disponibles (se recomienda ejecutar esto antes de otros comandos `apt-get`): diff --git a/pages.es/linux/apt-key.md b/pages.es/linux/apt-key.md index a69b56779..f28357604 100644 --- a/pages.es/linux/apt-key.md +++ b/pages.es/linux/apt-key.md @@ -1,7 +1,7 @@ # apt-key > Herramienta para la gestión de claves para el Gestor de Paquetes APT (APT Package Manager) en Debian y Ubuntu. -> Más información: . +> Más información: . - Muestra las claves de confianza: @@ -13,7 +13,7 @@ - Borra una clave del almacén de claves de confianza: -`apt-key del {{id_clave}}` +`apt-key del {{identificador_de_clave}}` - Añade un clave remota al almacén de claves de confianza: @@ -21,4 +21,4 @@ - Añade una clave de un servidor de claves con el identificador de la clave: -`apt-key adv --keyserver {{pgp.mit.edu}} --recv {{id_clave}}` +`apt-key adv --keyserver {{pgp.mit.edu}} --recv {{identificador_de_clave}}` diff --git a/pages.es/linux/apt-mark.md b/pages.es/linux/apt-mark.md index 68dc540d1..889744395 100644 --- a/pages.es/linux/apt-mark.md +++ b/pages.es/linux/apt-mark.md @@ -1,7 +1,7 @@ # apt-mark > Herramienta para cambiar el estado de los paquetes instalados. -> Más información: . +> Más información: . - Marca un paquete como instalado automáticamente: diff --git a/pages.es/linux/apt.md b/pages.es/linux/apt.md index b0a1c7e4c..0935f2a28 100644 --- a/pages.es/linux/apt.md +++ b/pages.es/linux/apt.md @@ -2,7 +2,7 @@ > Herramienta de gestión de paquete para distribuciones basadas en Debian. > Se recomienda sustituirlo por `apt-get` cuando se use interactivamente en Ubuntu 16.04 o versiones posteriores. -> Más información: . +> Más información: . - Actualiza la lista de paquetes y versiones disponibles (se recomienda ejecutar este comando antes que cualquier otro comando `apt`): diff --git a/pages.es/linux/aptitude.md b/pages.es/linux/aptitude.md index 36ba556cb..b09bcdb71 100644 --- a/pages.es/linux/aptitude.md +++ b/pages.es/linux/aptitude.md @@ -1,7 +1,7 @@ # aptitude > Herramienta de gestión de paquetes para Debian y Ubuntu. -> Más información: . +> Más información: . - Sincroniza la lista de paquetes y versiones disponible (se recomienda ejecutar este comando antes que cualquier otro comando `aptitude`): diff --git a/pages.es/linux/audit2allow.md b/pages.es/linux/audit2allow.md new file mode 100644 index 000000000..6c120d495 --- /dev/null +++ b/pages.es/linux/audit2allow.md @@ -0,0 +1,21 @@ +# audit2allow + +> Crea un módulo de política local SELinux para permitir reglas basadas en operaciones denegadas encontradas en los logs. +> Nota: Utiliza audit2allow con precaución - revisa siempre la directiva generada antes de aplicarla, ya que puede permitir un acceso excesivo. +> Más información: . + +- Genera una política local para permitir el acceso a todos los servicios denegados: + +`sudo audit2allow --all -M {{nombre_de_la_normativa_local}}` + +- Genera un módulo de normativa local para conceder acceso a un proceso/servicio/comando específico de los registros de auditoría: + +`sudo grep {{apache2}} /var/log/audit/audit.log | sudo audit2allow -M {{nombre_de_la_normativa_local}}` + +- Inspecciona y revisa el archivo Type Enforcement (.te) para una normativa local: + +`vim {{nombre_de_la_normativa_local}}.te` + +- Instala un módulo de normativa local: + +`sudo semodule -i {{nombre_de_la_normativa_local}}.pp` diff --git a/pages.es/linux/auditctl.md b/pages.es/linux/auditctl.md new file mode 100644 index 000000000..80306c933 --- /dev/null +++ b/pages.es/linux/auditctl.md @@ -0,0 +1,32 @@ +# auditctl + +> Utilidad para controlar el comportamiento, obtener el estado y gestionar las reglas del Sistema de Auditoría de Linux. +> Más información: . + +- Muestra el e[s]tado del sistema de auditoría: + +`sudo auditctl -s` + +- Muestra todas las reglas de auditoría cargadas actualmente: + +`sudo auditctl -l` + +- Elimina todas las reglas de auditoría: + +`sudo auditctl -D` + +- Habilita/deshabilita el sistema de auditoría: + +`sudo auditctl -e {{1|0}}` + +- Vigila un archivo en busca de cambios: + +`sudo auditctl -a always,exit -F arch=b64 -F path={{/ruta/al/archivo}} -F perm=wa` + +- Busca cambios en un directorio de forma recursiva: + +`sudo auditctl -a always,exit -F arch=b64 -F dir={{/ruta/al/directorio/}} -F perm=wa` + +- Muestra ayuda: + +`auditctl -h` diff --git a/pages.es/linux/blkpr.md b/pages.es/linux/blkpr.md new file mode 100644 index 000000000..d612989cb --- /dev/null +++ b/pages.es/linux/blkpr.md @@ -0,0 +1,24 @@ +# blkpr + +> Registra, reserva, libera, anticipa y borra reservas persistentes en un dispositivo de bloque que soporte "Persistent Reservations". +> Más información: . + +- Registra (comando) una nueva reserva con una clave dada en un dispositivo determinado: + +`blkpr {{-c|--command}} register {{-k|--key}} {{clave_de_reserva}} {{ruta/al/dispositivo}}` + +- Establece el tipo de reserva existente en acceso exclusivo: + +`blkpr -c reserve {{-k|--key}} {{clave_de_reserva}} {{-t|--type}} exclusive-access {{ruta/al/dispositivo}}` + +- Adelanta la reserva existente con una clave dada y la reemplaza por una nueva reserva: + +`blkpr -c preempt {{-K|--oldkey}} {{clave_antigua}} {{-k|--key}} {{nueva_clave}} {{-t|--type}} write-exclusive {{ruta/al/dispositivo}}` + +- Libera una reserva con una clave y [t]ipo dados en un dispositivo determinado: + +`blkpr -c release {{-k|--key}} {{clave_de_reserva}} {{-t|--type}} {{tipo_de_reserva}} {{ruta/al/dispositivo}}` + +- Borra todas las reservas de un dispositivo determinado: + +`blkpr -c clear {{-k|--key}} {{clave}} {{ruta/al/dispositivo}}` diff --git a/pages.es/linux/bspwm.md b/pages.es/linux/bspwm.md index df053d6c7..773540ec8 100644 --- a/pages.es/linux/bspwm.md +++ b/pages.es/linux/bspwm.md @@ -1,8 +1,9 @@ # bspwm -> Este comando es un alias de `bspc`. +> Un gestor de ventanas embaldosado basado en particionado de espacio binario. +> Vea también: `bspc`, para controlar el gestor. > Más información: . -- Muestra la documentación del comando original: +- Inicia `bspwm` (cabe recalcar que no debe haber otro gestor de ventanas al ejecutar este comando): -`tldr bspc` +`bspwm -c {{ruta/a/archivo_de_configuración}}` diff --git a/pages.es/linux/bwa.md b/pages.es/linux/bwa.md new file mode 100644 index 000000000..0e155d04b --- /dev/null +++ b/pages.es/linux/bwa.md @@ -0,0 +1,25 @@ +# bwa + +> Herramienta de alineación Burrows-Wheeler. +> Mapeador de secuencias de ADN cortas y poco divergentes frente a un gran genoma de referencia, como el genoma humano. +> Más información: . + +- Indexa el genoma de referencia: + +`bwa index {{ruta/a/referencia.fa}}` + +- Mapea las lecturas de un solo extremo (secuencias) al genoma indexado utilizando 32 subprocesos y comprime el resultado para ahorrar espacio: + +`bwa mem -t 32 {{ruta/a/referencia.fa}} {{ruta/a/lectura_solo_extremo.fq.gz}} | gzip > {{ruta/a/alineamiento_solo_extremo.sam.gz}}` + +- Mapea las lecturas del par final (secuencias) al genoma indexado usando 32 subprocesos y comprime el resultado para ahorrar espacio: + +`bwa mem -t 32 {{ruta/a/referencia.fa}} {{ruta/a/lectura_par_final_1.fq.gz}} {{ruta/a/lectura_par_final_2.fq.gz}} | gzip > {{ruta/a/alineamiento_par_final.sam.gz}}` + +- Mapea las lecturas del par final (secuencias) al genoma indexado usando 32 subprocesos con [M]arcadores divididos más cortos como secundarios para la compatibilidad del archivo SAM de salida con el software Picard y luego comprime el resultado: + +`bwa mem -M -t 32 {{ruta/a/referencia.fa}} {{ruta/a/lectura_par_final_1.fq.gz}} {{ruta/a/lectura_par_final_2.fq.gz}} | gzip > {{ruta/a/alineamiento_par_final.sam.gz}}` + +- Mapea las lecturas finales del par (secuencias) al genoma indexado usando 32 subprocesos con [C]omentarios FASTA/Q (p. ej. BC:Z:CGTAC) anexando a un resultado comprimido: + +`bwa mem -C -t 32 {{ruta/a/referencia.fa}} {{ruta/a/lectura_par_final_1.fq.gz}} {{ruta/a/lectura_par_final_2.fq.gz}} | gzip > {{ruta/a/lectura_par_final.sam.gz}}` diff --git a/pages.es/linux/cacaclock.md b/pages.es/linux/cacaclock.md new file mode 100644 index 000000000..05acc6476 --- /dev/null +++ b/pages.es/linux/cacaclock.md @@ -0,0 +1,16 @@ +# cacaclock + +> Muestra la hora actual como arte ASCII. +> Más información: . + +- Muestra la hora: + +`cacaclock` + +- Cambia la fuente: + +`cacaclock -f {{fuente}}` + +- Cambia el formato usando una especificación de formato de `strftime`: + +`cacaclock -d {{argumentos_strftime}}` diff --git a/pages.es/linux/cacademo.md b/pages.es/linux/cacademo.md new file mode 100644 index 000000000..1939314b4 --- /dev/null +++ b/pages.es/linux/cacademo.md @@ -0,0 +1,8 @@ +# cacademo + +> Muestra una animación aleatoria de arte ASCII. +> Más información: . + +- Ve una animación: + +`cacademo` diff --git a/pages.es/linux/cacafire.md b/pages.es/linux/cacafire.md new file mode 100644 index 000000000..a4f75cedf --- /dev/null +++ b/pages.es/linux/cacafire.md @@ -0,0 +1,8 @@ +# cacafire + +> Muestra un fuego animado ASCII. +> Más información: . + +- Muestra el fuego ASCII: + +`cacafire` diff --git a/pages.es/linux/cacaview.md b/pages.es/linux/cacaview.md new file mode 100644 index 000000000..7c92ad80b --- /dev/null +++ b/pages.es/linux/cacaview.md @@ -0,0 +1,8 @@ +# cacaview + +> Muestra una imagen en formato PMN. +> Más información: . + +- Muestra una imagen: + +`cacaview {{ruta/a/imagen}}` diff --git a/pages.es/linux/choom.md b/pages.es/linux/choom.md new file mode 100644 index 000000000..1079d19f3 --- /dev/null +++ b/pages.es/linux/choom.md @@ -0,0 +1,16 @@ +# choom + +> Muestra y cambia el ajuste del OOM-killer. +> Más información: . + +- Muestra la puntuación OOM-killer del proceso con un identificador específico: + +`choom -p {{pid}}` + +- Modifica la puntuación OOM-killer de un proceso específico: + +`choom -p {{pid}} -n {{-1000..+1000}}` + +- Ejecuta un comando con una puntuación OOM-killer específica: + +`choom -n {{-1000..+1000}} {{comando}} {{argumento1 argumento2 ...}}` diff --git a/pages.es/linux/compseq.md b/pages.es/linux/compseq.md new file mode 100644 index 000000000..f7ff334f0 --- /dev/null +++ b/pages.es/linux/compseq.md @@ -0,0 +1,36 @@ +# compseq + +> Calcula la composición de palabras únicas en secuencias. +> Más información: . + +- Cuenta frecuencias observadas de palabras en un archivo FASTA, proporcionando valores de parámetros interactivamente: + +`compseq {{ruta/al/archivo.fasta}}` + +- Cuenta frecuencias observadas de pares de aminoácidos en un archivo FASTA, y guarda el resultado en un archivo de texto: + +`compseq {{ruta/al/archivo_proteina.fasta}} -word 2 {{ruta/al/archivo_de_salida.comp}}` + +- Cuenta las frecuencias observadas de hexanucleótidos en un archivo FASTA, luego guarda el resultado en un archivo de texto e ignora los recuentos cero: + +`compseq {{ruta/al/archivo_de_entrada.fasta}} -word 6 {{ruta/al/archivo_de_salida.comp}} -nozero` + +- Cuenta las frecuencias observadas de codones en un marco de lectura concreto, ignorando cualquier recuento superpuesto (es decir, desplaza la ventana en longitud de palabra 3): + +`compseq -sequence {{ruta/al/archivo_de_ingreso_rna.fasta}} -word 3 {{ruta/al/archivo_de_salida.comp}} -nozero -frame {{1}}` + +- Cuenta las frecuencias observadas de codones desplazados en 3 posiciones; ignorando los recuentos superpuestos (debería informar de todos los codones excepto el primero): + +`compseq -sequence {{ruta/al/archivo_de_ingreso_rna.fasta}} -word 3 {{ruta/al/archivo_de_salida.comp}} -nozero -frame 3` + +- Cuenta tripletes de aminoácidos en un archivo FASTA y compara con una ejecución anterior de `compseq` para calcular los valores de frecuencia esperados y normalizados: + +`compseq -sequence {{ruta/al/proteoma_humano.fasta}} -word 3 {{ruta/al/archivo_salida1.comp}} -nozero -infile {{ruta/al/archivo_de_salida2.comp}}` + +- Aproxima el comando anterior sin un archivo previamente preparado, calculando las frecuencias esperadas usando las frecuencias de una sola base/residuo en la(s) secuencia(s) de entrada suministrada(s): + +`compseq -sequence {{ruta/al/proteoma_humano.fasta}} -word 3 {{ruta/al/archivo_de_salida.comp}} -nozero -calcfreq` + +- Muestra ayuda (utiliza `-help -verbose` para obtener más información sobre los calificadores asociados y generales): + +`compseq -help` diff --git a/pages.es/linux/ctop.md b/pages.es/linux/ctop.md new file mode 100644 index 000000000..0d5c25461 --- /dev/null +++ b/pages.es/linux/ctop.md @@ -0,0 +1,20 @@ +# ctop + +> Visualiza instantáneamente el rendimiento y la salud del contenedor con métricas en tiempo real sobre el uso de CPU, memoria y bloques de IO. +> Más información: . + +- Muestra sólo contenedores [a]ctivos: + +`ctop -a` + +- [r]evierte el orden de clasificación de los contenedores: + +`ctop -r` + +- [i]nvierte los colores predeterminados: + +`ctop -i` + +- Muestra ayuda: + +`ctop -h` diff --git a/pages.es/linux/cu.md b/pages.es/linux/cu.md new file mode 100644 index 000000000..ce48ed50f --- /dev/null +++ b/pages.es/linux/cu.md @@ -0,0 +1,24 @@ +# cu + +> Llama a otro sistema y actúa como terminal de marcado/serie o realiza transferencias de archivos sin comprobación de errores. +> Más información: . + +- Abre un puerto serie determinado: + +`sudo cu --line {{/dev/ttyUSB0}}` + +- Abre un puerto serie determinado con una velocidad en baudios determinada: + +`sudo cu --line {{/dev/ttyUSB0}} --speed {{115200}}` + +- Abre un puerto serie determinado con una velocidad en baudios determinada y emite un eco de caracteres localmente (modo semidúplex): + +`sudo cu --line {{/dev/ttyUSB0}} --speed {{115200}} --halfduplex` + +- Abre un puerto serie determinado con una velocidad en baudios, paridad y sin control de flujo por hardware o software: + +`sudo cu --line {{/dev/ttyUSB0}} --speed {{115200}} --parity={{par|odd|none}} --nortscts --nostop` + +- Sale de la sesión `cu` cuando está conectado: + +`~.` diff --git a/pages.es/linux/dd.md b/pages.es/linux/dd.md new file mode 100644 index 000000000..d4fa28b2a --- /dev/null +++ b/pages.es/linux/dd.md @@ -0,0 +1,28 @@ +# dd + +> Convierte y copia un archivo. +> Más información: . + +- Crea una unidad USB de arranque a partir de un archivo isohybrid (como `archlinux-xxx.iso`) y muestra el progreso: + +`dd if={{ruta/al/archivo.iso}} of={{/dev/unidad_usb}} status=progress` + +- Clona una unidad a otra con un tamaño de bloque de 4 MiB y descarga las escrituras antes de que el comando termine: + +`dd bs=4M conv=fsync if={{/dev/unidad_de_origen}} of={{/dev/unidad_de_descarga}}` + +- Genera un archivo con un número específico de bytes aleatorios utilizando el controlador aleatorio del kernel: + +`dd bs={{100}} count={{1}} if=/dev/urandom of={{ruta/al/archivo_aleatorio}}` + +- Compara el rendimiento de escritura de un disco: + +`dd bs={{1M}} count={{1024}} if=/dev/zero of={{ruta/al/fichero_1GB}}` + +- Crea una copia de seguridad del sistema en un archivo IMG (puede restaurarla más tarde intercambiando `if` y `of`), y muestra el progreso: + +`dd if={{/dev/unidad_dispositivo}} of={{ruta/al/archivo.img}} status=progress` + +- Comprueba el progreso de una operación `dd` en curso (ejecute este comando desde otro intérprete de comandos): + +`kill -USR1 $(pgrep -x dd)` diff --git a/pages.es/linux/debuginfod-find.md b/pages.es/linux/debuginfod-find.md new file mode 100644 index 000000000..dc1a4d869 --- /dev/null +++ b/pages.es/linux/debuginfod-find.md @@ -0,0 +1,8 @@ +# debuginfod-find + +> Solicita datos relacionados con debuginfo. +> Más información: . + +- Solicita datos basados en `build_id`: + +`debuginfod-find -vv debuginfo {{identificador_de_build}}` diff --git a/pages.es/linux/dhcpcd.md b/pages.es/linux/dhcpcd.md new file mode 100644 index 000000000..4e6ae735b --- /dev/null +++ b/pages.es/linux/dhcpcd.md @@ -0,0 +1,12 @@ +# dhcpcd + +> Cliente DHCP. +> Más información: . + +- Libera todas las direcciones: + +`sudo dhcpcd --release` + +- Solicita nuevas direcciones al servidor DHCP: + +`sudo dhcpcd --rebind` diff --git a/pages.es/linux/dnf5.md b/pages.es/linux/dnf5.md new file mode 100644 index 000000000..6227db1db --- /dev/null +++ b/pages.es/linux/dnf5.md @@ -0,0 +1,38 @@ +# dnf5 + +> Programa de gestión de paquetes para RHEL, Fedora y CentOS (reemplaza a dnf, que a su vez reemplazó a yum). +> DNF5 es una reescritura en C++ del gestor de paquetes DNF con mejor rendimiento y menor tamaño. +> Para comandos equivalentes en otros gestores de paquetes, vea . +> Más información: . + +- Actualiza los paquetes instalados a las versiones más recientes disponibles: + +`sudo dnf5 upgrade` + +- Busca paquetes mediante palabras clave: + +`dnf5 search {{palabra_clave1 palabra_clave2 ...}}` + +- Muestra detalles sobre un paquete: + +`dnf5 info {{paquete}}` + +- Instala nuevos paquetes (Nota: usa la opción `-y` para saltar todas las confirmaciones): + +`sudo dnf5 install {{paquete1 paquete2 ...}}` + +- Elimina paquetes: + +`sudo dnf5 remove {{paquete1 paquete2 ...}}` + +- Lista paquetes instalados: + +`dnf5 list --installed` + +- Busca que paquetes proporcionan un comando determinado: + +`dnf5 provides {{comando}}` + +- Elimina o expira los datos almacenados en caché: + +`sudo dnf5 clean all` diff --git a/pages.es/linux/dysk.md b/pages.es/linux/dysk.md new file mode 100644 index 000000000..593b13755 --- /dev/null +++ b/pages.es/linux/dysk.md @@ -0,0 +1,24 @@ +# dysk + +> Muestra información del sistema de archivos en una tabla. +> Más información: . + +- Obtén una visión general estándar de tus discos habituales: + +`dysk` + +- Ordena por tamaño libre: + +`dysk --sort free` + +- Incluye solo discos HDD: + +`dysk --filter 'disk = HDD'` + +- Excluye discos SSD: + +`dysk --filter 'disk <> SSD'` + +- Muestra discos con alta ocupación o poco espacio libre: + +`dysk --filter 'use > 65% | free < 50G'` diff --git a/pages.es/linux/eselect-repository.md b/pages.es/linux/eselect-repository.md new file mode 100644 index 000000000..741db6395 --- /dev/null +++ b/pages.es/linux/eselect-repository.md @@ -0,0 +1,33 @@ +# eselect repository + +> Un módulo `eselect` para configurar repositorios ebuild para Portage. +> Después de habilitar un repositorio, tienes que ejecutar `emerge --sync repo_name` para descargar ebuilds. +> Más información: . + +- Lista todos los repositorios ebuild registrados en : + +`eselect repository list` + +- Lista de repositorios habilitados: + +`eselect repository list -i` + +- Habilita un repositorio de la lista según su nombre o índice desde el comando `list`: + +`eselect repository enable {{name|index}}` + +- Activa un repositorio no registrado: + +`eselect repository add {{nombre}} {{rsync|git|mercurial|svn|...}} {{sync_uri}}` + +- Deshabilita repositorios sin eliminar su contenido: + +`eselect repository disable {{repo1 repo2 ...}}` + +- Desactiva repositorios y elimina su contenido: + +`eselect repository remove {{repo1 repo2 ...}}` + +- Crea un repositorio local y lo habilita: + +`eselect repository create {{nombre}} {{ruta/al/repo}}` diff --git a/pages.es/linux/eselect.md b/pages.es/linux/eselect.md new file mode 100644 index 000000000..c55f94aa3 --- /dev/null +++ b/pages.es/linux/eselect.md @@ -0,0 +1,17 @@ +# eselect + +> Herramienta polivalente de configuración y gestión de Gentoo. +> Consta de varios módulos que se encargan de tareas administrativas individuales. +> Más información: . + +- Muestra una lista de los módulos instalados: + +`eselect` + +- Vea la documentación de un módulo específico: + +`tldr eselect {{módulo}}` + +- Muestra un mensaje de ayuda para un módulo específico: + +`eselect {{módulo}} help` diff --git a/pages.es/linux/eu-readelf.md b/pages.es/linux/eu-readelf.md new file mode 100644 index 000000000..91a8272a0 --- /dev/null +++ b/pages.es/linux/eu-readelf.md @@ -0,0 +1,12 @@ +# eu-readelf + +> Muestra información sobre archivos ELF. +> Más información: . + +- Muestra toda la información extraíble en un archivo ELF: + +`eu-readelf --all {{ruta/al/archivo}}` + +- Muestra el contenido de todos los segmentos y secciones de NOTE, o de un segmento o sección en particular: + +`eu-readelf --notes[={{.note.ABI-tag}}] {{ruta/al/fichero}}` diff --git a/pages.es/linux/factorio.md b/pages.es/linux/factorio.md new file mode 100644 index 000000000..28a07f1be --- /dev/null +++ b/pages.es/linux/factorio.md @@ -0,0 +1,12 @@ +# factorio + +> Crea e inicia un servidor Factorio sin interfaz gráfica. +> Más información: . + +- Crea un nuevo archivo guardado: + +`{{ruta/a/factorio}} --create {{ruta/a/archivo_guardado.zip}}` + +- Inicia un servidor Factorio: + +`{{ruta/a/factorio}} --start-server {{ruta/a/archivo_guardado.zip}}` diff --git a/pages.es/linux/filefrag.md b/pages.es/linux/filefrag.md new file mode 100644 index 000000000..3c84b087c --- /dev/null +++ b/pages.es/linux/filefrag.md @@ -0,0 +1,28 @@ +# filefrag + +> Informa del grado de fragmentación de un archivo en particular. +> Más información: . + +- Muestra un informe para uno o más archivos: + +`filefrag {{ruta/al/archivo1 ruta/al/archivo2 ...}}` + +- Muestra un informe con un tamaño de bloque de 1024 bytes: + +`filefrag -k {{ruta/al/archivo}}` + +- Muestra un informe con un tamaño de bloque determinado: + +`filefrag -b{{1024|1K|1M|1G|...}} {{ruta/al/archivo}}` + +- Sincroniza el archivo antes de solicitar la asignación: + +`filefrag -s {{ruta/al/archivo1 ruta/al/archivo2 ...}}` + +- Muestra la asignación de atributos extendidos: + +`filefrag -x {{ruta/al/archivo1 ruta/al/archivo2 ...}}` + +- Muestra un informe con información detallada: + +`filefrag -v {{ruta/al/archivo1 ruta/al/archivo2 ...}}` diff --git a/pages.es/linux/flatpak-run.md b/pages.es/linux/flatpak-run.md new file mode 100644 index 000000000..531ce8fdf --- /dev/null +++ b/pages.es/linux/flatpak-run.md @@ -0,0 +1,16 @@ +# flatpak run + +> Ejecuta aplicaciones y tiempos de ejecución flatpak. +> Más información: . + +- Ejecuta una aplicación instalada: + +`flatpak run {{com.example.app}}` + +- Ejecuta una aplicación instalada desde una rama específica, por ejemplo, stable, beta, master: + +`flatpak run --branch={{stable|beta|master|...}} {{com.example.app}}` + +- Ejecuta un shell interactivo dentro de un flatpak: + +`flatpak run --command={{sh}} {{com.example.app}}` diff --git a/pages.es/linux/flatpak.md b/pages.es/linux/flatpak.md new file mode 100644 index 000000000..7dc9e335d --- /dev/null +++ b/pages.es/linux/flatpak.md @@ -0,0 +1,36 @@ +# flatpak + +> Construye, instala y ejecuta aplicaciones y tiempos de ejecución flatpak. +> Más información: . + +- Ejecuta una aplicación instalada: + +`flatpak run {{com.example.app}}` + +- Instala una aplicación desde una fuente remota: + +`flatpak install {{nombre_remoto}} {{com.example.app}}` + +- Lista las aplicaciones instaladas, ignorando los tiempos de ejecución: + +`flatpak list --app` + +- Actualiza todas las aplicaciones y tiempos de ejecución instalados: + +`flatpak update` + +- Añade una fuente remota: + +`flatpak remote-add --if-not-exists {{nombre_remoto}} {{url_remota}}` + +- Elimina una aplicación instalada: + +`flatpak remove {{com.example.app}}` + +- Elimina todas las aplicaciones no utilizadas: + +`flatpak remove --unused` + +- Muestra información sobre una aplicación instalada: + +`flatpak info {{com.example.app}}` diff --git a/pages.es/linux/fpsync.md b/pages.es/linux/fpsync.md new file mode 100644 index 000000000..3522a2ebe --- /dev/null +++ b/pages.es/linux/fpsync.md @@ -0,0 +1,28 @@ +# fpsync + +> Ejecuta varios procesos de sincronización localmente o en varios trabajadores remotos a través de SSH. +> Más información: . + +- Sincroniza recursivamente un directorio a otra ubicación: + +`fpsync -v {{/ruta/a/origen/}} {{/ruta/a/destino/}}` + +- Sincroniza recursivamente un directorio con la última pasada (activa la opción `--delete` de rsync con cada trabajo de sincronización): + +`fpsync -v -E {{/ruta/a/origen/}} {{/ruta/a/destino/}}` + +- Sincroniza recursivamente un directorio a un destino utilizando 8 trabajos de sincronización simultáneos: + +`fpsync -v -n 8 -E {{/ruta/a/origen/}} {{/ruta/a/destino/}}` + +- Sincroniza recursivamente un directorio a un destino utilizando 8 trabajos de sincronización concurrentes repartidos entre dos trabajadores remotos (máquina1 y máquina2): + +`fpsync -v -n 8 -E -w login@machine1 -w login@machine2 -d {{/ruta/a/directorio/compartido}} {{/ruta/a/origen/}} {{/ruta/a/destino/}}` + +- Sincroniza recursivamente un directorio a un destino utilizando cuatro trabajadores locales, cada uno transfiriendo como máximo 1000 archivos y 100 MB por trabajo de sincronización: + +`fpsync -v -n 4 -f 1000 -s $((100 * 1024 * 1024)) {{/ruta/a/origen/}} {{/ruta/a/destino/}}` + +- Sincroniza de forma recursiva cualquier directorio pero excluye archivos `.snapshot*` específicos (Nota: las opciones y los valores deben estar separados por un carácter de tubería): + +`fpsync -v -O "-x|.snapshot*" {{/ruta/a/origen/}} {{/ruta/a/destino/}}` diff --git a/pages.es/linux/getenforce.md b/pages.es/linux/getenforce.md new file mode 100644 index 000000000..bdbc65e1b --- /dev/null +++ b/pages.es/linux/getenforce.md @@ -0,0 +1,8 @@ +# getenforce + +> Obtén el modo actual de SELinux (es decir, obligatorio, permisivo o deshabilitado). +> Más información: . + +- Muestra el modo actual de SELinux: + +`getenforce` diff --git a/pages.es/linux/hyprctl.md b/pages.es/linux/hyprctl.md new file mode 100644 index 000000000..57b05b6ab --- /dev/null +++ b/pages.es/linux/hyprctl.md @@ -0,0 +1,32 @@ +# hyprctl + +> Controla partes del compositor Hyprland Wayland. +> Más información: . + +- Recarga la configuración de Hyprland: + +`hyprctl reload` + +- Muestra el nombre de la ventana activa: + +`hyprctl activewindow` + +- Lista todos los dispositivos de entrada conectados: + +`hyprctl devices` + +- Lista todas las salidas con sus respectivas propiedades: + +`hyprctl workspaces` + +- Llama a un gestor con un argumento: + +`hyprctl dispatch exec {{aplicación}}` + +- Establece una palabra clave de configuración de forma dinámica: + +`hyprctl keyword {{palabra_clave}} {{valor}}` + +- Muestra versión: + +`hyprctl version` diff --git a/pages.es/linux/hyprpm.md b/pages.es/linux/hyprpm.md new file mode 100644 index 000000000..353578ec9 --- /dev/null +++ b/pages.es/linux/hyprpm.md @@ -0,0 +1,32 @@ +# hyprpm + +> Complementos de control para el compositor Hyprland Wayland. +> Más información: . + +- Añade un complemento: + +`hyprpm add {{url_de_repositorio_git}}` + +- Elimina un complemento: + +`hyprpm remove {{url_de_repositorio_git|nombre_del_complemento}}` + +- Activa un complemento: + +`hyprpm enable {{nombre_del_complemento}}` + +- Desactiva un complemento: + +`hyprpm disable {{nombre_del_complemento}}` + +- Actualiza y comprueba todos los complementos: + +`hyprpm update` + +- Fuerza una operación: + +`hyprpm {{-f|--force}} {{operación}}` + +- Lista todos los complementos instalados: + +`hyprpm list` diff --git a/pages.es/linux/ip-route-list.md b/pages.es/linux/ip-route-list.md index b7142cc4f..95bfa1e8d 100644 --- a/pages.es/linux/ip-route-list.md +++ b/pages.es/linux/ip-route-list.md @@ -1,6 +1,6 @@ -# ip-route-list +# ip route list -> Este comando es un alias de `ip-route-show`. +> Este comando es un alias de `ip route show`. - Muestra la documentación del comando original: diff --git a/pages.es/linux/iwlist.md b/pages.es/linux/iwlist.md new file mode 100644 index 000000000..39f438a2c --- /dev/null +++ b/pages.es/linux/iwlist.md @@ -0,0 +1,36 @@ +# iwlist + +> Obtén información detallada de una interfaz inalámbrica. +> Más información: . + +- Muestra la lista de puntos de acceso y células ad-hoc en alcance: + +`iwlist {{interfaz_inalámbrica}} scan` + +- Muestra las frecuencias disponibles en el dispositivo: + +`iwlist {{interfaz_inalámbrica}} frequency` + +- Lista las tasas de bits soportadas por el dispositivo: + +`iwlist {{interfaz_inalámbrica}} rate` + +- Enumera los parámetros de autenticación WPA configurados actualmente: + +`iwlist {{interfaz_inalámbrica}} auth` + +- Enumera todas las claves de cifrado WPA configuradas en el dispositivo: + +`iwlist {{interfaz_inalámbrica}} wpakeys` + +- Enumera los tamaños de clave de cifrado admitidos y todas las claves de cifrado configuradas en el dispositivo: + +`iwlist {{interfaz_inalámbrica}} keys` + +- Enumera los distintos atributos y modos de gestión de energía del dispositivo: + +`iwlist {{interfaz_inalámbrica}} power` + +- Enumera los elementos de información genéricos configurados en el dispositivo (utilizados para la compatibilidad con WPA): + +`iwlist {{interfaz_inalámbrica}} genie` diff --git a/pages.es/linux/kde-builder.md b/pages.es/linux/kde-builder.md new file mode 100644 index 000000000..16a8a3447 --- /dev/null +++ b/pages.es/linux/kde-builder.md @@ -0,0 +1,37 @@ +# kde-builder + +> Construye fácilmente componentes de KDE desde tus repositorios fuente. +> Sustituye a `kdesrc-build`. +> Más información: . + +- Inicializa `kde-builder`: + +`kde-builder --initial-setup` + +- Compila un componente KDE y sus dependencias desde el código fuente: + +`kde-builder {{nombre_componente}}` + +- Compila un componente sin actualizar el código local y sin compilar sus dependencias: + +`kde-builder --no-src --no-include-dependencies {{nombre_componente}}` + +- Actualiza los directorios de compilación antes de compilar: + +`kde-builder --refresh-build {{nombre_componente}}` + +- Reanuda la compilación a partir de una dependencia determinada: + +`kde-builder --resume-from={{componente_de_dependencia}} {{nombre_componente}}` + +- Ejecuta un componente con un nombre de ejecutable determinado: + +`kde-builder --run {{nombre_ejecutable}}` + +- Construye todos los componentes configurados: + +`kde-builder` + +- Utiliza las bibliotecas del sistema en lugar de un componente si no se puede compilar: + +`kde-builder --no-stop-on-failure {{nombre_componente}}` diff --git a/pages.es/linux/last.md b/pages.es/linux/last.md new file mode 100644 index 000000000..074a6a82c --- /dev/null +++ b/pages.es/linux/last.md @@ -0,0 +1,37 @@ +# last + +> Lista la información de los últimos inicios de sesión de usuario. +> Vea también: `lastb`, `login`. +> Más información: . + +- Lista la información de inicio de sesión (por ejemplo, nombre de usuario, terminal, tiempo de arranque, núcleo) de todos los usuarios: + +`last` + +- Lista la información de inicio de sesión de un usuario específico: + +`last {{nombre_de_usuario}}` + +- Muestra la información de una terminal específica: + +`last {{tty1}}` + +- Lista la información actualizada (por defecto, la más reciente aparece al principio): + +`last | tac` + +- Muestra información sobre el arranque del sistema: + +`last "{{system boot}}"` + +- Lista información con un formato de [t]iempo específico: + +`last --time-format {{notime|full|iso}}` + +- Lista información desde una fecha y hora específica: + +`last --since {{-7days}}` + +- Muestra información (es decir, nombre e IP) de hosts remotos: + +`last --dns` diff --git a/pages.es/linux/mkfs.erofs.md b/pages.es/linux/mkfs.erofs.md new file mode 100644 index 000000000..ca58baf0f --- /dev/null +++ b/pages.es/linux/mkfs.erofs.md @@ -0,0 +1,20 @@ +# mkfs.erofs + +> Crea un sistema de archivos EROFS en una imagen. +> Más información: . + +- Crea un sistema de archivos EROFS basado en el directorio raíz: + +`mkfs.erofs image.erofs root/` + +- Crea una imagen EROFS con un UUID específico: + +`mkfs.erofs -U {{UUID}} image.erofs root/` + +- Crea una imagen EROFS comprimida: + +`mkfs.erofs -zlz4hc image.erofs root/` + +- Crea una imagen EROFS en la que todos los archivos pertenezcan a root: + +`mkfs.erofs --all-root image.erofs root/` diff --git a/pages.es/linux/mkfs.f2fs.md b/pages.es/linux/mkfs.f2fs.md new file mode 100644 index 000000000..9ae721f56 --- /dev/null +++ b/pages.es/linux/mkfs.f2fs.md @@ -0,0 +1,12 @@ +# mkfs.f2fs + +> Crea un sistema de archivos F2FS en una partición. +> Más información: . + +- Crea un sistema de archivos F2FS en la primera partición del dispositivo b (`sdb1`): + +`sudo mkfs.f2fs {{/dev/sdb1}}` + +- Crea un sistema de archivos F2FS con una etiqueta de volumen: + +`sudo mkfs.f2fs -l {{etiqueta_volumen}} {{/dev/sdb1}}` diff --git a/pages.es/linux/mount.ddi.md b/pages.es/linux/mount.ddi.md new file mode 100644 index 000000000..7b5fa6749 --- /dev/null +++ b/pages.es/linux/mount.ddi.md @@ -0,0 +1,9 @@ +# mount.ddi + +> Monta imágenes de disco reconocibles. +> Vea `tldr systemd-dissect` para otros comandos relevantes para DDIs. +> Más información: . + +- Monta una imagen con un sistema operativo: + +`mount.ddi {{ruta/a/imagen.raw}} {{/mnt/image}}` diff --git a/pages.es/linux/nautilus.md b/pages.es/linux/nautilus.md index 86b8e5db7..d33b2bd43 100644 --- a/pages.es/linux/nautilus.md +++ b/pages.es/linux/nautilus.md @@ -10,7 +10,7 @@ - Inicia Nautilus como usuario root: -`sudo nautilus` +`nautilus admin:/` - Inicia Nautilus y muestra un directorio específico: diff --git a/pages.es/linux/nsenter.md b/pages.es/linux/nsenter.md new file mode 100644 index 000000000..26d451af9 --- /dev/null +++ b/pages.es/linux/nsenter.md @@ -0,0 +1,21 @@ +# nsenter + +> Ejecuta un nuevo comando en el espacio de nombres de un proceso en ejecución. +> Particularmente útil para imágenes Docker o jaulas chroot. +> Más información: . + +- Ejecuta un comando específico utilizando los mismos espacios de nombres como un proceso existente: + +`nsenter --target {{pid}} --all {{comando}} {{argumentos_del_comando}}` + +- Ejecuta un comando específico en el espacio de nombres mount|UTS|IPC|network|PID|user|cgroup|time de un proceso existente: + +`nsenter --target {{pid}} --{{mount|uts|ipc|net|pid|user|cgroup}} {{comando}} {{argumentos_del_comando}}` + +- Ejecuta un comando específico en los espacios de nombres UTS, time e IPC de un proceso existente: + +`nsenter --target {{pid}} --uts --time --ipc -- {{comando}} {{argumentos_del_comando}}` + +- Ejecuta un comando específico en el espacio de nombres de un proceso existente haciendo referencia a procfs: + +`nsenter --pid=/proc/{{pid}}/pid/net -- {{comando}} {{argumentos_del_comando}}` diff --git a/pages.es/linux/ntpd.md b/pages.es/linux/ntpd.md new file mode 100644 index 000000000..e4d50ab5b --- /dev/null +++ b/pages.es/linux/ntpd.md @@ -0,0 +1,16 @@ +# ntpd + +> El daemon oficial de NTP (Network Time Protocol) para sincronizar el reloj del sistema con servidores de tiempo remotos o relojes de referencia locales. +> Más información: . + +- Inicia el daemon: + +`sudo ntpd` + +- Sincroniza la hora del sistema con servidores remotos una sola vez (sale después de sincronizar): + +`sudo ntpd --quit` + +- Sincroniza una sola vez permitiendo "grandes" ajustes: + +`sudo ntpd --panicgate --quit` diff --git a/pages.es/linux/objcopy.md b/pages.es/linux/objcopy.md new file mode 100644 index 000000000..e7e148c95 --- /dev/null +++ b/pages.es/linux/objcopy.md @@ -0,0 +1,24 @@ +# objcopy + +> Copia el contenido de un archivo de objetos a otro archivo. +> Más información: . + +- Copia datos a otro archivo: + +`objcopy {{ruta/al/archivo_de_origen}} {{ruta/al/archivo_de_destino}}` + +- Traduce ficheros de un formato a otro: + +`objcopy --input-target={{formato_de_entrada}} --output-target {{formato_de_salida}} {{ruta/al/archivo_de_origen}} {{ruta/al/archivo_de_destino}}` + +- Elimina toda la información de símbolos del archivo: + +`objcopy --strip-all {{ruta/al/archivo_de_origen}} {{ruta/al/archivo_de_destino}}` + +- Elimina la información de depuración del archivo: + +`objcopy --strip-debug {{ruta/al/archivo_de_origen}} {{ruta/al/archivo_de_destino}}` + +- Copia una sección específica del archivo de origen al archivo de destino: + +`objcopy --only-section {{section}} {{ruta/al/archivo_de_origen}} {{ruta/al/archivo_de_destino}}` diff --git a/pages.es/linux/pacgraph.md b/pages.es/linux/pacgraph.md new file mode 100644 index 000000000..0ba0dd3f8 --- /dev/null +++ b/pages.es/linux/pacgraph.md @@ -0,0 +1,36 @@ +# pacgraph + +> Dibuja un gráfico de los paquetes instalados a PNG/SVG/GUI/consola. +> Más información: . + +- Crea un gráfico SVG y PNG: + +`pacgraph` + +- Crear un gráfico SVG: + +`pacgraph --svg` + +- Imprime resumen en la consola: + +`pacgraph --console` + +- Anula el nombre de archivo/ubicación por defecto (Nota: No especifiques la extensión del archivo): + +`pacgraph --file={{ruta/al/archivo}}` + +- Cambia el color de los paquetes que no son dependencias: + +`pacgraph --top={{color}}` + +- Cambia el color de los paquetes dependientes: + +`pacgraph --dep={{color}}` + +- Cambia el color de fondo de un gráfico: + +`pacgraph --background={{color}}` + +- Cambia el color de los enlaces entre paquetes: + +`pacgraph --link={{color}}` diff --git a/pages.es/linux/plasmashell.md b/pages.es/linux/plasmashell.md new file mode 100644 index 000000000..1d70d2234 --- /dev/null +++ b/pages.es/linux/plasmashell.md @@ -0,0 +1,20 @@ +# plasmashell + +> Inicia y reinicia Plasma Desktop. +> Más información: . + +- Reinicia `plasmashell`: + +`systemctl restart --user plasma-plasmashell` + +- Reinicia `plasmashell` sin systemd: + +`plasmashell --replace & disown` + +- Muestra ayuda en las opciones de la línea de comandos: + +`plasmashell --help` + +- Muestra la ayuda, incluidas las opciones de Qt: + +`plasmashell --help-all` diff --git a/pages.es/linux/portageq.md b/pages.es/linux/portageq.md new file mode 100644 index 000000000..0faeb8eef --- /dev/null +++ b/pages.es/linux/portageq.md @@ -0,0 +1,21 @@ +# portageq + +> Consulta información sobre Portage, el gestor de paquetes de Gentoo Linux. +> Las variables de entorno específicas de Portage que se pueden consultar están listadas en `/var/db/repos/gentoo/profiles/info_vars`. +> Más información: . + +- Muestra el valor de una variable de entorno específica de Portage: + +`portageq envvar {{variable}}` + +- Muestra una lista detallada de los repositorios configurados con Portage: + +`portageq repos_config /` + +- Muestra una lista de repositorios ordenados por prioridad (el más alto, primero): + +`portageq get_repos /` + +- Muestra un fragmento específico de metadatos sobre un átomo (por ejemplo, el nombre del paquete incluyendo la versión): + +`portageq metadata / {{ebuild|porttree|binary|...}} {{categoría}}/{{paquete}} {{BDEPEND|DEFINED_PHASES|DEPEND|...}}` diff --git a/pages.es/linux/poweroff.md b/pages.es/linux/poweroff.md index 0b06e1f03..e8079215f 100644 --- a/pages.es/linux/poweroff.md +++ b/pages.es/linux/poweroff.md @@ -1,8 +1,24 @@ # poweroff -> Apaga la máquina. -> Más información: . +> Apaga el sistema. +> Más información: . -- Apaga la máquina: +- Apaga el sistema: -`sudo poweroff` +`poweroff` + +- Detén el sistema (igual que `halt`): + +`poweroff --halt` + +- Reinicia el sistema (igual que `reboot`): + +`poweroff --reboot` + +- Apaga inmediatamente el sistema sin contactar al administrador: + +`poweroff --force --force` + +- Escribe una entrada en el archivo wtmp sin apagar el sistema: + +`poweroff --wtmp-only` diff --git a/pages.es/linux/prime-run.md b/pages.es/linux/prime-run.md new file mode 100644 index 000000000..c33748332 --- /dev/null +++ b/pages.es/linux/prime-run.md @@ -0,0 +1,12 @@ +# prime-run + +> Ejecuta un programa utilizando una tarjeta gráfica Nvidia alternativa. +> Más información: . + +- Ejecuta un programa utilizando una GPU Nvidia dedicada: + +`prime-run {{comando}}` + +- Valida si se está utilizando la tarjeta Nvidia: + +`prime-run glxinfo | grep "OpenGL renderer"` diff --git a/pages.es/linux/proctl.md b/pages.es/linux/proctl.md new file mode 100644 index 000000000..e0553c225 --- /dev/null +++ b/pages.es/linux/proctl.md @@ -0,0 +1,36 @@ +# proctl + +> Gestiona licencias de proyectos e idiomas, cambiar entre licencias de plantillas. +> Más información: . + +- Lista licencias disponibles: + +`proctl {{-ll|-list-licenses}}` + +- Lista de idiomas disponibles: + +`proctl {{-lL|-lista-idiomas}}` + +- Selecciona una licencia en un menú FZF: + +`proctl {{-pl|-elegir-licencia}}` + +- Selecciona un idioma en un menú FZF: + +`proctl {{-pL|-elegir-idioma}}` + +- Elimina todas las licencias del proyecto actual: + +`proctl {{-r|-quitar-licencia}}` + +- Crea una nueva plantilla de licencia: + +`proctl {{-t|-nueva-plantilla}}` + +- Elimina una licencia de las plantillas: + +`proctl {{-R|-elimina-licencia}} {{@nombre_licencia1 @nombre_licencia2 ...}}` + +- Muestra esta lista de comandos: + +`proctl {{-h|-ayuda}}` diff --git a/pages.es/linux/pw-metadata.md b/pages.es/linux/pw-metadata.md new file mode 100644 index 000000000..326723983 --- /dev/null +++ b/pages.es/linux/pw-metadata.md @@ -0,0 +1,33 @@ +# pw-metadata + +> Supervisa, establece y elimina metadatos en objetos PipeWire. +> Vea también: `pipewire`, `pw-mon`, `pw-cli`. +> Más información: . + +- Muestra metadatos en el formato por defecto: + +`pw-metadata` + +- Muestra metadatos con el identificador 0 en `settings`: + +`pw-metadata {{-n|--name}} {{settings}} {{0}}` + +- Lista todos los objetos de metadatos disponibles: + +`pw-metadata {{-l|--list}}` + +- Continua ejecutando y registrando los cambios en los metadatos: + +`pw-metadata {{-m|--monitor}}` + +- Elimina todos los metadatos: + +`pw-metadata {{-d|--delete}}` + +- Ajusta `log.level` a 1 en `settings`: + +`pw-metadata --name {{settings}} {{0}} {{log.level}} {{1}}` + +- Muestra ayuda: + +`pw-metadata --help` diff --git a/pages.es/linux/pwdx.md b/pages.es/linux/pwdx.md index 421742ee0..72c85bd5d 100644 --- a/pages.es/linux/pwdx.md +++ b/pages.es/linux/pwdx.md @@ -5,4 +5,4 @@ - Muestra el directorio de trabajo actual de un proceso: -`pwdx {{process_id}}` +`pwdx {{identificador_de_proceso}}` diff --git a/pages.es/linux/readelf.md b/pages.es/linux/readelf.md new file mode 100644 index 000000000..1c0b52cbb --- /dev/null +++ b/pages.es/linux/readelf.md @@ -0,0 +1,24 @@ +# readelf + +> Muestra información sobre archivos ELF. +> Más información: . + +- Muestra toda la información de un archivo ELF: + +`readelf -all {{ruta/al/archivo_binario}}` + +- Muestra todas las cabeceras presentes en un archivo ELF: + +`readelf --headers {{ruta/al/archivo_binario}}` + +- Muestra las entradas en la sección de la tabla de símbolos del archivo ELF, si tiene una: + +`readelf --symbols {{ruta/al/archivo_binario}}` + +- Muestra la información de la cabecera ELF: + +`readelf --file-header {{ruta/al/archivo_binario}}` + +- Muestra información de cabecera de la sección ELF: + +`readelf --section-headers {{ruta/al/archivo_binario}}` diff --git a/pages.es/linux/rpi-otp-private-key.md b/pages.es/linux/rpi-otp-private-key.md new file mode 100644 index 000000000..0c8d340a0 --- /dev/null +++ b/pages.es/linux/rpi-otp-private-key.md @@ -0,0 +1,8 @@ +# rpi-otp-private-key + +> Muestra la llave privada de la clave de un solo uso (OTP) de una Raspberry Pi. +> Más información: . + +- Lee la clave privada OTP: + +`rpi-otp-private-key` diff --git a/pages.es/linux/run0.md b/pages.es/linux/run0.md new file mode 100644 index 000000000..b0c40d242 --- /dev/null +++ b/pages.es/linux/run0.md @@ -0,0 +1,13 @@ +# run0 + +> Eleva privilegios interactivamente. +> Similar a `sudo`, pero no es un binario SUID, la autenticación tiene lugar a través de polkit, y los comandos se invocan desde un servicio `systemd`. +> Más información: . + +- Ejecuta un comando como root: + +`run0 {{comando}}` + +- Ejecuta un comando como otro usuario y/o grupo: + +`run0 {{-u|--user}} {{nombre_de_usuario|uid}} {{-g|--group}} {{nombre_de_grupo|gid}} {{comando}}` diff --git a/pages.es/linux/sbctl.md b/pages.es/linux/sbctl.md new file mode 100644 index 000000000..be9f1133f --- /dev/null +++ b/pages.es/linux/sbctl.md @@ -0,0 +1,29 @@ +# sbctl + +> Un gestor de claves de arranque seguro fácil de usar. +> Nota: no registrar los certificados de Microsoft puede bloquear su sistema. Vea . +> Más información: . + +- Muestra el estado actual del arranque seguro: + +`sbctl status` + +- Crea claves de arranque seguro personalizadas (todo se almacena en `/var/lib/sbctl`): + +`sbctl create-keys` + +- Inscribe las claves de arranque seguro personalizadas y los certificados de proveedor UEFI de Microsoft: + +`sbctl enroll-keys --microsoft` + +- Firma un binario EFI con la clave creada y guarda el archivo en la base de datos: + +`sbctl sign {{-s|--save}} {{ruta/al/binario_efi}}` + +- Vuelve a firmar todos los archivos guardados: + +`sbctl sign-all` + +- Comprueba que se han firmado todos los ejecutables EFI de la partición EFI del sistema: + +`sbctl verify` diff --git a/pages.es/linux/showkey.md b/pages.es/linux/showkey.md new file mode 100644 index 000000000..1cd24d946 --- /dev/null +++ b/pages.es/linux/showkey.md @@ -0,0 +1,24 @@ +# showkey + +> Muestra el código de las teclas pulsadas en el teclado, útil para depurar problemas relacionados con el teclado y la reasignación de teclas. +> Más información: . + +- Visualiza códigos de teclas en decimal: + +`sudo showkey` + +- Visualiza códigos de rastreo en hexadecimal: + +`sudo showkey {{-s|--scancodes}}` + +- Muestra códigos de teclas en decimal (por defecto): + +`sudo showkey {{-k|--keycodes}}` + +- Muestra los códigos en ASCII, decimal y hexadecimal: + +`sudo showkey {{-a|--ascii}}` + +- Sal del programa: + +`Ctrl + d` diff --git a/pages.es/linux/slurp.md b/pages.es/linux/slurp.md new file mode 100644 index 000000000..e55b7efc4 --- /dev/null +++ b/pages.es/linux/slurp.md @@ -0,0 +1,28 @@ +# slurp + +> Selecciona una región en un compositor Wayland. +> Más información: . + +- Selecciona una región y la imprime en `stdout`: + +`slurp` + +- Selecciona una región e imprímela en `stdout`, mientras muestras las dimensiones de la selección: + +`slurp -d` + +- Selecciona un único punto en lugar de una región: + +`slurp -p` + +- Selecciona una salida e imprime su nombre: + +`slurp -o -f '%o'` + +- Selecciona una región determinada y hace una captura de pantalla sin bordes utilizando `grim`: + +`grim -g "$(slurp -w 0)"` + +- Selecciona una región determinada y graba un vídeo sin bordes utilizando `wf-recorder`: + +`wf-recorder --geometry "$(slurp -w 0)"` diff --git a/pages.es/linux/systemctl.md b/pages.es/linux/systemctl.md index 1f4381d14..0a287dfba 100644 --- a/pages.es/linux/systemctl.md +++ b/pages.es/linux/systemctl.md @@ -1,6 +1,6 @@ # systemctl -> Controla el sistema systemd y el gestor de servicios. +> Controla el gestor de sistemas y servicios systemd. > Más información: . - Muestra todos los servicios en ejecución: @@ -11,26 +11,26 @@ `systemctl --failed` -- Inicia/Para/Reinicia/Recarga un servicio: +- Inicia, para, reinicia, recarga o muestra el estado de una unidad: -`systemctl {{start|stop|restart|reload}} {{unidad}}` +`systemctl {{start|stop|restart|reload|status}} {{unidad}}` -- Muestra el estado de una unidad: +- Habilita o deshabilita una unidad para iniciarla al arrancar: -`systemctl status {{unidad}}` +`systemctl {{enable|disable}} {{unidad}}` -- Habilita/Deshabilita una unidad para que se inicie en el arranque: - -`systemctl {{enable/disable}} {{unidad}}` - -- Enmascara/Desenmascara una unidad para evitar su habilitación y activación manual: - -`systemctl {{mask|unmask}} {{unidad}}` - -- Recarga systemd, buscando unidades nuevas o modificadas: +- Reinicia systemd, lee unidades nuevas o modificadas: `systemctl daemon-reload` -- Comprueba si una unidad está habilitada: +- Checa si una unidad está activa, habilitada, o en estado fallido: -`systemctl is-enabled {{unidad}}` +`systemctl {{is-active|is-enabled|is-failed}} {{unidad}}` + +- Lista todos los servicios, sockets, unidades auto-montadas filtradas por estado en ejecución o fallido: + +`systemctl list-units --type={{service|socket|automount}} --state={{failed|running}}` + +- Muestra los contenidos y la ruta absoluta del archivo de una unidad: + +`systemctl cat {{unidad}}` diff --git a/pages.es/linux/systemd-tmpfiles.md b/pages.es/linux/systemd-tmpfiles.md new file mode 100644 index 000000000..7ed2c88ec --- /dev/null +++ b/pages.es/linux/systemd-tmpfiles.md @@ -0,0 +1,25 @@ +# systemd-tmpfiles + +> Crea, elimina y limpia archivos y directorios volátiles y temporales. +> Este comando es invocado automáticamente en el arranque por los servicios de systemd, ejecutarlo manualmente tiende a ser innecesario. +> Más información: . + +- Crea los archivos y directorios especificados en el archivo de configuración: + +`systemd-tmpfiles --create` + +- Limpia archivos y directorios con los parámetros de edad configurados: + +`systemd-tmpfiles --clean` + +- Elimina archivos y directorios según lo especificado en el archivo de configuración: + +`systemd-tmpfiles --remove` + +- Aplica operaciones en archivos de configuración específicos de usuario: + +`systemd-tmpfiles --create --user` + +- Ejecuta las líneas marcadas para el inicio del arranque: + +`systemd-tmpfiles --create --boot` diff --git a/pages.es/linux/systool.md b/pages.es/linux/systool.md new file mode 100644 index 000000000..5fbb817c0 --- /dev/null +++ b/pages.es/linux/systool.md @@ -0,0 +1,17 @@ +# systool + +> Vea información de dispositivos del sistema por bus y clases. +> Este comando es parte del paquete `sysfs`. +> Más información: . + +- Lista todos los atributos de los dispositivos de un bus (ej. `pci`, `usb`). Vea todos los buses usando `ls /sys/bus`: + +`systool -b {{bus}} -v` + +- Lista todos los atributos de una clase de dispositivos (ej. `drm`, `block`). Vea todas las clases usando `ls /sys/class`: + +`systool -c {{clase}} -v` + +- Muestra solo los controladores de un bus (ej. `pci`, `usb`): + +`systool -b {{bus}} -D` diff --git a/pages.es/linux/terraria.md b/pages.es/linux/terraria.md new file mode 100644 index 000000000..6e69079e2 --- /dev/null +++ b/pages.es/linux/terraria.md @@ -0,0 +1,12 @@ +# terraria + +> Crea e inicia un servidor Terraria sin interfaz gráfica. +> Más información: . + +- Inicia la configuración interactiva de un servidor: + +`{{ruta/a/TerrariaServer}}` + +- Inicia un servidor Terraria: + +`{{ruta/a/TerrariaServer}} -world {{ruta/a/world.wld}}` diff --git a/pages.es/linux/top.md b/pages.es/linux/top.md index 2c4ceabce..3a15d0ee8 100644 --- a/pages.es/linux/top.md +++ b/pages.es/linux/top.md @@ -21,7 +21,7 @@ - Muestra los hilos individuales de un proceso dado: -`top -Hp {{id_proceso}}` +`top -Hp {{identificador_de_proceso}}` - Muestra solo los procesos con un(os) PID(s) dado(s), separados por comas. (Normalmente no se conoce el PID de antemano. Este ejemplo lo obtiene del nombre del proceso): diff --git a/pages.es/linux/tor.md b/pages.es/linux/tor.md new file mode 100644 index 000000000..1283d04e1 --- /dev/null +++ b/pages.es/linux/tor.md @@ -0,0 +1,32 @@ +# tor + +> Habilita la comunicación anónima a través de la red Tor. +> Más información: . + +- Conecta a la red Tor: + +`tor` + +- Vea la configuración de Tor: + +`tor --config` + +- Comprueba el estado de Tor: + +`tor --status` + +- Ejecuta como cliente: + +`tor --client` + +- Ejecuta como relé: + +`tor --relay` + +- Ejecuta como puente: + +`tor --bridge` + +- Ejecuta como servicio oculto: + +`tor --hidden-service` diff --git a/pages.es/linux/torify.md b/pages.es/linux/torify.md new file mode 100644 index 000000000..b8b99ccfb --- /dev/null +++ b/pages.es/linux/torify.md @@ -0,0 +1,33 @@ +# torify + +> Enruta el tráfico de red a través de la red Tor. +> Nota: Este comando está desfasado, y ahora es un empaquetador compatible con versiones anteriores de `torsocks`. +> Más información: . + +- Enruta el tráfico a través de Tor: + +`torify {{comando}}` + +- Activa o desactiva Tor en el intérprete de comandos: + +`torify {{on|off}}` + +- Crea un intérprete de órdenes con Tor activado: + +`torify --shell` + +- Checa si hay un intérprete de órdenes con Tor activado: + +`torify show` + +- Especifica el archivo de configuración de Tor: + +`torify -c {{archivo_de_configuración}} {{comando}}` + +- Usa un proxy Tor SOCKS específico: + +`torify -P {{proxy}} {{comando}}` + +- Redirige la salida a un archivo: + +`torify {{comando}} > {{ruta/a/archivo_de_salida}}` diff --git a/pages.es/linux/torsocks.md b/pages.es/linux/torsocks.md new file mode 100644 index 000000000..189ed3be7 --- /dev/null +++ b/pages.es/linux/torsocks.md @@ -0,0 +1,12 @@ +# torsocks + +> Utiliza cualquier aplicación a través de la red de Tor. +> Más información: . + +- Ejecuta un comando usando Tor: + +`torsocks {{comando}}` + +- Activa o desactiva Tor en este intérprete de comandos: + +`. torsocks {{on|off}}` diff --git a/pages.es/linux/tunelp.md b/pages.es/linux/tunelp.md new file mode 100644 index 000000000..e0fb9fa92 --- /dev/null +++ b/pages.es/linux/tunelp.md @@ -0,0 +1,25 @@ +# tunelp + +> Establece varios parámetros para dispositivos de puerto paralelo para la solución de problemas o para un mejor rendimiento. +> Parte de `util-linux`. +> Más información: . + +- Comprueba el e[s]tado de un dispositivo de puerto paralelo: + +`tunelp --status {{/dev/lp0}}` + +- Restablece un puerto paralelo: + +`tunelp --reset {{/dev/lp0}}` + +- Utiliza un [i]RQ dado para un dispositivo, cada uno representando una línea de interrupción: + +`tunelp -i 5 {{/dev/lp0}}` + +- Intenta imprimir varias veces un [c]arácter en la impresora antes de permanecer inactiva durante un [t]iempo determinado: + +`tunelp --chars {{veces}} --time {{tiempo_en_centisegundos}} {{/dev/lp0}}` + +- Activa o desactiva el [a]bortar por error (desactivado por defecto): + +`tunelp --abort {{on|off}}` diff --git a/pages.es/linux/turbostat.md b/pages.es/linux/turbostat.md new file mode 100644 index 000000000..713a02dba --- /dev/null +++ b/pages.es/linux/turbostat.md @@ -0,0 +1,24 @@ +# turbostat + +> Informa de la topología del procesador, frecuencia, temperatura, potencia y estadísticas de inactividad. +> Más información: . + +- Muestra las estadísticas cada cinco segundos: + +`sudo turbostat` + +- Muestra las estadísticas cada cierto número de segundos: + +`sudo turbostat -i {{n_segundos}}` + +- Muestra información sin decodificar ni imprimir la cabecera de configuración del sistema: + +`sudo turbostat --quiet` + +- Muestra información útil sobre el CPU cada segundo, sin información de cabecera: + +`sudo turbostat --quiet --interval 1 --cpu 0-{{cuenta_hilos_CPU}} --show "PkgWatt","Busy%","Core","CoreTmp","Thermal"` + +- Muestra ayuda: + +`turbostat --help` diff --git a/pages.es/linux/vnstat.md b/pages.es/linux/vnstat.md new file mode 100644 index 000000000..248585d7b --- /dev/null +++ b/pages.es/linux/vnstat.md @@ -0,0 +1,24 @@ +# vnstat + +> Monitor de tráfico de red de línea de comandos. +> Más información: . + +- Muestra un resumen de tráfico de todas las interfaces: + +`vnstat` + +- Muestra un resumen de tráfico de una interfaz de red específica: + +`vnstat -i {{interfaz_de_red}}` + +- Muestra estadísticas en vivo de una interfaz de red específica: + +`vnstat -l -i {{interfaz_de_red}}` + +- Muestra estadísticas de tráfico por hora durante las últimas 24 horas mediante un gráfico de barras: + +`vnstat -hg` + +- Mide y muestra el tráfico promedio por 30 segundos: + +`vnstat -tr {{30}}` diff --git a/pages.es/linux/vnstati.md b/pages.es/linux/vnstati.md new file mode 100644 index 000000000..765bb3315 --- /dev/null +++ b/pages.es/linux/vnstati.md @@ -0,0 +1,20 @@ +# vnstati + +> Genera imágenes PNG compatibles con vnStat. +> Más información: . + +- Genera un resumen de los últimos dos meses, días, etc: + +`vnstati --summary --iface {{interfaz_de_red}} --output {{ruta/a/salida.png}}` + +- Genera los 10 días con mayor tráfico de todos los tiempos: + +`vnstati --top 10 --iface {{interfaz_de_red}} --output {{ruta/a/salida.png}}` + +- Genera estadísticas de tráfico mensual de los últimos 12 meses: + +`vnstati --months --iface {{interfaz_de_red}} --output {{ruta/a/salida.png}}` + +- Genera estadísticas de tráfico por hora de las últimas 24 horas: + +`vnstati --hours --iface {{interfaz_de_red}} --output {{ruta/a/salida.png}}` diff --git a/pages.es/linux/waypipe.md b/pages.es/linux/waypipe.md new file mode 100644 index 000000000..a65bdd930 --- /dev/null +++ b/pages.es/linux/waypipe.md @@ -0,0 +1,12 @@ +# waypipe + +> Ejecuta remotamente aplicaciones gráficas bajo un compositor para Wayland. +> Más información: . + +- Ejecuta un programa gráfico remotamente y muestralo localmente: + +`waypipe ssh {{usuario}}@{{servidor}} {{programa}}` + +- Abre un túnel SSH para ejecutar cualquier programa de forma remota y visualizarlo localmente: + +`waypipe ssh {{usuario}}@{{servidor}}` diff --git a/pages.es/linux/wmctrl.md b/pages.es/linux/wmctrl.md new file mode 100644 index 000000000..8c8a713e3 --- /dev/null +++ b/pages.es/linux/wmctrl.md @@ -0,0 +1,28 @@ +# wmctrl + +> CLI para X Window Manager. +> Más información: . + +- Lista todas las ventanas, gestionadas por el gestor de ventanas: + +`wmctrl -l` + +- Cambia a la primera ventana cuyo título (parcial) coincida: + +`wmctrl -a {{título_ventana}}` + +- Mueve una ventana al espacio de trabajo actual, levántala y dale foco: + +`wmctrl -R {{título_ventana}}` + +- Cambia a un espacio de trabajo: + +`wmctrl -s {{número_de_espacio_de_trabajo}}` + +- Selecciona una ventana y activa la pantalla completa: + +`wmctrl -r {{título_ventana}} -b toggle,fullscreen` + +- Selecciona una ventana y muévela a un espacio de trabajo: + +`wmctrl -r {{título_ventana}} -t {{número_de_espacio_de_trabajo}}` diff --git a/pages.es/linux/wofi.md b/pages.es/linux/wofi.md new file mode 100644 index 000000000..1bd516c1a --- /dev/null +++ b/pages.es/linux/wofi.md @@ -0,0 +1,16 @@ +# wofi + +> Un lanzador de aplicaciones para compositores Wayland basados en wlroots, similar a `rofi` y `dmenu`. +> Más información: . + +- Muestra la lista de aplicaciones: + +`wofi --show drun` + +- Muestra la lista de todos los comandos: + +`wofi --show run` + +- Envía una lista de elementos a `stdin` e imprime el elemento seleccionado en `stdout`: + +`printf "{{Choice1\nChoice2\nChoice3}}" | wofi --dmenu` diff --git a/pages.es/linux/ydotool.md b/pages.es/linux/ydotool.md new file mode 100644 index 000000000..958e43df4 --- /dev/null +++ b/pages.es/linux/ydotool.md @@ -0,0 +1,20 @@ +# ydotool + +> Controla las entradas de teclado y ratón mediante comandos de forma agnóstica al servidor de visualización. +> Más información: . + +- Inicia el daemon ydotool en segundo plano: + +`ydotoold` + +- Realiza un clic con el botón izquierdo: + +`ydotool click 0xC0` + +- Realiza un clic con el botón derecho: + +`ydotool click 0xC1` + +- Ingresa la combinación de teclas Alt+F4: + +`ydotool key 56:1 62:1 62:0 56:0` diff --git a/pages.es/linux/zramctl.md b/pages.es/linux/zramctl.md new file mode 100644 index 000000000..45586287c --- /dev/null +++ b/pages.es/linux/zramctl.md @@ -0,0 +1,25 @@ +# zramctl + +> Configura y controla dispositivos zram. +> Usa `mkfs` o `mkswap` para formatear dispositivos zram a particiones. +> Más información: . + +- Comprueba si zram está habilitado: + +`lsmod | grep -i zram` + +- Habilita zram con un número dinámico de dispositivos (usa `zramctl` para configurar más dispositivos): + +`sudo modprobe zram` + +- Habilita zram con exactamente 2 dispositivos: + +`sudo modprobe zram num_devices={{2}}` + +- Encuentra e inicializa el siguiente dispositivo zram libre a una unidad virtual de 2 GB usando compresión LZ4: + +`sudo zramctl --find --size {{2GB}} --algorithm {{lz4}}` + +- Lista los dispositivos actualmente inicializados: + +`sudo zramctl` diff --git a/pages.es/osx/arch.md b/pages.es/osx/arch.md index be3a6e2f8..bc65757b1 100644 --- a/pages.es/osx/arch.md +++ b/pages.es/osx/arch.md @@ -1,7 +1,7 @@ # arch > Muestra el nombre de la arquitectura del sistema, o ejecuta un comando bajo una arquitectura diferente. -> Véase también: `uname`. +> Vea también: `uname`. > Más información: . - Muestra la arquitectura del sistema: diff --git a/pages.es/osx/as.md b/pages.es/osx/as.md index 267f0adbb..acbf119a0 100644 --- a/pages.es/osx/as.md +++ b/pages.es/osx/as.md @@ -6,16 +6,16 @@ - Ensambla un archivo, escribiendo la salida en `a.out`: -`as {{archivo.s}}` +`as {{ruta/al/archivo.s}}` - Ensambla la salida a un archivo especificado: -`as {{archivo.s}} -o {{salida.o}}` +`as {{ruta/al/archivo.s}} -o {{salida.o}}` - Genera resultados más rápidos omitiendo los espacios en blanco y el preprocesamiento de comentarios. (Solo debe usarse para compiladores de confianza): -`as -f {{archivo.s}}` +`as -f {{ruta/al/archivo.s}}` - Incluye una ruta determinada a la lista de directorios para buscar archivos especificados en las directivas `.include`: -`as -I {{ruta/al/directorio}} {{archivo.s}}` +`as -I {{ruta/al/directorio}} {{ruta/al/archivo.s}}` diff --git a/pages.es/osx/automount.md b/pages.es/osx/automount.md new file mode 100644 index 000000000..1e1c2bce9 --- /dev/null +++ b/pages.es/osx/automount.md @@ -0,0 +1,17 @@ +# automount + +> Lee el archivo `/etc/auto_master` y monta `autofs` en los puntos de montaje apropiados para activar el montaje bajo demanda de directorios. Esencialmente, es una forma de iniciar manualmente el proceso de automontaje del sistema. +> Nota: Lo más probable es que necesites ejecutarlo con `sudo` si no tienes los permisos necesarios. +> Más información: . + +- Ejecuta automount, vacía la caché(`-c`) de antemano, y es detallista(`-v`) al respecto (uso más común): + +`automount -cv` + +- Desmonta automáticamente transcurridos 5 minutos (300 segundos) de inactividad: + +`automount -t 300` + +- Desmonta cualquier cosa previamente montada por automount y/o definida en `/etc/auto_master`: + +`automount -u` diff --git a/pages.es/osx/dd.md b/pages.es/osx/dd.md index 0ddfee828..c196b4cb4 100644 --- a/pages.es/osx/dd.md +++ b/pages.es/osx/dd.md @@ -9,24 +9,20 @@ - Clona una unidad a otra unidad con un bloque de 4 MB, ignora el error y muestra el progreso: -`dd if={{/dev/dispositivo_de origen}} of={{/dev/dispositivo_de destino}} bs={{4m}} conv={{noerror}} status=progress` +`dd bs=4m conv=noerror if={{/dev/dispositivo_de origen}} of={{/dev/dispositivo_de destino}} status=progress` -- Genera un fichero de 100 bytes aleatorios utilizando el controlador aleatorio del kernel: +- Genera un archivo con un número específico de bytes aleatorios utilizando el controlador aleatorio del núcleo: -`dd if=/dev/urandom of={{ruta/al/archivo_aleatorio}} bs={{100}} count={{1}}` +`dd bs={{100}} count={{1}} if=/dev/urandom of={{ruta/al/archivo_aleatorio}}` - Compara el rendimiento de escritura de un disco: -`dd if=/dev/zero of={{ruta/para/archivo_1GB}} bs={{1024}} count={{1000000}}` +`dd bs={{1024}} count={{1000000}} if=/dev/zero of={{ruta/para/archivo_1GB}}` - Genera una copia de seguridad del sistema en un archivo IMG y muestra el progreso: -`dd if=/dev/{{dispositivo_unidad}} of={{ruta/al/archivo.img}} status=progress` +`dd if={{/dev/dispositivo_unidad}} of={{ruta/al/archivo.img}} status=progress` -- Restaura una unidad desde un archivo IMG y muestra el progreso: +- Comprueba el progreso de una operación `dd` en curso (ejecuta este comando desde otro intérprete de comandos): -`dd if={{ruta/al/archivo.img}} of={{/dev/unidad_dispositivo}} status=progress` - -- Comprueba el progreso de una operación dd en curso (ejecuta este comando desde otro shell): - -`kill -USR1 $(pgrep -x dd)` +`kill -USR1 $(pgrep ^dd)` diff --git a/pages.es/osx/diskutil-partitiondisk.md b/pages.es/osx/diskutil-partitiondisk.md new file mode 100644 index 000000000..0d6ee9876 --- /dev/null +++ b/pages.es/osx/diskutil-partitiondisk.md @@ -0,0 +1,26 @@ +# diskutil partitionDisk + +> Utilidad para gestionar particiones en discos y volúmenes. +> Parte de `diskutil`. +> APM solo es compatible con macOS, MBR está optimizado para DOS, mientras que GPT es compatible con la mayoría de los sistemas operativos modernos. +> Más información: . + +- Reformatea un volumen usando el esquema de particionado APM/MBR/GPT, sin dejar particiones en su interior (esto borrará todos los datos del volumen): + +`diskutil partitionDisk {{/dev/dispositivo_de_disco}} 0 {{APM|MBR|GPT}}` + +- Reformatea un volumen, luego crea una única partición usando un sistema de archivos específico llenando todo el espacio libre: + +`diskutil partitionDisk {{/dev/dispositivo_de_disco}} 1 {{APM|MBR|GPT}} {{partición_con_sistema_de_archivos}} {{nombre_de_partición}}` + +- Reformatea un volumen, luego crea una única partición con un sistema de archivos y tamaño específico (ej. `16G` para 16GB o `50%` para llenar la mitad del tamaño total del volumen): + +`diskutil partitionDisk {{/dev/dispositivo_de_disco}} 1 {{APM|MBR|GPT}} {{partición_con_sistema_de_archivos}} {{nombre_de_partición}} {{tamaño_de_partición}}` + +- Reformatea un volumen y crea múltiples particiones: + +`diskutil partitionDisk {{/dev/dispositivo_disco}} {{número_particiones}} {{APM|MBR|GPT}} {{partición_sistema_archivos1}} {{nombre_partición1}} {{tamaño_partición1}} {{partición_sistema_archivos2}} {{nombre_partición2}} {{tamaño_partición2}} ...` + +- Lista todos los sistemas de ficheros soportados para particionar: + +`diskutil listFilesystems` diff --git a/pages.es/osx/iostat.md b/pages.es/osx/iostat.md new file mode 100644 index 000000000..cbaa768fc --- /dev/null +++ b/pages.es/osx/iostat.md @@ -0,0 +1,32 @@ +# iostat + +> Informa las estadísticas de los dispositivos. +> Más información: . + +- Muestra estadísticas instantáneas de dispositivos (KB/t, transferencias y MB por segundo), estadísticas de CPU (porcentajes de tiempo empleado en modos usuario, sistema e inactivo) y promedios de carga del sistema (para los últimos 1, 5 y 15 min): + +`iostat` + +- Muestra solo estadísticas de dispositivos: + +`iostat -d` + +- Muestra informes incrementales de estadísticas de CPU y disco cada 2 segundos: + +`iostat 2` + +- Muestra las estadísticas del primer disco cada segundo de forma indefinida: + +`iostat -w 1 disk0` + +- Muestra las estadísticas del segundo disco cada 3 segundos, 10 veces: + +`iostat -w 3 -c 10 disk1` + +- Muestra utilizando la antigua muestra de `iostat`. Muestra los sectores transferidos por segundo, las transferencias por segundo, el promedio de milisegundos por transacción y las estadísticas de la CPU + los promedios de carga de la muestra por defecto: + +`iostat -o` + +- Muestra las estadísticas totales del dispositivo (KB/t: kilobytes por transferencia como antes, xfrs: número total de transferencias, MB: número total de megabytes transferidos): + +`iostat -I` diff --git a/pages.es/osx/mist.md b/pages.es/osx/mist.md new file mode 100644 index 000000000..9960f3632 --- /dev/null +++ b/pages.es/osx/mist.md @@ -0,0 +1,37 @@ +# mist + +> MIST - macOS Installer Super Tool. +> Descarga automáticamente Firmwares/Instaladores de macOS. +> Más información: . + +- Lista todos los firmwares de macOS disponibles para los Mac Silicon de Apple: + +`mist list firmware` + +- Lista todos los instaladores de macOS disponibles para Mac Intel, incluidos los instaladores universales para macOS Big Sur y versiones posteriores: + +`mist list installer` + +- Lista todos los instaladores de macOS compatibles con esta Mac, incluidos los instaladores universales de macOS Big Sur y posteriores: + +`mist list installer --compatible` + +- Lista todos los instaladores de macOS disponibles para Mac Intel, incluidas las betas tanto como también los instaladores universales para macOS Big Sur y versiones posteriores: + +`mist list installer --include-betas` + +- Lista solo el último instalador de macOS Sonoma para las Macs Intel, incluidos los instaladores universales de macOS Big Sur y posteriores: + +`mist list installer --latest "macOS Sonoma"` + +- Lista y exporta instaladores de macOS a un archivo CSV: + +`mist list installer --export "{{/ruta/a/archivo_con_datos_exportados.csv}}"` + +- Descarga el último firmware de macOS Sonoma para los Mac Silicon de Apple, con un nombre personalizado: + +`mist download firmware "macOS Sonoma" --firmware-name "{{Install %NAME% %VERSION%-%BUILD%.ipsw}}"` + +- Descarga una versión específica del instalador de macOS para Mac Intel, incluidos los instaladores universales de macOS Big Sur y posteriores: + +`mist download installer "{{13.5.2}}" application` diff --git a/pages.es/osx/ping.md b/pages.es/osx/ping.md index e17f27801..14671a1d9 100644 --- a/pages.es/osx/ping.md +++ b/pages.es/osx/ping.md @@ -11,18 +11,18 @@ `ping -c {{cuenta}} "{{host}}"` -- Ping al `host`, especificando el intervalo en `segundos` entre peticiones (por defecto es 1 segundo): +- Ping al host, especificando el intervalo en segundos entre peticiones (por defecto es 1 segundo): `ping -i {{segundos}} "{{host}}"` -- Ping a `host` sin intentar buscar nombres simbólicos para las direcciones: +- Ping al host sin intentar buscar nombres simbólicos para las direcciones: `ping -n "{{host}}"` -- Ping al `host` y hace sonar la campana cuando se recibe un paquete (si tu terminal lo soporta): +- Ping al host y hace sonar la campana cuando se recibe un paquete (si tu terminal lo soporta): `ping -a "{{host}}"` -- Ping al `host` y muestra la hora en la que se ha recibido un paquete (esta opción es un añadido de Apple): +- Ping al host y muestra la hora en la que se ha recibido un paquete (esta opción es un añadido de Apple): `ping --apple-time "{{host}}"` diff --git a/pages.es/osx/shuf.md b/pages.es/osx/shuf.md index 98d2b6e54..ce4bf5d0b 100644 --- a/pages.es/osx/shuf.md +++ b/pages.es/osx/shuf.md @@ -9,7 +9,7 @@ - Sólo muestra las 5 primeras entradas del resultado: -`shuf --head-count={{5}} {{nombre_archivo}}` +`shuf --head-count=5 {{nombre_archivo}}` - Escribe el resultado en otro archivo: @@ -17,4 +17,4 @@ - Genera números aleatorios en el rango 1-10: -`shuf --input-range={{1-10}}` +`shuf --input-range=1-10` diff --git a/pages.es/osx/split.md b/pages.es/osx/split.md index e44f22524..32c8bbff1 100644 --- a/pages.es/osx/split.md +++ b/pages.es/osx/split.md @@ -5,16 +5,16 @@ - Divide un archivo, cada división tiene 10 líneas (excepto la última división): -`split -l {{10}} {{nombre_de_archivo}}` +`split -l 10 {{ruta/al/archivo}}` - Divide un fichero mediante una expresión regular. La línea que coincida será la primera línea del siguiente archivo de salida: -`split -p {{cat|^[dh]og}} {{nombre_de_archivo}}` +`split -p {{cat|^[dh]og}} {{ruta/al/archivo}}` - Divide un archivo con 512 bytes en cada división (excepto en la última; utiliza 512k para kilobytes y 512m para megabytes): -`split -b {{512}} {{nombre_de_archivo}}` +`split -b 512 {{ruta/al/archivo}}` - Divide un archivo en 5 archivos. El archivo se divide de forma que cada división tenga el mismo tamaño (excepto la última división): -`split -n {{5}} {{nombre_de_archivo}}` +`split -n 5 {{ruta/al/archivo}}` diff --git a/pages.es/osx/vpnd.md b/pages.es/osx/vpnd.md index 7e52464b7..ab1610142 100644 --- a/pages.es/osx/vpnd.md +++ b/pages.es/osx/vpnd.md @@ -1,7 +1,7 @@ # vpnd > Escucha las conexiones VPN entrantes. -> No debe invocarse manualmente. +> No debería ejecutar el programa manualmente. > Más información: . - Inicia el daemon: @@ -12,18 +12,18 @@ `vpnd -x` -- Ejecuta el daemon en primer plano e imprime los registros en el terminal: +- Ejecuta el daemon en primer plano e imprime los registros en la terminal: `vpnd -d` -- Ejecuta el daemon en primer plano, imprime los registros en el terminal y luego sale tras validar los argumentos: +- Ejecuta el daemon en primer plano, imprime los registros en la terminal y termina después de validar los argumentos: `vpnd -n` -- Imprime el resumen de uso y sale: - -`vpnd -h` - - Ejecuta el daemon para una configuración de servidor específica: -`vpnd -i {{server_id}}` +`vpnd -i {{identificador_de_servidor}}` + +- Muestra ayuda: + +`vpnd -h` diff --git a/pages.es/osx/xcrun.md b/pages.es/osx/xcrun.md index 000ea3dcc..d51a771dc 100644 --- a/pages.es/osx/xcrun.md +++ b/pages.es/osx/xcrun.md @@ -11,18 +11,18 @@ `xcrun {{herramienta}} {{argumentos}} --verbose` -- Busca una herramienta para un SDK determinado: +- Busca una herramienta para un SDK: -`xcrun --sdk {{nombre_sdk}}` +`xcrun --sdk {{nombre_de_sdk}}` -- Busca una herramienta para una cadena de herramientas determinada: +- Busca una herramienta para una cadena de herramientas: -`xcrun --toolchain {{nombre}}` - -- Muestra versión: - -`xcrun --version` +`xcrun --toolchain {{nombre_de_cadena}}` - Muestra ayuda: `xcrun --help` + +- Muestra la versión: + +`xcrun --version` diff --git a/pages.es/osx/yaa.md b/pages.es/osx/yaa.md index ffadf0abe..4dcb7d6d1 100644 --- a/pages.es/osx/yaa.md +++ b/pages.es/osx/yaa.md @@ -25,4 +25,4 @@ - Crea un archivo con un tamaño de bloque de 8 MB: -`yaa archive -b {{8m}} -d {{ruta/al/directorio}} -o {{ruta/al/archivo_de_salida.yaa}}` +`yaa archive -b 8m -d {{ruta/al/directorio}} -o {{ruta/al/archivo_de_salida.yaa}}` diff --git a/pages.es/windows/ospp.vbs.md b/pages.es/windows/ospp.vbs.md new file mode 100644 index 000000000..8a1a7aaa3 --- /dev/null +++ b/pages.es/windows/ospp.vbs.md @@ -0,0 +1,29 @@ +# ospp.vbs + +> Instala, activa y administra versiones con licencia por volumen de productos Microsoft Office. +> Nota: este comando puede anular, desactivar y/o eliminar tu volumen actual de versiones de productos Office con licencia, así que procede con cautela. +> Más información: . + +- Instala una clave de producto (Nota: sustituye a la clave existente): + +`cscript ospp.vbs /inpkey:{{clave_producto}}` + +- Desinstala una clave de producto instalada con los cinco últimos dígitos de la clave de producto: + +`cscript ospp.vbs /unpkey:{{clave_producto}}` + +- Establece un nombre de host KMS: + +`cscript ospp.vbs /sethst:{{ip|nombre_host}}` + +- Establece un puerto KMS: + +`cscript ospp.vbs /setprt:{{puerto}}` + +- Activa las claves de producto de Office instaladas: + +`cscript ospp.vbs /act` + +- Muestra la información de licencia de las claves de producto instaladas: + +`cscript ospp.vbs /dstatus` diff --git a/pages.es/windows/test-netconnection.md b/pages.es/windows/test-netconnection.md new file mode 100644 index 000000000..d18a6a610 --- /dev/null +++ b/pages.es/windows/test-netconnection.md @@ -0,0 +1,13 @@ +# Test-NetConnection + +> Muestra información de diagnóstico de una conexión. +> Este comando solo se puede utilizar a través de PowerShell. +> Más información: . + +- Prueba una conexión y muestra resultados detallados: + +`Test-NetConnection -InformationLevel Detailed` + +- Prueba una conexión a un host remoto con un número de puerto específico: + +`Test-NetConnection -ComputerName {{ip_o_nombre_del_host}} -Port {{número_de_puerto}}` diff --git a/pages.fa/android/logcat.md b/pages.fa/android/logcat.md index 07d8eeff5..ac49481df 100644 --- a/pages.fa/android/logcat.md +++ b/pages.fa/android/logcat.md @@ -17,8 +17,8 @@ - نمایش لاگ های مربوط به یک PID مشخص : -`logcat --pid={{pid}}` +`logcat --pid {{pid}}` - نمایش لاگ های پروسه های مربوط به یک بسته مشخص : -`logcat --pid=$(pidof -s {{package}})` +`logcat --pid $(pidof -s {{package}})` diff --git a/pages.fa/common/2to3.md b/pages.fa/common/2to3.md index 7939ed68c..790c5c974 100644 --- a/pages.fa/common/2to3.md +++ b/pages.fa/common/2to3.md @@ -13,11 +13,11 @@ - تبدیل قابلیت های خاص پایتون نسخه 2 به 3 : -`2to3 --write {{path/to/file.py}} --fix={{raw_input}} --fix={{print}}` +`2to3 --write {{path/to/file.py}} --fix {{raw_input}} --fix {{print}}` - تبدیل تمامی قابلیت های نسخه 2 به 3 بغیر از ویژگی های معیین شده : -`2to3 --write {{path/to/file.py}} --nofix={{has_key}} --nofix={{isinstance}}` +`2to3 --write {{path/to/file.py}} --nofix {{has_key}} --nofix {{isinstance}}` - نمایش لیست قابلیت های زبان پایتون نسخه 2 که قابلیت تبدیل به نسخه 3 را دارند : @@ -25,8 +25,8 @@ - تبدیل تمامی فایل های پایتون نسخه 2 به 3 در یک مسیر : -`2to3 --output-dir={{path/to/python3_directory}} --write-unchanged-files --nobackups {{path/to/python2_directory}}` +`2to3 --output-dir {{path/to/python3_directory}} --write-unchanged-files --nobackups {{path/to/python2_directory}}` - اجرای همزان(چند رشته ای) دستور 2 به 3 : -`2to3 --processes={{4}} --output-dir={{path/to/python3_directory}} --write --nobackups --no-diff {{path/to/python2_directory}}` +`2to3 --processes {{4}} --output-dir {{path/to/python3_directory}} --write --nobackups --no-diff {{path/to/python2_directory}}` diff --git a/pages.fa/common/[.md b/pages.fa/common/[.md index 28f2c3a33..7c3744b02 100644 --- a/pages.fa/common/[.md +++ b/pages.fa/common/[.md @@ -2,7 +2,7 @@ > بررسی نوع فایل و مقایسه مقدار ها > عدد 0 برمیگرداند اگر شرط درست باشد و 1 اگر شرط نادرست باشد -> اطلاعات بیشتر: . +> اطلاعات بیشتر: . - بررسی میکند که آیا یک متغییر با رشته معین برابر است یا نابرابر : diff --git a/pages.fa/common/[[.md b/pages.fa/common/[[.md index bb5e6c40c..a0f63ffc4 100644 --- a/pages.fa/common/[[.md +++ b/pages.fa/common/[[.md @@ -2,7 +2,7 @@ > نوع فایل و مقادیر را بررسی میکند. > عدد 0 برمیگرداند اگر حاصل عبارت شرط درست باشد و 1 اگر نادرست باشد. -> اطلاعات بیشتر: . +> اطلاعات بیشتر: . - اینکه متغییری برابر/نابرابر با رشته ای معین است را بررسی میکند : diff --git a/pages.fa/common/agate.md b/pages.fa/common/agate.md new file mode 100644 index 000000000..21e92c6ae --- /dev/null +++ b/pages.fa/common/agate.md @@ -0,0 +1,16 @@ +# agate + +> یک سرور ساده برای پروتوکل شبکه Gemini. +> اطلاعات بیشتر: . + +- اجرا و ساخت یک کلید خصوصی و مجوز: + +`agate --content {{path/to/content/}} --addr {{[::]:1965}} --addr {{0.0.0.0:1965}} --hostname {{example.com}} --lang {{en-US}}` + +- اجرا کردن سرور: + +`agate {{path/to/file}}` + +- نمایش راهنما: + +`agate -h` diff --git a/pages.fa/common/alex.md b/pages.fa/common/alex.md new file mode 100644 index 000000000..e8ee7c410 --- /dev/null +++ b/pages.fa/common/alex.md @@ -0,0 +1,21 @@ +# alex + +> نوشته های نادرست و مشکل دار پیدا کنید. +> به شما کمک می کند نوشته های حاوی تعصب جنسیتی، دوقطبی کننده جامعه، نژاد پرستانه، توهین به مذاهب و سایر جملات مشابه را پیدا کنید. +> اطلاعات بیشتر: . + +- بررسی کردن متن ورودی از `stdin`: + +`echo {{His network looks good}} | alex --stdin` + +- بررسی تمام فایل های موجود در این دایرکتوری: + +`alex` + +- بررسی یک فایل خاص: + +`alex {{path/to/file.md}}` + +- بررسی تمام فایل های نشانه گذاری به جز `example.md`: + +`alex *.md !{{example.md}}` diff --git a/pages.fa/common/apktool.md b/pages.fa/common/apktool.md new file mode 100644 index 000000000..8a104bf94 --- /dev/null +++ b/pages.fa/common/apktool.md @@ -0,0 +1,16 @@ +# apktool + +> مهندسی معکوس فایل های APK. +> اطلاعات بیشتر: . + +- رمزگشایی یک فایل APK: + +`apktool d {{path/to/file.apk}}` + +- ساخت یک فایل APK از یک دایرکتوری: + +`apktool b {{path/to/directory}}` + +- نصب و ذخیره یک فریمورک: + +`apktool if {{path/to/framework.apk}}` diff --git a/pages.fa/common/aria2c.md b/pages.fa/common/aria2c.md index f1f915b42..6a10bad64 100644 --- a/pages.fa/common/aria2c.md +++ b/pages.fa/common/aria2c.md @@ -10,7 +10,7 @@ - دانلود یک فایل از لینک موردنظر با اسم خروجی دلخواه: -`aria2c --out={{path/to/file}} "{{url}}"` +`aria2c --out {{path/to/file}} "{{url}}"` - دانلود چند فایل مختلف به صورت همزمان: @@ -26,7 +26,7 @@ - دانلود با چندین اتصال مختلف: -`aria2c --split={{number_of_connections}} "{{url}}"` +`aria2c --split {{number_of_connections}} "{{url}}"` - دانلود از FTP با نام کاربری و رمزعبور: diff --git a/pages.fa/common/atuin.md b/pages.fa/common/atuin.md new file mode 100644 index 000000000..5bcf3173a --- /dev/null +++ b/pages.fa/common/atuin.md @@ -0,0 +1,29 @@ +# atuin + +> ذخیره سازی تاریخچه شل شما در یک دیتابیس قابل جستجو. +> به صورت اختیاری می توانید تاریخچه رمزنگاری شده را بین دستگاه هایتان هماهنگ کنید. +> اطلاعات بیشتر: . + +- نصب آتویین برروی شل شما: + +`eval "$(atuin init {{bash|zsh|fish}})"` + +- وارد کردن تاریخچه از فایل مربوط به تاریخچه پیشفرض شل: + +`atuin import auto` + +- جستجوی تاریخچه شل برای یک دستور خاص: + +`atuin search {{command}}` + +- ثبت نام یک حساب بر روی سرور پیشفرض با استفاده از نام کاربری و ایمیل و رمزعبور دلخواه: + +`atuin register -u {{username}} -e {{email}} -p {{password}}` + +- ورود به سرور پیشفرض: + +`atuin login -u {{username}} -p {{password}}` + +- هماهنگ کردن تاریخچه با سرور: + +`atuin sync` diff --git a/pages.fa/common/bob.md b/pages.fa/common/bob.md new file mode 100644 index 000000000..70b750674 --- /dev/null +++ b/pages.fa/common/bob.md @@ -0,0 +1,24 @@ +# bob + +> مدیریت و جابجایی بین نسخه های مختلف Neovim. +> اطلاعات بیشتر: . + +- نصب و جابجایی به نسخه خاصی از Neovim: + +`bob use {{nightly|stable|latest|version_string|commit_hash}}` + +- فهرست نسخه های نصب شده و نسخه ای که اکنون استفاده می شود: + +`bob list` + +- حذف یک نسخه خاص از Neovim: + +`bob uninstall {{nightly|stable|latest|version_string|commit_hash}}` + +- حذف Neovim و پاک کردن هر تغییری که `bob` اعمال کرده است: + +`bob erase` + +- بازگشت به نسخه شبانه قبلی: + +`bob rollback` diff --git a/pages.fa/common/bpkg.md b/pages.fa/common/bpkg.md new file mode 100644 index 000000000..25a94c8d9 --- /dev/null +++ b/pages.fa/common/bpkg.md @@ -0,0 +1,28 @@ +# bpkg + +> یک پکیج منیجر برای بش اسکریپت. +> اطلاعات بیشتر: . + +- بروزرسانی فهرست محلی: + +`bpkg update` + +- نصب یک بسته به صورت گلوبال: + +`bpkg install --global {{package}}` + +- نصب یک بسته در یک زیرپوشه در پوشه ی کنونی: + +`bpkg install {{package}}` + +- نصب یک نسخه خاص از یک بسته به صورت گلوبال: + +`bpkg install {{package}}@{{version}} -g` + +- نمایش جزئیات یک بسته خاص: + +`bpkg show {{package}}` + +- اجرای یک دستور، آرگومان ها به صورت اختیاری نوشته شده اند: + +`bpkg run {{command}} {{argument1 argument2 ...}}` diff --git a/pages.fa/common/cat.md b/pages.fa/common/cat.md index f1a021ea8..f97b79ace 100644 --- a/pages.fa/common/cat.md +++ b/pages.fa/common/cat.md @@ -1,7 +1,7 @@ # cat > چاپ و ترکیب کردن فایل ها. -> اطلاعات بیشتر: . +> اطلاعات بیشتر: . - چاپ محتویات فایل بر روی صفحه نمایش: diff --git a/pages.fa/common/compare.md b/pages.fa/common/compare.md deleted file mode 100644 index 115a6857c..000000000 --- a/pages.fa/common/compare.md +++ /dev/null @@ -1,13 +0,0 @@ -# compare - -> ایجاد یک تصویر مقایسه ای برای مشخص کردن تفاوتهای دو عکس به صورت بصری. -> بخشی از ImageMagick است. -> اطلاعات بیشتر: . - -- مقایسه دو عکس: - -`compare {{path/to/image1.png}} {{path/to/image2.png}} {{path/to/diff.png}}` - -- مقایسه دو عکس با استفاده از معیار دلخواه: - -`compare -verbose -metric {{PSNR}} {{path/to/image1.png}} {{path/to/image2.png}} {{path/to/diff.png}}` diff --git a/pages.fa/common/composer.md b/pages.fa/common/composer.md index e02ee92b1..2f9711df6 100644 --- a/pages.fa/common/composer.md +++ b/pages.fa/common/composer.md @@ -1,6 +1,6 @@ # composer -> ابزاری بسته محور برای مدیریت وابستگی های پروژه های php. +> ابزاری بسته محور برای مدیریت وابستگی های پروژه های PHP. > اطلاعات بیشتر: . - ساخت یک فایل `composer.json` به صورت کنشگرا: diff --git a/pages.fa/common/curl.md b/pages.fa/common/curl.md new file mode 100644 index 000000000..64987dcb1 --- /dev/null +++ b/pages.fa/common/curl.md @@ -0,0 +1,37 @@ +# curl + +> انتقال داده از/به سرور. +> از اکثر پروتکل‌ها از جمله HTTP، FTP و POP3 پشتیبانی می‌کند. +> اطلاعات بیشتر: . + +- دانلود محتوای یک URL و ذخیره آن در یک فایل(با نام دلخواه): + +`curl {{http://example.com}} --output {{path/to/file}}` + +- دانلود یک فایل و ذخیره آن با نام فایل مشخص شده توسط URL: + +`curl --remote-name {{http://example.com/filename}}` + +- دانلود یک فایل، با دنبال کردن تغییرمسیرهای لینک(location redirects) و ادامه خودکار(از سرگیری) انتقال فایل قبلی. درصورت بروز دادن خطای سرور، خطا نمایش داده خواهد شد: + +`curl --fail --remote-name --location --continue-at - {{http://example.com/filename}}` + +- ارسال داده(فرم) رمزگذاری شده (درخواست POST از نوع application/x-www-form-urlencoded). برای خواندن از STDIN، از --data @file_name یا --data @'-' استفاده کنید: + +`curl --data {{'name=bob'}} {{http://example.com/form}}` + +- ارسال یک درخواست با استفاده از متود HTTP دلخواه و هدرهای(header) اضافی: + +`curl --header {{'X-My-Header: 123'}} --request {{PUT}} {{http://example.com}}` + +- ارسال داده به صورت JSON، با مشخص کردن content-type مناسب: + +`curl --data {{'{"name":"bob"}'}} --header {{'Content-Type: application/json'}} {{http://example.com/users/1234}}` + +- مشخص کردن یک نام کاربری و درخواست وارد کردن رمزعبور از سرور، به منظور احراز هویت: + +`curl --user {{username}} {{http://example.com}}` + +- عبور از گواهی و کلید کاربر یک منبع(رد شدن از اعتبارسنجی گواهی): + +`curl --cert {{client.pem}} --key {{key.pem}} --insecure {{https://example.com}}` diff --git a/pages.fa/common/dd.md b/pages.fa/common/dd.md index 11d007e5b..eae2a9c91 100644 --- a/pages.fa/common/dd.md +++ b/pages.fa/common/dd.md @@ -1,19 +1,19 @@ # dd > تبدیل و کپی یک فایل. -> اطلاعات بیشتر: . +> اطلاعات بیشتر: . - یک حافظه قابل حمل با قابلیت بوت شدن میسازد، برای مثال `archlinux-xxx.iso` : -`dd if={{path/to/file.iso}} of=/dev/{{usb_drive}}` +`dd if={{path/to/file.iso}} of={{/dev/usb_drive}}` - محتویات یک درایو را در مکانی دیگر با بلوک های 4 مگابایتی کپی و همچنین از خطاها صرف نظر میکند: -`dd if=/dev/{{source_drive}} of=/dev/{{dest_drive}} bs={{4194304}} conv={{noerror}}` +`dd bs=4194304 conv=noerror if={{/dev/source_drive}} of={{/dev/dest_drive}}` - یک فایل ۱۰۰ بایتی تصادفی با استفاده از درایور تصادفی هسته بسازید: -`dd if=/dev/urandom of={{path/to/random_file}} bs={{100}} count={{1}}` +`dd if=/dev/urandom of={{path/to/random_file}} bs=100 count={{1}}` - عملکرد نوشتن دیسک را بسنجید: diff --git a/pages.fa/common/diff.md b/pages.fa/common/diff.md index 9c7c74d32..f0fa654ad 100644 --- a/pages.fa/common/diff.md +++ b/pages.fa/common/diff.md @@ -1,7 +1,7 @@ # diff > مقایسه فایل(ها) و پوشه(ها). -> اطلاعات بیشتر: . +> اطلاعات بیشتر: . - مقایسه فایل ها (فهرست تغییرات فایل های قدیمی به جدید) : diff --git a/pages.fa/common/grep.md b/pages.fa/common/grep.md index 8b37cff79..3220a5c81 100644 --- a/pages.fa/common/grep.md +++ b/pages.fa/common/grep.md @@ -9,28 +9,28 @@ - جستجو یک عبارت خاص (معادل مقایسه رشته ای) : -`grep --fixed-strings "{{exact_string}}" {{path/to/file}}` +`grep {{-F|--fixed-strings}} "{{exact_string}}" {{path/to/file}}` - جستجو بازگشتی یک الگو در تمامی فایل های یک پوشه، نمایش تمامی خطوط منطبق، فایل های باینری را رد میکند: -`grep --recursive --line-number --binary-files={{without-match}} "{{search_pattern}}" {{path/to/directory}}` +`grep {{-r|--recursive}} {{-n|--line-number}} --binary-files={{without-match}} "{{search_pattern}}" {{path/to/directory}}` - استفاده از عبارات با قاعده توسعه یافته (با پشتیبانی از `?`، `+`، `{}`، `()` و `|`)، در حالت حساس به بزرگی کوچکی کاراکتر ها : -`grep --extended-regexp --ignore-case "{{search_pattern}}" {{path/to/file}}` +`grep {{-E|--extended-regexp}} {{-i|--ignore-case}} "{{search_pattern}}" {{path/to/file}}` - چاپ 3 خط از قبل و بعد محل انطباق: -`grep --{{context|before-context|after-context}}={{3}} "{{search_pattern}}" {{path/to/file}}` +`grep --{{context|before-context|after-context}} 3 "{{search_pattern}}" {{path/to/file}}` - چاپ نام فایل و شماره خط برای هر انطباق با رنگبندی : -`grep --with-filename --line-number --color=always "{{search_pattern}}" {{path/to/file}}` +`grep {{-H|--with-filename}} {{-n|--line-number}} --color=always "{{search_pattern}}" {{path/to/file}}` - جستجوی خطوط منطبق، چاپ متن منطبق : -`grep --only-matching "{{search_pattern}}" {{path/to/file}}` +`grep {{-o|--only-matching}} "{{search_pattern}}" {{path/to/file}}` - ورودی استاندارد (stdin) رو برای الگوهایی که منطبق نیستند جستجو میکند : -`cat {{path/to/file}} | grep --invert-match "{{search_pattern}}"` +`cat {{path/to/file}} | grep {{-v|--invert-match}} "{{search_pattern}}"` diff --git a/pages.fa/common/ln.md b/pages.fa/common/ln.md new file mode 100644 index 000000000..306df6361 --- /dev/null +++ b/pages.fa/common/ln.md @@ -0,0 +1,16 @@ +# ln + +> این دستور برای ایجاد ارتباط(link) به فایل ها و پوشه ها(Directories) استفاده می شود. +> اطلاعات بیشتر: . + +- ایجاد یک ارتباط نمادین (symbolic link) به یک فایل یا پوشه: + +`ln -s {{/path/to/file_or_directory}} {{path/to/symlink}}` + +- جایگزینی یک ارتباط نمادین موجود، برای اشاره به یک فایل متفاوت: + +`ln -sf {{/path/to/new_file}} {{path/to/symlink}}` + +- ایجاد یک لینک سخت (hard link) به یک فایل: + +`ln {{/path/to/file}} {{path/to/hardlink}}` diff --git a/pages.fa/common/magick-compare.md b/pages.fa/common/magick-compare.md new file mode 100644 index 000000000..797abd3a9 --- /dev/null +++ b/pages.fa/common/magick-compare.md @@ -0,0 +1,13 @@ +# magick compare + +> ایجاد یک تصویر مقایسه ای برای مشخص کردن تفاوتهای دو عکس به صورت بصری. +> بخشی از ImageMagick است. +> اطلاعات بیشتر: . + +- مقایسه دو عکس: + +`magick compare {{path/to/image1.png}} {{path/to/image2.png}} {{path/to/diff.png}}` + +- مقایسه دو عکس با استفاده از معیار دلخواه: + +`magick compare -verbose -metric {{PSNR}} {{path/to/image1.png}} {{path/to/image2.png}} {{path/to/diff.png}}` diff --git a/pages.fa/common/mkdir.md b/pages.fa/common/mkdir.md new file mode 100644 index 000000000..e3d620b0d --- /dev/null +++ b/pages.fa/common/mkdir.md @@ -0,0 +1,16 @@ +# mkdir + +> ساخت پوشه ها و تنظیم مجوز آنها. +> اطلاعات بیشتر: . + +- ساخت پوشه مشخص: + +`mkdir {{path/to/directory1 path/to/directory2 ...}}` + +- ساخت پوشه های مشخص به همراه پوشه های والد در صورت نیاز: + +`mkdir {{-p|--parents}} {{path/to/directory1 path/to/directory2 ...}}` + +- ساخت پوشه با مجوز های خاص: + +`mkdir {{-m|--mode}} {{rwxrw-r--}} {{path/to/directory1 path/to/directory2 ...}}` diff --git a/pages.fa/common/whereis.md b/pages.fa/common/whereis.md index 128f97c72..1e25fc690 100644 --- a/pages.fa/common/whereis.md +++ b/pages.fa/common/whereis.md @@ -3,7 +3,7 @@ > پیداکردن فایل اجرایی، سورس، صفحه راهنما برای یک دستور. > اطلاعات بیشتر: . -- پیداکردن فایل اجرایی، سورس و صفحه راهنما برای ssh: +- پیداکردن فایل اجرایی، سورس و صفحه راهنما برای SSH: `whereis {{ssh}}` diff --git a/pages.fa/linux/abbr.md b/pages.fa/linux/abbr.md index d3578bfd2..fa4850333 100644 --- a/pages.fa/linux/abbr.md +++ b/pages.fa/linux/abbr.md @@ -16,6 +16,6 @@ `abbr --erase {{abbreviation_name}}` -- وارد کردن یک مخفف وارد شده در یک میزبان دیگر از طریق ssh: +- وارد کردن یک مخفف وارد شده در یک میزبان دیگر از طریق SSH: `ssh {{host_name}} abbr --show | source` diff --git a/pages.fa/linux/adduser.md b/pages.fa/linux/adduser.md index 602e1d029..d6663ab09 100644 --- a/pages.fa/linux/adduser.md +++ b/pages.fa/linux/adduser.md @@ -1,7 +1,7 @@ # adduser > ابزار اضافه‌ کردن کاربر. -> اطلاعات بیشتر: . +> اطلاعات بیشتر: . - ایجاد یک کاربر جدید با دایرکتوری خانگی پیش‌فرض و درخواست از کاربر برای تنظیم رمز عبور: diff --git a/pages.fa/linux/apt-get.md b/pages.fa/linux/apt-get.md index 9d6da4a77..0c6fd6f3e 100644 --- a/pages.fa/linux/apt-get.md +++ b/pages.fa/linux/apt-get.md @@ -2,7 +2,7 @@ > ابزار مدیریت بسته‌های دبیان و اوبونتو. > جستجو در بسته‌ها با استفاده از `apt-cache`. -> اطلاعات بیشتر: . +> اطلاعات بیشتر: . - به‌روز‌رسانی لیست بسته‌ها و نسخه‌های موجود (توصیه می‌شود که این دستور را قبل از دیگر دستورات `apt-get` اجرا کنید): diff --git a/pages.fa/linux/caja.md b/pages.fa/linux/caja.md new file mode 100644 index 000000000..b41973805 --- /dev/null +++ b/pages.fa/linux/caja.md @@ -0,0 +1,24 @@ +# caja + +> مدیریت فایلها و پوشه ها در محیط دسکتاپ MATE. +> اطلاعات بیشتر: . + +- باز کردن پوشه خانگی کاربر کنونی: + +`caja` + +- بازکردن پوشه های مشخص شده در پنجره جداگانه: + +`caja {{path/to/directory1 path/to/directory2 ...}}` + +- بازکردن پوشه های مشخص شده در تب ها: + +`caja --tabs {{path/to/directory1 path/to/directory2 ...}}` + +- بازکدن یک پوشه در یک پنجره با اندازه مشخص: + +`caja --geometry={{600}}x{{400}} {{path/to/directory}}` + +- بستن همه پنجره ها: + +`caja --quit` diff --git a/pages.fa/linux/dd.md b/pages.fa/linux/dd.md new file mode 100644 index 000000000..90fbbc3dc --- /dev/null +++ b/pages.fa/linux/dd.md @@ -0,0 +1,28 @@ +# dd + +> تبدیل و کپی یک فایل. +> اطلاعات بیشتر: . + +- ساخت یک درایو USB قابل بوت از یک فایل iso (مثل `archlinux-xxx.iso`) و نمایش پیشرفت: + +`dd if={{path/to/file.iso}} of={{/dev/usb_drive}} status=progress` + +- کلون کردن یک درایو به یک درایو دیگر با اندازهٔ بلوک ۴ مگابایت و اعمال چیزهای نوشته شده پیش از خاتمهٔ دستور: + +`dd bs=4M conv=fsync if={{/dev/source_drive}} of={{/dev/dest_drive}}` + +- ایجاد یک فایل با تعداد مشخصی بایت تصادفی با استفاده از درایور random کرنل: + +`dd bs={{100}} count={{1}} if=/dev/urandom of={{path/to/random_file}}` + +- ارزیابی عملکرد نوشتن روی یک دیسک: + +`dd bs={{1M}} count={{1024}} if=/dev/zero of={{path/to/file_1GB}}` + +- ساخت یک پشتیبان از سامانه و ذخیرهٔ آن در یک فایل IMG (می‌توان بعداً با تغییر `if` به `of` آن را بازسازی کرد): + +`dd if={{/dev/drive_device}} of={{path/to/file.img}} status=progress` + +- بررسی پیشرفت یک عملکرد در حال اجرای `dd` (این دستور را از یک پوستهٔ دیگر اجرا کنید): + +`kill -USR1 $(pgrep -x dd)` diff --git a/pages.fa/linux/pacman.md b/pages.fa/linux/pacman.md new file mode 100644 index 000000000..da0a91048 --- /dev/null +++ b/pages.fa/linux/pacman.md @@ -0,0 +1,38 @@ +# pacman + +> واحد مدیریت پکیج آرچ لینوکس +> همچنین : `pacman-database`, `pacman-deptest`, `pacman-files`, `pacman-key`, `pacman-mirrors`, `pacman-query`, `pacman-remove`, `pacman-sync`, `pacman-upgrade`. +> برای دیدن دستور های معادل در سایر پکیج منیجر ها . +> اطلاعات بیشتر: . + +- همگام سازی و بروز رسانی تمام پکیج ها: + +`sudo pacman -Syu` + +- نصب پکیج جدید: + +`sudo pacman -S {{package}}` + +- حذف یک پکیج به همراه وابستگی هاش: + +`sudo pacman -Rs {{package}}` + +- جستجو در دیتابیس برای پکیج هایی که با یک فایل خاص تعارض دارند: + +`pacman -F "{{file_name}}"` + +- لیست کردن پکیج های نصب شده با نسخه آنها: + +`pacman -Q` + +- لیست کردن تنها پکیج هایی که مستقیما نصب شده اند به همراه نسخه آنها: + +`pacman -Qe` + +- لیست کردن پکیج هایی که به عنوان وابستگی نصب شده اند اما توسط هیچ پکیجی استفاده نمیشوند: + +`pacman -Qtdq` + +- خالی کردن کل کش `pacman`: + +`sudo pacman -Scc` diff --git a/pages.fi/linux/adduser.md b/pages.fi/linux/adduser.md index 558946980..272c0fd24 100644 --- a/pages.fi/linux/adduser.md +++ b/pages.fi/linux/adduser.md @@ -1,7 +1,7 @@ # adduser > Käyttäjän lisäysapuohjelma. -> Lisätietoja: . +> Lisätietoja: . - Luo uusi käyttäjä oletuskotihakemistolla ja pyydä käyttäjää asettamaan salasana: diff --git a/pages.fr/common/2to3.md b/pages.fr/common/2to3.md index 3249664ff..74370b3e7 100644 --- a/pages.fr/common/2to3.md +++ b/pages.fr/common/2to3.md @@ -13,11 +13,11 @@ - Convertir des fonctionnalités spécifiques de Python 2 vers Python 3 : -`2to3 --write {{chemin/vers/fichier.py}} --fix={{raw_input}} --fix={{print}}` +`2to3 --write {{chemin/vers/fichier.py}} --fix {{raw_input}} --fix {{print}}` - Convertir toutes les fonctionnalités de Python 2 vers Python 3 sauf exceptions spécifiques : -`2to3 --write {{chemin/vers/fichier.py}} --nofix={{has_key}} --nofix={{isinstance}}` +`2to3 --write {{chemin/vers/fichier.py}} --nofix {{has_key}} --nofix {{isinstance}}` - Afficher une liste de toutes les fonctionnalités de language qui peuvent être converties de Python 2 vers Python 3 : @@ -25,8 +25,8 @@ - Convertir tous les fichier Python2 vers Python 3 dans un dossier : -`2to3 --output-dir={{chemin/vers/dossier_python3}} --write-unchanged-files --nobackups {{chemin/vers/dossier_python2}}` +`2to3 --output-dir {{chemin/vers/dossier_python3}} --write-unchanged-files --nobackups {{chemin/vers/dossier_python2}}` - Executer 2to3 avec plusieurs fil d'exécution : -`2to3 --processes={{4}} --output-dir={{chemin/vers/dossier_python3}} --write --nobackups --no-diff {{chemin/vers/dossier_python2}}` +`2to3 --processes {{4}} --output-dir {{chemin/vers/dossier_python3}} --write --nobackups --no-diff {{chemin/vers/dossier_python2}}` diff --git a/pages.fr/common/7zr.md b/pages.fr/common/7zr.md index bda63f5ab..0cfca2b2f 100644 --- a/pages.fr/common/7zr.md +++ b/pages.fr/common/7zr.md @@ -1,7 +1,7 @@ # 7zr > Un archiveur de fichiers avec un haut taux de compression. -> Similaire à `7z` sauf qu'il supporte que les fichiers `.7z`. +> Similaire à `7z` sauf qu'il supporte que les fichiers 7z. > Plus d'informations : . - Compresse un fichier ou un dossier : diff --git a/pages.fr/common/ack.md b/pages.fr/common/ack.md index cb8f5a3d5..a31b85e58 100644 --- a/pages.fr/common/ack.md +++ b/pages.fr/common/ack.md @@ -18,11 +18,11 @@ - Limite la recherche aux fichiers d'un certain type : -`ack --type={{ruby}} "{{motif_de_recherche}}"` +`ack --type {{ruby}} "{{motif_de_recherche}}"` - Exlcus un certain type de fichier de la recherche : -`ack --type=no{{ruby}} "{{motif_de_recherche}}"` +`ack --type no{{ruby}} "{{motif_de_recherche}}"` - Compte le nombre total de correspondances : diff --git a/pages.fr/common/adb-logcat.md b/pages.fr/common/adb-logcat.md index 5a8edb860..4aecfcccb 100644 --- a/pages.fr/common/adb-logcat.md +++ b/pages.fr/common/adb-logcat.md @@ -1,4 +1,4 @@ -# adb-logcat +# adb logcat > Jeter une log des messages systèmes. > Plus d'informations : . diff --git a/pages.fr/common/alacritty.md b/pages.fr/common/alacritty.md index 3ae7686e0..c8206b927 100644 --- a/pages.fr/common/alacritty.md +++ b/pages.fr/common/alacritty.md @@ -15,10 +15,10 @@ `alacritty -e {{commande}}` -- Utilise un autre fichier de configuration (le fichier par défault étant `$XDG_CONFIG_HOME/alacritty/alacritty.yml`) : +- Utilise un autre fichier de configuration (le fichier par défault étant `$XDG_CONFIG_HOME/alacritty/alacritty.toml`) : -`alacritty --config-file {{chemin/vers/config.yml}}` +`alacritty --config-file {{chemin/vers/config.toml}}` -- Lance avec la mise à jour en live dès que la configuration est modifiée ( peu également être activé par défaut dans `alacritty.yml`) : +- Lance avec la mise à jour en live dès que la configuration est modifiée ( peu également être activé par défaut dans `alacritty.toml`) : -`alacritty --live-config-reload --config-file {{chemin/vers/config.yml}}` +`alacritty --live-config-reload --config-file {{chemin/vers/config.toml}}` diff --git a/pages.fr/common/amass-db.md b/pages.fr/common/amass-db.md deleted file mode 100644 index 49dfe2698..000000000 --- a/pages.fr/common/amass-db.md +++ /dev/null @@ -1,20 +0,0 @@ -# amass db - -> Intéragie avec une base de données Amass. -> Plus d'informations : . - -- Liste toutes les énumérations performées pas la base de données : - -`amass db -dir {{chemin/vers/dossier_de_la_base_de_données}} -list` - -- Affiche les résultats pour un index d'énumération et un nom de domaine spécifiés : - -`amass db -dir {{chemin/vers/dossier_de_la_base_de_données}} -d {{nom_de_domaine}} -enum {{index_depuis_la liste}} -show` - -- Liste tous les sous-domaines trouvés pour un domaine inclus dans une énumération : - -`amass db -dir {{chemin/vers/dossier_de_la_base_de_données}} -d {{nom_de_domaine}} -enum {{index_depuis_la liste}} -names` - -- Affiche un sommaire des sous-domaines inclus dans une énumération : - -`amass db -dir {{chemin/vers/dossier_de_la_base_de_données}} -d {{nom_de_domaine}} -enum {{index_depuis_la liste}} -summary` diff --git a/pages.fr/common/amass-enum.md b/pages.fr/common/amass-enum.md index fa2833822..7669f5e3d 100644 --- a/pages.fr/common/amass-enum.md +++ b/pages.fr/common/amass-enum.md @@ -1,7 +1,7 @@ # amass enum > Trouve les sous-domaines d'un domaine. -> Plus d'informations : . +> Plus d'informations : . - Trouve les sous-domaines d'un domaine passivement : diff --git a/pages.fr/common/amass-intel.md b/pages.fr/common/amass-intel.md index 31df14966..c53396e14 100644 --- a/pages.fr/common/amass-intel.md +++ b/pages.fr/common/amass-intel.md @@ -1,7 +1,7 @@ # amass intel > Collecte des renseignements open source sur une organisation comme les noms de domaines racine et les ASNs. -> Plus d'informations : . +> Plus d'informations : . - Recherche les domaines racines inclus dans une plage d'adresse IP : diff --git a/pages.fr/common/amass.md b/pages.fr/common/amass.md index 129443663..7116b891f 100644 --- a/pages.fr/common/amass.md +++ b/pages.fr/common/amass.md @@ -1,20 +1,20 @@ # amass > Outil de Cartographie des Attaques de Surface et découverte de ressource. -> Certaines commandes comme `amass db` ont leur propre documentation. -> Plus d'informations : . +> Certaines commandes comme `amass intel` ont leur propre documentation. +> Plus d'informations : . - Exécute une sous-commande Amass : -`amass {{sous_commande}}` +`amass {{intel|enum}} {{options}}` - Affiche l'aide général : `amass -help` -- Affiche l'aide sur une sous-commande de Amass ( comme `intel`, `enum`, etc.) : +- Affiche l'aide sur une sous-commande de Amass : -`amass -help {{sous_commande}}` +`amass {{intel|enum}} -help` - Affiche la version : diff --git a/pages.fr/common/androguard.md b/pages.fr/common/androguard.md index 562de04da..162fd25da 100644 --- a/pages.fr/common/androguard.md +++ b/pages.fr/common/androguard.md @@ -7,7 +7,7 @@ `androguard axml {{chemin/vers/app.apk}}` -- Affiche les métadonnées de l'application (version et id d'application) : +- Affiche les métadonnées de l'application (version et ID d'application) : `androguard apkid {{chemin/vers/app.apk}}` diff --git a/pages.fr/common/arduino-builder.md b/pages.fr/common/arduino-builder.md index 3849f00f9..1a7532259 100644 --- a/pages.fr/common/arduino-builder.md +++ b/pages.fr/common/arduino-builder.md @@ -16,7 +16,7 @@ `arduino-builder -build-path {{chemin/vers/dossier/de/construction}}` -- Utilise un fichier d'option de construction, au lieu de spécifier `--hardware`, `--tools`, etc. Manuellement à chaque fois : +- Utilise un fichier d'option de construction, au lieu de spécifier `-hardware`, `-tools`, etc. Manuellement à chaque fois : `arduino-builder -build-options-file {{chemin/vers/construction.options.json}}` diff --git a/pages.fr/common/aria2c.md b/pages.fr/common/aria2c.md index 60b9882ac..b5782dc2c 100644 --- a/pages.fr/common/aria2c.md +++ b/pages.fr/common/aria2c.md @@ -10,7 +10,7 @@ - Télécharge un fichier via l'url spécifié en choisissant le nom de ce dernier : -`aria2c --out={{nom_de_fichier}} "{{url}}"` +`aria2c --out {{nom_de_fichier}} "{{url}}"` - Télécharge plusieurs fichiers (différents) en parallèle : @@ -26,7 +26,7 @@ - Télécharge avec plusieurs connections : -`aria2c --split={{nombre_de_connections}} "{{url}}"` +`aria2c --split {{nombre_de_connections}} "{{url}}"` - Téléchargement FTP avec nom d'utilisateur et mot de passe : diff --git a/pages.fr/common/asciidoctor.md b/pages.fr/common/asciidoctor.md index 035cece9d..fd2c763da 100644 --- a/pages.fr/common/asciidoctor.md +++ b/pages.fr/common/asciidoctor.md @@ -9,7 +9,7 @@ - Convertis un fichier `.adoc` vers un fichier HTML et lie une feuille de style CSS : -`asciidoctor -a stylesheet={{chemin/vers/feuille_de_style.css}} {{chemin/vers/fichier.adoc}}` +`asciidoctor -a stylesheet {{chemin/vers/feuille_de_style.css}} {{chemin/vers/fichier.adoc}}` - Convertis un fichier `.adoc` vers un fichier HTML embarqué, en enlevant tout sauf le body : @@ -17,4 +17,4 @@ - Convertis un fichier `.adoc` vers un PDF en utilisant la librairie `asciidoctor-pdf` : -`asciidoctor --backend={{pdf}} --require={{asciidoctor-pdf}} {{chemin/vers/fichier.adoc}}` +`asciidoctor --backend {{pdf}} --require {{asciidoctor-pdf}} {{chemin/vers/fichier.adoc}}` diff --git a/pages.fr/common/autossh.md b/pages.fr/common/autossh.md index 7d00a535a..de80b2dc9 100644 --- a/pages.fr/common/autossh.md +++ b/pages.fr/common/autossh.md @@ -1,7 +1,7 @@ # autossh > Lance, surveille et redémarre les connections SSH. -> Reconnecte automatiquement pour garder le tunnel de transfert de port ouvert. Accepte toutes les options de `ssh`. +> Reconnecte automatiquement pour garder le tunnel de transfert de port ouvert. Accepte toutes les options de SSH. > Plus d'informations : . - Démarre une session SSH, redémarre quand le port échoue à renvoyer de la data : @@ -12,7 +12,7 @@ `autossh -M {{port_surveillé}} -L {{port_local}}:localhost:{{port_distant}} {{utilisateur}}@{{hôte}}` -- Diverge `autossh` en arrière plan avant de lancer `ssh` et n'ouvre pas de shell distant : +- Diverge `autossh` en arrière plan avant de lancer SSH et n'ouvre pas de shell distant : `autossh -f -M {{port_surveillé}} -N "{{commande_ssh}}"` @@ -24,6 +24,6 @@ `autossh -f -M 0 -N -o "ServerAliveInterval 10" -o "ServerAliveCountMax 3" -o ExitOnForwardFailure=yes -L {{port_local}}:localhost:{{port_distant}} {{utilisateur}}@{{hôte}}` -- Démarre en arrière plan, logue la sortie de déboggage d'`autossh` et la sortie verbeuse de `ssh` dans des fichiers : +- Démarre en arrière plan, logue la sortie de déboggage d'`autossh` et la sortie verbeuse de SSH dans des fichiers : `AUTOSSH_DEBUG=1 AUTOSSH_LOGFILE={{chemin/vers/fichier_logs_autossh.log}} autossh -f -M {{port_surveillé}} -v -E {{chemin/vers/fichier_logs_ssh.log}} {{commande_ssh}}` diff --git a/pages.fr/common/aws-ecr.md b/pages.fr/common/aws-ecr.md index 738898f49..5ded93cdb 100644 --- a/pages.fr/common/aws-ecr.md +++ b/pages.fr/common/aws-ecr.md @@ -3,7 +3,7 @@ > Pousse, récupère et gère les images de conteneur. > Plus d'informations : . -- Connecte docker avec le registre par défaut (le nom d'utilisateur est AWS) : +- Connecte Docker avec le registre par défaut (le nom d'utilisateur est AWS) : `aws ecr get-login-password --region {{région}} | {{docker login}} --username AWS --password-stdin {{id_de_compte_aws}}.dkr.ecr.{{région}}.amazonaws.com` diff --git a/pages.fr/common/azure-cli.md b/pages.fr/common/azure-cli.md new file mode 100644 index 000000000..6f983796e --- /dev/null +++ b/pages.fr/common/azure-cli.md @@ -0,0 +1,8 @@ +# azure-cli + +> Cette commande est un alias de `az`. +> Plus d'informations : . + +- Voir la documentation de la commande originale : + +`tldr az` diff --git a/pages.fr/common/bc.md b/pages.fr/common/bc.md index 3f1d69d43..01bdb6d41 100644 --- a/pages.fr/common/bc.md +++ b/pages.fr/common/bc.md @@ -2,7 +2,7 @@ > Un langage de calcul de précision arbitraire. > Voir aussi : `dc`. -> Plus d'informations : . +> Plus d'informations : . - Démarre une session interactive : diff --git a/pages.fr/common/cat.md b/pages.fr/common/cat.md index 34dc5cb7f..34ae76327 100644 --- a/pages.fr/common/cat.md +++ b/pages.fr/common/cat.md @@ -1,7 +1,7 @@ # cat > Affiche et concatène le contenu d'un ou plusieurs fichiers. -> Plus d'informations : . +> Plus d'informations : . - Affiche le contenu d'un fichier sur la sortie standard : diff --git a/pages.fr/common/chown.md b/pages.fr/common/chown.md index cd3fa399d..712c3a2b3 100644 --- a/pages.fr/common/chown.md +++ b/pages.fr/common/chown.md @@ -11,6 +11,10 @@ `chown {{utilisateur}}:{{groupe}} {{chemin/vers/fichier_ou_dossier}}` +- Modifie le propriétaire et le groupe pour qu'ils aient tous les deux le nom `utilisateur` : + +`chown {{utilisateur}}: {{chemin/vers/fichier_ou_dossier}}` + - Modifie récursivement le propriétaire d'un dossier et de son contenu : `chown -R {{utilisateur}} {{chemin/vers/dossier}}` @@ -21,4 +25,4 @@ - Modifie le propriétaire d'un fichier / dossier pour correspondre à un fichier de référence : -`chown --reference={{chemin/vers/fichier_de_référence}} {{chemin/vers/fichier_ou_dossier}}` +`chown --reference {{chemin/vers/fichier_de_référence}} {{chemin/vers/fichier_ou_dossier}}` diff --git a/pages.fr/common/clamav.md b/pages.fr/common/clamav.md index 535cd4680..8590fa773 100644 --- a/pages.fr/common/clamav.md +++ b/pages.fr/common/clamav.md @@ -1,4 +1,4 @@ -# clamav +# ClamAV > Cette commande est un alias de `clamdscan`. > Plus d'informations : . diff --git a/pages.fr/common/clear.md b/pages.fr/common/clear.md index 339cb5986..5a8ef5dab 100644 --- a/pages.fr/common/clear.md +++ b/pages.fr/common/clear.md @@ -3,7 +3,7 @@ > Efface l'écran du terminal. > Plus d'informations : . -- Effacer l'écran (identique à la séquence Contrôle-L sur une interface bash) : +- Effacer l'écran (identique à la séquence Contrôle-L sur une interface Bash) : `clear` diff --git a/pages.fr/common/convert.md b/pages.fr/common/convert.md deleted file mode 100644 index ffd623c9f..000000000 --- a/pages.fr/common/convert.md +++ /dev/null @@ -1,32 +0,0 @@ -# convert - -> Outil de conversion d'image d'ImageMagick. -> Plus d'informations : . - -- Convertir une image JPG en PNG : - -`convert {{image.jpg}} {{image.png}}` - -- Redimensionner une image à 50% de ses dimensions d'origine : - -`convert {{image.png}} -resize 50% {{image2.png}}` - -- Redimensionner une image en conservant son ratio hauteur/largeur initial pour une taille maximum de 640x480 : - -`convert {{image.png}} -resize 640x480 {{image2.png}}` - -- Coller plusieurs images horizontallement : - -`convert {{image1.png}} {{image2.png}} {{image3.png}} +append {{image123.png}}` - -- Coller plusieurs images verticalement : - -`convert {{image1.png}} {{image2.png}} {{image3.png}} -append {{image123.png}}` - -- Créer un gif à partir d'une série d'images avec un délai de 100ms entre chaque : - -`convert {{image1.png}} {{image2.png}} {{image3.png}} -delay {{100}} {{animation.gif}}` - -- Créer une image avec un simple arrière-plan uni : - -`convert -size {{800x600}} "xc:{{#ff0000}}" {{image.png}}` diff --git a/pages.fr/common/deno.md b/pages.fr/common/deno.md index 63df51018..6c19aac10 100644 --- a/pages.fr/common/deno.md +++ b/pages.fr/common/deno.md @@ -1,7 +1,7 @@ # deno > Un environnement d’exécution sécurisé pour JavaScript et TypeScript. -> Plus d'information : . +> Plus d'informations : . - Exécute un fichier JavaScript ou TypeScript : diff --git a/pages.fr/common/diff.md b/pages.fr/common/diff.md index f204ea525..0d6c0ac45 100644 --- a/pages.fr/common/diff.md +++ b/pages.fr/common/diff.md @@ -1,7 +1,7 @@ # diff > Compare deux fichiers ou répertoires. -> Plus d'informations : . +> Plus d'informations : . - Compare deux fichiers (liste les changements pour transformer `ancien_fichier` en `nouveau_fichier`) : diff --git a/pages.fr/common/docker-build.md b/pages.fr/common/docker-build.md index 04f465e66..97d6dd970 100644 --- a/pages.fr/common/docker-build.md +++ b/pages.fr/common/docker-build.md @@ -1,7 +1,7 @@ -# docker-build +# docker build > Construit une image à partir d'un Dockerfile. -> Plus d'informations : . +> Plus d'informations : . - Construire une image Docker en utilisant le Dockerfile du répertoire courant : @@ -15,7 +15,7 @@ `docker build --tag {{nom:etiquette}} .` -- Construit une image docker sans contexte de construction : +- Construit une image Docker sans contexte de construction : `docker build --tag {{nom:etiquette}} - < {{Dockerfile}}` diff --git a/pages.fr/common/docker-commit.md b/pages.fr/common/docker-commit.md index 8152c2cdd..08351685f 100644 --- a/pages.fr/common/docker-commit.md +++ b/pages.fr/common/docker-commit.md @@ -1,7 +1,7 @@ # docker commit > Créer une nouvelle image depuis les changement d'un conteneur. -> Plus d'informations : . +> Plus d'informations : . - Créer une image à partir d'un conteneur spécifique : @@ -9,23 +9,23 @@ - Appliquer une instruction `CMD` du Dockerfile à l'image créée : -`docker commit --change="CMD {{commande}}" {{conteneur}} {{image}}:{{etiquette}}` +`docker commit --change "CMD {{commande}}" {{conteneur}} {{image}}:{{etiquette}}` - Appliquer une instruction `ENV` du Dockerfile à l'image créée : -`docker commit --change="ENV {{name}}={{value}}" {{conteneur}} {{image}}:{{etiquette}}` +`docker commit --change "ENV {{name}}={{value}}" {{conteneur}} {{image}}:{{etiquette}}` - Créer une image avec un auteur spécifique dans les métadonnées : -`docker commit --author="{{auteur}}" {{conteneur}} {{image}}:{{etiquette}}` +`docker commit --author "{{auteur}}" {{conteneur}} {{image}}:{{etiquette}}` - Créer une image avec un commentaire spécifique dans les métadonnées : -`docker commit --message="{{commentaire}}" {{conteneur}} {{image}}:{{etiquette}}` +`docker commit --message "{{commentaire}}" {{conteneur}} {{image}}:{{etiquette}}` - Créer une image sans mettre en pause le conteneur pendant la création : -`docker commit --pause={{false}} {{conteneur}} {{image}}:{{etiquette}}` +`docker commit --pause {{false}} {{conteneur}} {{image}}:{{etiquette}}` - Afficher l'aide : diff --git a/pages.fr/common/docker-compose.md b/pages.fr/common/docker-compose.md index 0f6ab088e..dc90627d9 100644 --- a/pages.fr/common/docker-compose.md +++ b/pages.fr/common/docker-compose.md @@ -1,7 +1,7 @@ # docker compose > Exécute et gère des applications au travers de plusieurs conteneurs Docker. -> Plus d'informations : . +> Plus d'informations : . - Liste tous les conteneurs en cours d'exécution : diff --git a/pages.fr/common/docker-diff.md b/pages.fr/common/docker-diff.md index 22b3cbfb5..03c599c20 100644 --- a/pages.fr/common/docker-diff.md +++ b/pages.fr/common/docker-diff.md @@ -1,7 +1,7 @@ # docker diff > Inspecte les changements apportés aux fichiers ou dossiers sur le système de fichiers d'un conteneur. -> Plus d'informations : . +> Plus d'informations : . - Inspecte les changements apportés à un conteneur depuis sa création : diff --git a/pages.fr/common/docker-machine.md b/pages.fr/common/docker-machine.md index ff211668d..c76846276 100644 --- a/pages.fr/common/docker-machine.md +++ b/pages.fr/common/docker-machine.md @@ -1,7 +1,7 @@ # docker-machine > Créer et gérer des machines qui exécutent Docker. -> Plus d'informations : . +> Plus d'informations : . - Lister les machines Docker actuellement en cours d'exécution : diff --git a/pages.fr/common/docker-ps.md b/pages.fr/common/docker-ps.md index bda4aeb61..b41e2362c 100644 --- a/pages.fr/common/docker-ps.md +++ b/pages.fr/common/docker-ps.md @@ -1,7 +1,7 @@ # docker ps > Lister les conteneurs Docker. -> Plus d'informations : . +> Plus d'informations : . - Lister les conteneurs Docker en cours d'exécution : @@ -17,7 +17,7 @@ - Afficher les conteneurs avec une chaine de caractère dans leur nom : -`docker ps --filter="name={{name}}"` +`docker ps --filter "name={{name}}"` - Afficher les conteneurs avec une même image comme parent : @@ -29,8 +29,8 @@ - Afficher les conteneurs avec un statut spécifique (créé, en cours d'exécution, en cours de suppresion, en pause, arrêté, mort) : -`docker ps --filter="status={{status}}"` +`docker ps --filter "status={{status}}"` - Afficher les conteneurs avec un point de montage spécifique : -`docker ps --filter="volume={{chemin/vers/le/dossier}}" --format "table {{.ID}}\t{{.Image}}\t{{.Names}}\t{{.Mounts}}"` +`docker ps --filter "volume={{chemin/vers/le/dossier}}" --format "table {{.ID}}\t{{.Image}}\t{{.Names}}\t{{.Mounts}}"` diff --git a/pages.fr/common/docker-pull.md b/pages.fr/common/docker-pull.md index d6daf5838..48dbf90fc 100644 --- a/pages.fr/common/docker-pull.md +++ b/pages.fr/common/docker-pull.md @@ -1,21 +1,21 @@ # docker pull -> Télécharge une image docker depuis le registre. +> Télécharge une image Docker depuis le registre. > Plus d'informations : . -- Télécharge une image docker spécifique : +- Télécharge une image Docker spécifique : `docker pull {{image}}:{{étiquette}}` -- Télécharge une image docker spécifique en mode silencieux : +- Télécharge une image Docker spécifique en mode silencieux : `docker pull --quiet {{image}}:{{étiquette}}` -- Télécharge toutes les étiquettes d'une image docker spécifique : +- Télécharge toutes les étiquettes d'une image Docker spécifique : `docker pull --all-tags {{image}}` -- Télécharge un image docker pour une plateforme spécifique, ex : linux/amd64 : +- Télécharge un image Docker pour une plateforme spécifique, ex : linux/amd64 : `docker pull --platform {{linux/amd64}} {{image}}:{{étiquette}}` diff --git a/pages.fr/common/docker-rm.md b/pages.fr/common/docker-rm.md index 61981551f..1b4cd645a 100644 --- a/pages.fr/common/docker-rm.md +++ b/pages.fr/common/docker-rm.md @@ -1,7 +1,7 @@ # docker rm > Supprime un ou plusieurs conteneurs. -> Plus d'informations : . +> Plus d'informations : . - Supprimer des conteneurs : @@ -17,4 +17,4 @@ - Affiche l'aide : -`docker rm` +`docker rm --help` diff --git a/pages.fr/common/docker-rmi.md b/pages.fr/common/docker-rmi.md index 1cf6a6448..69fb157db 100644 --- a/pages.fr/common/docker-rmi.md +++ b/pages.fr/common/docker-rmi.md @@ -1,7 +1,7 @@ # docker rmi > Supprimer une ou plusieurs images Docker. -> Plus d'informations : . +> Plus d'informations : . - Afficher l'aide : diff --git a/pages.fr/common/docker-start.md b/pages.fr/common/docker-start.md index 6ec2cd5a8..46f236de0 100644 --- a/pages.fr/common/docker-start.md +++ b/pages.fr/common/docker-start.md @@ -7,7 +7,7 @@ `docker start` -- Lancer un conteneur docker : +- Lancer un conteneur Docker : `docker start {{conteneur}}` diff --git a/pages.fr/common/docker-system.md b/pages.fr/common/docker-system.md index 49e3cafe3..5a0534529 100644 --- a/pages.fr/common/docker-system.md +++ b/pages.fr/common/docker-system.md @@ -7,11 +7,11 @@ `docker system` -- Afficher l'utilisation du disque par docker : +- Afficher l'utilisation du disque par Docker : `docker system df` -- Afficher des informations détaillées sur l'utilisation du disque par docker : +- Afficher des informations détaillées sur l'utilisation du disque par Docker : `docker system df --verbose` @@ -21,7 +21,7 @@ - Supprimer les données non utilisées de plus d'un temps donné dans le passé : -`docker system prune --filter="until={{heures}}h{{minutes}}m"` +`docker system prune --filter "until={{heures}}h{{minutes}}m"` - Afficher les événements du démon Docker en temps réel : diff --git a/pages.fr/common/exa.md b/pages.fr/common/exa.md index 07083bfdc..e24c23eb1 100644 --- a/pages.fr/common/exa.md +++ b/pages.fr/common/exa.md @@ -1,7 +1,7 @@ # exa > Une alternative moderne à `ls` (pour lister le contenu de répertoires). -> Plus d'information : . +> Plus d'informations : . - Liste les fichiers, un par ligne : diff --git a/pages.fr/common/fossil-ci.md b/pages.fr/common/fossil-ci.md index 5a2c4111c..45b4a15ed 100644 --- a/pages.fr/common/fossil-ci.md +++ b/pages.fr/common/fossil-ci.md @@ -1,6 +1,6 @@ -# fossil-ci +# fossil ci -> Cette commande est un alias de `fossil-commit`. +> Cette commande est un alias de `fossil commit`. > Plus d'informations : . - Voir la documentation de la commande originale : diff --git a/pages.fr/common/fossil-delete.md b/pages.fr/common/fossil-delete.md index 0cadac863..4eec39040 100644 --- a/pages.fr/common/fossil-delete.md +++ b/pages.fr/common/fossil-delete.md @@ -1,4 +1,4 @@ -# fossil-delete +# fossil delete > Cette commande est un alias de `fossil rm`. > Plus d'informations : . diff --git a/pages.fr/common/fossil-forget.md b/pages.fr/common/fossil-forget.md index 531ee1404..cbbf626cd 100644 --- a/pages.fr/common/fossil-forget.md +++ b/pages.fr/common/fossil-forget.md @@ -1,4 +1,4 @@ -# fossil-forget +# fossil forget > Cette commande est un alias de `fossil rm`. > Plus d'informations : . diff --git a/pages.fr/common/fossil-new.md b/pages.fr/common/fossil-new.md index ae5c7c3bb..a84fc025f 100644 --- a/pages.fr/common/fossil-new.md +++ b/pages.fr/common/fossil-new.md @@ -1,6 +1,6 @@ -# fossil-new +# fossil new -> Cette commande est un alias de `fossil-init`. +> Cette commande est un alias de `fossil init`. > Plus d'informations : . - Voir la documentation de la commande originale : diff --git a/pages.fr/common/gh-cs.md b/pages.fr/common/gh-cs.md index b665d4812..e1cbb7306 100644 --- a/pages.fr/common/gh-cs.md +++ b/pages.fr/common/gh-cs.md @@ -1,6 +1,6 @@ -# gh-cs +# gh cs -> Cette commande est un alias de `gh-codespace`. +> Cette commande est un alias de `gh codespace`. > Plus d'informations : . - Voir la documentation de la commande originale : diff --git a/pages.fr/common/git-archive.md b/pages.fr/common/git-archive.md index d8b4f1a20..a3ae4855e 100644 --- a/pages.fr/common/git-archive.md +++ b/pages.fr/common/git-archive.md @@ -7,7 +7,7 @@ `git archive --verbose HEAD` -- Crée une archive `.zip` avec le contenu de la HEAD et l'affiche sur la sortie standard : +- Crée une archive Zip avec le contenu de la HEAD et l'affiche sur la sortie standard : `git archive --verbose --format zip HEAD` diff --git a/pages.fr/common/git-bundle.md b/pages.fr/common/git-bundle.md index aaec240ac..ebd76a96a 100644 --- a/pages.fr/common/git-bundle.md +++ b/pages.fr/common/git-bundle.md @@ -30,3 +30,7 @@ - Extraire une branche spécifique d'un fichier de bundle dans le référentiel actuel : `git pull {{chemin/vers/fichier.bundle}} {{nom_de_branche}}` + +- Créer un nouveau dépôt depuis un empaquetage : + +`git clone {{chemin/vers/fichier.bundle}}` diff --git a/pages.fr/common/git-init.md b/pages.fr/common/git-init.md index 8166a474e..410687498 100644 --- a/pages.fr/common/git-init.md +++ b/pages.fr/common/git-init.md @@ -7,6 +7,6 @@ `git init` -- Initialiser un référentiel barebones, adapté à une utilisation distante via ssh : +- Initialiser un référentiel barebones, adapté à une utilisation distante via SSH : `git init --bare` diff --git a/pages.fr/common/git-instaweb.md b/pages.fr/common/git-instaweb.md index 421fc6217..59de158ef 100644 --- a/pages.fr/common/git-instaweb.md +++ b/pages.fr/common/git-instaweb.md @@ -15,7 +15,7 @@ `git instaweb --start --port {{1234}}` -- Utiliser un daemon http spécifique : +- Utiliser un daemon HTTP spécifique : `git instaweb --start --httpd {{lighttpd|apache2|mongoose|plackup|webrick}}` diff --git a/pages.fr/common/git-lfs.md b/pages.fr/common/git-lfs.md index 342328a66..4bd745113 100644 --- a/pages.fr/common/git-lfs.md +++ b/pages.fr/common/git-lfs.md @@ -1,7 +1,7 @@ # git lfs > Travailler dans un registre Git avec des fichiers volumineux. -> Plus d'informations : . +> Plus d'informations : . - Initialise le Git LFS : diff --git a/pages.fr/common/gnmic-sub.md b/pages.fr/common/gnmic-sub.md index b15a9c19e..ddacbe06f 100644 --- a/pages.fr/common/gnmic-sub.md +++ b/pages.fr/common/gnmic-sub.md @@ -1,4 +1,4 @@ -# gnmic-sub +# gnmic sub > Cette commande est un alias de `gnmic subscribe`. > Plus d'informations : . diff --git a/pages.fr/common/grep.md b/pages.fr/common/grep.md index c4deec34b..744bf1a16 100644 --- a/pages.fr/common/grep.md +++ b/pages.fr/common/grep.md @@ -10,23 +10,23 @@ - Recherche en ignorant la casse : -`grep --fixed-strings "{{chaîne_recherchée}}" {{chemin/vers/fichier}}` +`grep {{-F|--fixed-strings}} "{{chaîne_recherchée}}" {{chemin/vers/fichier}}` - Recherche récursivement (en ignorant les fichiers non-texte) dans le dossier courant une chaîne de caractères précise : -`grep --recursive --line-number "{{chaîne_recherchée}}" .` +`grep {{-r|--recursive}} {{-n|--line-number}} "{{chaîne_recherchée}}" .` - Utilise des expressions régulières étendues (supporte `?`, `+`, `{}`, `()` et `|`) : -`grep --extended-regexp {{expression_régulière}} {{chemin/vers/fichier}}` +`grep {{-E|--extended-regexp}} {{-i|--ignore-case}} {{expression_régulière}} {{chemin/vers/fichier}}` - Affiche 3 lignes de [C]ontexte, avant ([B]efore), ou [A]près chaque concordance : -`grep --{{context|before-context|after-context}}={{3}} "{{chaîne_recherchée}}" {{chemin/vers/fichier}}` +`grep --{{context|before-context|after-context}} 3 "{{chaîne_recherchée}}" {{chemin/vers/fichier}}` - Affiche le nom du fichier avec la ligne correspondante pour chaque concordance : -`grep --with-filename --line-number "{{chaîne_recherchée}}" {{chemin/vers/fichier}}` +`grep {{-H|--with-filename}} {{-n|--line-number}} --color=always "{{chaîne_recherchée}}" {{chemin/vers/fichier}}` - Utilise l'entrée standard au lieu d'un fichier : diff --git a/pages.fr/common/jq.md b/pages.fr/common/jq.md index 6268d3c6b..6fcdd0d0d 100644 --- a/pages.fr/common/jq.md +++ b/pages.fr/common/jq.md @@ -1,7 +1,7 @@ # jq > Un processeur JSON en ligne de commande qui utilise un langage dédié (DSL). -> Plus d'informations : . +> Plus d'informations : . - Exécute une expression spécifique (affiche une sortie JSON coloré et formaté) : diff --git a/pages.fr/common/magick-convert.md b/pages.fr/common/magick-convert.md new file mode 100644 index 000000000..06dd30372 --- /dev/null +++ b/pages.fr/common/magick-convert.md @@ -0,0 +1,32 @@ +# magick convert + +> Outil de conversion d'image d'ImageMagick. +> Plus d'informations : . + +- Convertir une image JPEG en PNG : + +`magick convert {{image.jpg}} {{image.png}}` + +- Redimensionner une image à 50% de ses dimensions d'origine : + +`magick convert {{image.png}} -resize 50% {{image2.png}}` + +- Redimensionner une image en conservant son ratio hauteur/largeur initial pour une taille maximum de 640x480 : + +`magick convert {{image.png}} -resize 640x480 {{image2.png}}` + +- Coller plusieurs images horizontallement : + +`magick convert {{image1.png}} {{image2.png}} {{image3.png}} +append {{image123.png}}` + +- Coller plusieurs images verticalement : + +`magick convert {{image1.png}} {{image2.png}} {{image3.png}} -append {{image123.png}}` + +- Créer un gif à partir d'une série d'images avec un délai de 100ms entre chaque : + +`magick convert {{image1.png}} {{image2.png}} {{image3.png}} -delay {{100}} {{animation.gif}}` + +- Créer une image avec un simple arrière-plan uni : + +`magick convert -size {{800x600}} "xc:{{#ff0000}}" {{image.png}}` diff --git a/pages.fr/common/mkdir.md b/pages.fr/common/mkdir.md index 1d9cdf119..ddbcf5db5 100644 --- a/pages.fr/common/mkdir.md +++ b/pages.fr/common/mkdir.md @@ -9,4 +9,4 @@ - Crée des répertoires récursivement (utile pour créer des répertoires imbriqués) : -`mkdir -p {{chemin/vers/répertoire}}` +`mkdir {{-p|--parents}} {{chemin/vers/répertoire}}` diff --git a/pages.fr/common/musl-gcc.md b/pages.fr/common/musl-gcc.md new file mode 100644 index 000000000..6c66e9ef6 --- /dev/null +++ b/pages.fr/common/musl-gcc.md @@ -0,0 +1,9 @@ +# musl-gcc + +> Un adaptateur de `gcc` qui définit automatiquement les options pour l'édition de liens avec musl libc. +> Toutes les options spécifiées sont passées directement à `gcc`. +> Plus d'informations : . + +- Voir la documentation de `gcc` : + +`tldr gcc` diff --git a/pages.fr/common/netcat.md b/pages.fr/common/netcat.md new file mode 100644 index 000000000..63d8bef77 --- /dev/null +++ b/pages.fr/common/netcat.md @@ -0,0 +1,8 @@ +# netcat + +> Cette commande est un alias de `nc`. +> Plus d'informations : . + +- Voir la documentation de la commande originale : + +`tldr nc` diff --git a/pages.fr/common/pio-init.md b/pages.fr/common/pio-init.md index 13443f2e1..1481f8aad 100644 --- a/pages.fr/common/pio-init.md +++ b/pages.fr/common/pio-init.md @@ -1,4 +1,4 @@ -# pio-init +# pio init > Cette commande est un alias de `pio project`. diff --git a/pages.fr/common/r.md b/pages.fr/common/r.md index 9b25a5348..31dcb2114 100644 --- a/pages.fr/common/r.md +++ b/pages.fr/common/r.md @@ -1,4 +1,4 @@ -# r +# R > Interpréteur pour le langage R. > Plus d'informations : . diff --git a/pages.fr/common/rsync.md b/pages.fr/common/rsync.md index 0cfcf0a1e..4f2c81e54 100644 --- a/pages.fr/common/rsync.md +++ b/pages.fr/common/rsync.md @@ -10,24 +10,24 @@ - Utilise le mode archive (copier récursivement les répertoires, copier les liens symboliques sans résolution et conserver les autorisations, la propriété et les délais de modification) : -`rsync --archive {{chemin/vers/origine}} {{chemin/vers/destination}}` +`rsync {{-a|--archive}} {{chemin/vers/origine}} {{chemin/vers/destination}}` - Transférer le contenu d'un dossier : -`rsync --recursive {{chemin/vers/origine}} {{chemin/vers/destination}}` +`rsync {{-r|--recursive}} {{chemin/vers/origine}} {{chemin/vers/destination}}` - Transférer le contenu d'un dossier (mais pas le dossier lui-même) : -`rsync --recursive {{chemin/vers/origine}}/ {{chemin/vers/destination}}` +`rsync {{-r|--recursive}} {{chemin/vers/origine}}/ {{chemin/vers/destination}}` - Utiliser le mode archive, résolvant les liens symboliques et ignorant les fichiers déjà transférés sauf si plus récents : -`rsync --archive --update --copy-links {{chemin/vers/origine}} {{chemin/vers/destination}}` +`rsync {{-auL|--archive --update --copy-links}} {{chemin/vers/origine}} {{chemin/vers/destination}}` - Transférer un fichier vers un hôte distant exécutant `rsyncd` et supprimez les fichiers sur la destination qui n'existent pas sur l'hôte distant : -`rsync --recursive --delete rsync://{{hote_distant}}:{{chemin/vers/origine}} {{chemin/vers/destination}}` +`rsync {{-r|--recursive}} --delete rsync://{{hote_distant}}:{{chemin/vers/origine}} {{chemin/vers/destination}}` - Transférer un fichier par SSH et afficher l'avancement global du transfert : -`rsync -rsh 'ssh -p {{port}}' --info=progress2 {{hote_distant}}:{{chemin/vers/origine}} {{chemin/vers/destination}}` +`rsync {{-e|--rsh}} 'ssh -p {{port}}' --info=progress2 {{hote_distant}}:{{chemin/vers/origine}} {{chemin/vers/destination}}` diff --git a/pages.fr/common/sudo.md b/pages.fr/common/sudo.md index 22c741642..f480d4095 100644 --- a/pages.fr/common/sudo.md +++ b/pages.fr/common/sudo.md @@ -15,7 +15,7 @@ `sudo --user={{utilisateur}} --group={{groupe}} {{id -a}}` -- Répéte la dernière commande préfixée de `sudo` (uniquement dans `bash`, `zsh`, etc.) : +- Répéte la dernière commande préfixée de `sudo` (uniquement dans Bash, Zsh, etc.) : `sudo !!` diff --git a/pages.fr/common/tlmgr-arch.md b/pages.fr/common/tlmgr-arch.md index 831142308..d94746ca6 100644 --- a/pages.fr/common/tlmgr-arch.md +++ b/pages.fr/common/tlmgr-arch.md @@ -1,4 +1,4 @@ -# tlmgr-arch +# tlmgr arch > Cette commande est un alias de `tlmgr platform`. > Plus d'informations : . diff --git a/pages.fr/common/zsh.md b/pages.fr/common/zsh.md index a70d80d3a..59b7a2a68 100644 --- a/pages.fr/common/zsh.md +++ b/pages.fr/common/zsh.md @@ -24,6 +24,6 @@ `zsh --verbose` -- Exécute une commande spécifique dans `zsh` sans motifs génériques d'expansion des noms de fichier : +- Exécute une commande spécifique dans Zsh sans motifs génériques d'expansion des noms de fichier : `noglob "{{command}}"` diff --git a/pages.fr/linux/a2disconf.md b/pages.fr/linux/a2disconf.md index 99c602cac..c2675790e 100644 --- a/pages.fr/linux/a2disconf.md +++ b/pages.fr/linux/a2disconf.md @@ -1,7 +1,7 @@ # a2disconf > Désactive un fichier de configuration sur une distribution Debian. -> Plus d'informations : . +> Plus d'informations : . - Désactive un fichier de configuration : diff --git a/pages.fr/linux/a2dismod.md b/pages.fr/linux/a2dismod.md index 9634d81a4..ed613047e 100644 --- a/pages.fr/linux/a2dismod.md +++ b/pages.fr/linux/a2dismod.md @@ -1,7 +1,7 @@ # a2dismod > Désactive un module Apache sur une distribution Debian. -> Plus d'informations : . +> Plus d'informations : . - Désactive un module : diff --git a/pages.fr/linux/a2dissite.md b/pages.fr/linux/a2dissite.md index c0d36f18e..6346736ca 100644 --- a/pages.fr/linux/a2dissite.md +++ b/pages.fr/linux/a2dissite.md @@ -1,7 +1,7 @@ # a2dissite > Désactive un hôte virtuel Apache sur une distribution Debian. -> Plus d'informations : . +> Plus d'informations : . - Désactive un hôte virtuel : diff --git a/pages.fr/linux/a2enconf.md b/pages.fr/linux/a2enconf.md index 0f7348b33..8ec701ef9 100644 --- a/pages.fr/linux/a2enconf.md +++ b/pages.fr/linux/a2enconf.md @@ -1,7 +1,7 @@ # a2enconf > Active un fichier de configuration sur une distribution Debian. -> Plus d'informations : . +> Plus d'informations : . - Active un fichier de configuration : diff --git a/pages.fr/linux/a2enmod.md b/pages.fr/linux/a2enmod.md index 801852d07..b0e5dfffb 100644 --- a/pages.fr/linux/a2enmod.md +++ b/pages.fr/linux/a2enmod.md @@ -1,7 +1,7 @@ # a2enmod > Active un module Apache sur une distribution Debian. -> Plus d'informations : . +> Plus d'informations : . - Active un module : diff --git a/pages.fr/linux/a2ensite.md b/pages.fr/linux/a2ensite.md index 59379ac2c..a2c2da320 100644 --- a/pages.fr/linux/a2ensite.md +++ b/pages.fr/linux/a2ensite.md @@ -1,7 +1,7 @@ # a2ensite > Active un hôte virtuel Apache sur des systèmes d'exploitation (SE) basés sur Debian. -> Plus d'informations : . +> Plus d'informations : . - Active un hôte virtuel : diff --git a/pages.fr/linux/a2query.md b/pages.fr/linux/a2query.md index e38745a24..b0da65b94 100644 --- a/pages.fr/linux/a2query.md +++ b/pages.fr/linux/a2query.md @@ -1,7 +1,7 @@ # a2query > Retourne la configuration d'exécution d'Apache sur une distribution Debian. -> Plus d'informations : . +> Plus d'informations : . - Liste les [m]odules Apache actifs : diff --git a/pages.fr/linux/abbr.md b/pages.fr/linux/abbr.md index 8bc7f75a3..c204e44b1 100644 --- a/pages.fr/linux/abbr.md +++ b/pages.fr/linux/abbr.md @@ -1,6 +1,6 @@ # abbr -> Gère les abréviations pour le shell Fish. +> Gère les abréviations pour le shell fish. > Les mots définis par l'utilisateur sont remplacés par des phrases plus longues après leur saisie. > Plus d'informations : . diff --git a/pages.fr/linux/adduser.md b/pages.fr/linux/adduser.md index d010a2d8a..b174c3ee8 100644 --- a/pages.fr/linux/adduser.md +++ b/pages.fr/linux/adduser.md @@ -1,7 +1,7 @@ # adduser > Outil d'ajout d'utilisateurs. -> Plus d'informations : . +> Plus d'informations : . - Crée un nouvel utilisateur avec un répertoire personnel générique et demande interactivement un mot de passe : diff --git a/pages.fr/linux/apache2ctl.md b/pages.fr/linux/apache2ctl.md index 976cb2ec4..0f26d4011 100644 --- a/pages.fr/linux/apache2ctl.md +++ b/pages.fr/linux/apache2ctl.md @@ -2,7 +2,7 @@ > L'outil d'Interface en Lignes de Commandes (ILC) pour administrer le serveur web HTTP Apache. > Cette commande est disponible sur une distribution Debian. Pour les distributions basées Red Hat, voir `httpd`. -> Plus d'informations : . +> Plus d'informations : . - Démarre le démon Apache. Envoie un message s'il est déjà actif : diff --git a/pages.fr/linux/apt-add-repository.md b/pages.fr/linux/apt-add-repository.md index a342f25a3..f45e683c9 100644 --- a/pages.fr/linux/apt-add-repository.md +++ b/pages.fr/linux/apt-add-repository.md @@ -1,7 +1,7 @@ # apt-add-repository -> Gère la définition des dépôts apt. -> Plus d'informations : . +> Gère la définition des dépôts APT. +> Plus d'informations : . - Ajout d'un nouveau dépôt : diff --git a/pages.fr/linux/apt-cache.md b/pages.fr/linux/apt-cache.md index 2d57721d2..f33d5a90b 100644 --- a/pages.fr/linux/apt-cache.md +++ b/pages.fr/linux/apt-cache.md @@ -1,7 +1,7 @@ # apt-cache > Outil de recherche de paquets Debian et Ubuntu. -> Plus d'informations : . +> Plus d'informations : . - Recherche un paquet dans vos sources actuelles : diff --git a/pages.fr/linux/apt-file.md b/pages.fr/linux/apt-file.md index 7f6eded03..30cd27b3c 100644 --- a/pages.fr/linux/apt-file.md +++ b/pages.fr/linux/apt-file.md @@ -1,7 +1,7 @@ # apt-file -> Recherche de fichiers dans les paquets apt, y compris ceux qui ne sont pas encore installés. -> Plus d'informations : . +> Recherche de fichiers dans les paquets APT, y compris ceux qui ne sont pas encore installés. +> Plus d'informations : . - Mise à jour la base de données des métadonnées : diff --git a/pages.fr/linux/apt-get.md b/pages.fr/linux/apt-get.md index e12044ef2..5a32f940c 100644 --- a/pages.fr/linux/apt-get.md +++ b/pages.fr/linux/apt-get.md @@ -2,7 +2,7 @@ > Utilitaire de gestion des paquets Debian et Ubuntu. > Recherche des paquets en utilisant `apt-cache`. -> Plus d'informations : . +> Plus d'informations : . - Mise à jour de la liste des paquets et des versions disponibles (il est recommandé de l'exécuter avant les autres commandes `apt-get`) : diff --git a/pages.fr/linux/apt-mark.md b/pages.fr/linux/apt-mark.md index 226d43ed9..fddba107c 100644 --- a/pages.fr/linux/apt-mark.md +++ b/pages.fr/linux/apt-mark.md @@ -1,7 +1,7 @@ # apt-mark > Utilitaire permettant de modifier l'état des paquets installés. -> Plus d'informations : . +> Plus d'informations : . - Marquer un paquet comme étant automatiquement installé : diff --git a/pages.fr/linux/apt.md b/pages.fr/linux/apt.md index 43e11ccea..34d5851f7 100644 --- a/pages.fr/linux/apt.md +++ b/pages.fr/linux/apt.md @@ -2,7 +2,7 @@ > Utilitaire de gestion des paquets pour les distributions basées sur Debian. > Remplacement recommandé pour `apt-get` lorsqu'il est utilisé de manière interactive dans les versions 16.04 et ultérieures d'Ubuntu. -> Plus d'informations : . +> Plus d'informations : . - Mettre à jour la liste des paquets et des versions disponibles (il est recommandé de l'exécuter avant les autres commandes `apt`) : diff --git a/pages.fr/linux/as.md b/pages.fr/linux/as.md index 68a9c9961..8859e5543 100644 --- a/pages.fr/linux/as.md +++ b/pages.fr/linux/as.md @@ -5,16 +5,16 @@ - Assemble un fichier, en écrivant la sortie dans le fichier `a.out` : -`as {{fichier.s}}` +`as {{chemin/vers/fichier.s}}` - Assemble la sortie vers un fichier donné : -`as {{fichier.s}} -o {{sortie.o}}` +`as {{chemin/vers/fichier.s}} -o {{chemin/vers/sortie.o}}` - Génère la sortie plus vite en évitant le preprocess des espaces et des commentaires (doit seulement être utilisé sur des compilateurs sûrs) : -`as -f {{fichier.s}}` +`as -f {{chemin/vers/fichier.s}}` - Inclut un chemin donné à la liste des répertoires dans lesquels chercher les fichiers spécifiés dans les directives `.include` : -`as -I {{chemin/vers/le/répertoire}} {{fichier.s}}` +`as -I {{chemin/vers/le/répertoire}} {{chemin/vers/fichier.s}}` diff --git a/pages.fr/linux/deluser.md b/pages.fr/linux/deluser.md index fc7fb2f75..92ccdea9c 100644 --- a/pages.fr/linux/deluser.md +++ b/pages.fr/linux/deluser.md @@ -1,7 +1,7 @@ # deluser > Supprime un utilisateur du système. -> Plus d'informations : . +> Plus d'informations : . - Supprime un utilisateur : diff --git a/pages.fr/linux/dos2unix.md b/pages.fr/linux/dos2unix.md new file mode 100644 index 000000000..c92c60c08 --- /dev/null +++ b/pages.fr/linux/dos2unix.md @@ -0,0 +1,22 @@ +# dos2unix + +> Remplace les fins de lignes de style DOS par des fins de lignes de style Unix. +> Remplace CRLF par LF. +> Voir également `unix2dos`, `unix2mac`, et `mac2unix`. +> Plus d'informations : . + +- Remplace les fins de lignes d'un fichier : + +`dos2unix {{chemin/vers/fichier}}` + +- Crée une copie avec des fins de lignes de type Unix : + +`dos2unix -n {{chemin/vers/fichier}} {{chemin/vers/nouveau_fichier}}` + +- Affiche les informations d'un fichier : + +`dos2unix -i {{chemin/vers/fichier}}` + +- Conserve/Ecrit/Supprime la marque d'ordre des octets (BOM) : + +`dos2unix --{{keep-bom|add-bom|remove-bom}} {{chemin/vers/fichier}}` diff --git a/pages.fr/linux/ifup.md b/pages.fr/linux/ifup.md index 84b8e47b8..2c3594f12 100644 --- a/pages.fr/linux/ifup.md +++ b/pages.fr/linux/ifup.md @@ -1,7 +1,7 @@ # ifup > Outil utilisé pour activer des interfaces réseau. -> Plus d'informations : . +> Plus d'informations : . - Active l'interface eth0 : diff --git a/pages.fr/linux/ip.md b/pages.fr/linux/ip.md index 6efd08ad1..72c1a0543 100644 --- a/pages.fr/linux/ip.md +++ b/pages.fr/linux/ip.md @@ -2,7 +2,7 @@ > Affiche / manipule l'adressage, le routage, les interfaces et périphériques réseau, les règles de routage et les tunnels. > Certaines commandes comme `ip address` ont leur propre documentation. -> Plus d'informations : . +> Plus d'informations : . - Liste les interfaces avec des infos détaillées : diff --git a/pages.fr/sunos/prstat.md b/pages.fr/sunos/prstat.md index 9d4712caf..6a4937668 100644 --- a/pages.fr/sunos/prstat.md +++ b/pages.fr/sunos/prstat.md @@ -21,4 +21,4 @@ - Imprimez une liste des 5 meilleurs processeurs utilisant des processus chaque seconde : -`prstat -c -n {{5}} -s cpu {{1}}` +`prstat -c -n 5 -s cpu 1` diff --git a/pages.hi/android/logcat.md b/pages.hi/android/logcat.md index 2d7d1cc5a..97fc98d3a 100644 --- a/pages.hi/android/logcat.md +++ b/pages.hi/android/logcat.md @@ -17,8 +17,8 @@ - किसी विशिष्ट पीआईडी के लिए लॉग प्रदर्शित करें: -`logcat --pid={{पीआईडी}}` +`logcat --pid {{पीआईडी}}` - किसी विशिष्ट पैकेज की प्रक्रिया के लिए लॉग प्रदर्शित करें: -`logcat --pid=$(pidof -s {{पैकेज}})` +`logcat --pid $(pidof -s {{पैकेज}})` diff --git a/pages.hi/common/!.md b/pages.hi/common/!.md index f0d6aa8e1..beb139df1 100644 --- a/pages.hi/common/!.md +++ b/pages.hi/common/!.md @@ -1,7 +1,7 @@ # Exclamation mark > इतिहास में पाए गए कमांड के साथ विकल्प करने के लिए बैश शेल में अंतर्निर्मित। -> अधिक जानकारी: । +> अधिक जानकारी: । - सुडो के साथ पिछली कमांड को दोहराएँ: diff --git a/pages.hi/common/cat.md b/pages.hi/common/cat.md index 60d8f8772..68effe794 100644 --- a/pages.hi/common/cat.md +++ b/pages.hi/common/cat.md @@ -1,7 +1,7 @@ # cat > फ़ाइलों को प्रिंट और संक्षिप्त करें। -> अधिक जानकारी: । +> अधिक जानकारी: । - मानक आउटपुट में फ़ाइल की सामग्री प्रिंट करें: diff --git a/pages.hi/common/clamav.md b/pages.hi/common/clamav.md index def162f46..8258ab68b 100644 --- a/pages.hi/common/clamav.md +++ b/pages.hi/common/clamav.md @@ -1,4 +1,4 @@ -# clamav +# ClamAV > यह आदेश `clamdscan` का उपनाम है। > अधिक जानकारी: । diff --git a/pages.hi/common/compare.md b/pages.hi/common/compare.md deleted file mode 100644 index 157da4b78..000000000 --- a/pages.hi/common/compare.md +++ /dev/null @@ -1,12 +0,0 @@ -# compare - -> 2 छवियों के बीच अंतर देखें। -> अधिक जानकारी: । - -- 2 छवियों की तुलना करें: - -`compare {{छवि1.png}} {{छवि2.png}} {{अंतर.png}}` - -- कस्टम मीट्रिक का उपयोग करके 2 छवियों की तुलना करें: - -`compare -verbose -metric {{PSNR}} {{छवि1.png}} {{छवि2.png}} {{अंतर.png}}` diff --git a/pages.hi/common/fossil-ci.md b/pages.hi/common/fossil-ci.md index 9e001fcbd..2e4c5232f 100644 --- a/pages.hi/common/fossil-ci.md +++ b/pages.hi/common/fossil-ci.md @@ -1,6 +1,6 @@ -# fossil-ci +# fossil ci -> यह आदेश `fossil-commit` का उपनाम है। +> यह आदेश `fossil commit`.का उपनाम है। > अधिक जानकारी: । - मूल आदेश के लिए दस्तावेज़ देखें: diff --git a/pages.hi/common/fossil-delete.md b/pages.hi/common/fossil-delete.md index 1e5a66af8..18331feec 100644 --- a/pages.hi/common/fossil-delete.md +++ b/pages.hi/common/fossil-delete.md @@ -1,4 +1,4 @@ -# fossil-delete +# fossil delete > यह आदेश `fossil rm` का उपनाम है। > अधिक जानकारी: । diff --git a/pages.hi/common/fossil-forget.md b/pages.hi/common/fossil-forget.md index 0bd17315c..50be3cf62 100644 --- a/pages.hi/common/fossil-forget.md +++ b/pages.hi/common/fossil-forget.md @@ -1,4 +1,4 @@ -# fossil-forget +# fossil forget > यह आदेश `fossil rm` का उपनाम है। > अधिक जानकारी: । diff --git a/pages.hi/common/fossil-new.md b/pages.hi/common/fossil-new.md index 4c67b0d05..2449fc622 100644 --- a/pages.hi/common/fossil-new.md +++ b/pages.hi/common/fossil-new.md @@ -1,6 +1,6 @@ -# fossil-new +# fossil new -> यह आदेश `fossil-init` का उपनाम है। +> यह आदेश `fossil init`.का उपनाम है। > अधिक जानकारी: । - मूल आदेश के लिए दस्तावेज़ देखें: diff --git a/pages.hi/common/gh-cs.md b/pages.hi/common/gh-cs.md index 042953bad..2e1c9e2a7 100644 --- a/pages.hi/common/gh-cs.md +++ b/pages.hi/common/gh-cs.md @@ -1,6 +1,6 @@ -# gh-cs +# gh cs -> यह आदेश `gh-codespace` का उपनाम है। +> यह आदेश `gh codespace`.का उपनाम है। > अधिक जानकारी: । - मूल आदेश के लिए दस्तावेज़ देखें: diff --git a/pages.hi/common/gnmic-sub.md b/pages.hi/common/gnmic-sub.md index 8fc61a857..4f682d024 100644 --- a/pages.hi/common/gnmic-sub.md +++ b/pages.hi/common/gnmic-sub.md @@ -1,4 +1,4 @@ -# gnmic-sub +# gnmic sub > यह आदेश `gnmic subscribe` का उपनाम है। > अधिक जानकारी: । diff --git a/pages.hi/common/magick-compare.md b/pages.hi/common/magick-compare.md new file mode 100644 index 000000000..42bff02b0 --- /dev/null +++ b/pages.hi/common/magick-compare.md @@ -0,0 +1,12 @@ +# magick compare + +> 2 छवियों के बीच अंतर देखें। +> अधिक जानकारी: । + +- 2 छवियों की तुलना करें: + +`magick compare {{छवि1.png}} {{छवि2.png}} {{अंतर.png}}` + +- कस्टम मीट्रिक का उपयोग करके 2 छवियों की तुलना करें: + +`magick compare -verbose -metric {{PSNR}} {{छवि1.png}} {{छवि2.png}} {{अंतर.png}}` diff --git a/pages.hi/common/mkdir.md b/pages.hi/common/mkdir.md index 3d245987e..6734187e5 100644 --- a/pages.hi/common/mkdir.md +++ b/pages.hi/common/mkdir.md @@ -9,4 +9,4 @@ - निर्देशिका बनाएँ पुनरावर्ती (अंतर प्रविष्ट निर्देशिका बनाने के लिए उपयोगी): -`mkdir -p {{निर्देशिका / का / पथ}}` +`mkdir {{-p|--parents}} {{निर्देशिका / का / पथ}}` diff --git a/pages.hi/common/pio-init.md b/pages.hi/common/pio-init.md index 65f494b66..39a5127ed 100644 --- a/pages.hi/common/pio-init.md +++ b/pages.hi/common/pio-init.md @@ -1,4 +1,4 @@ -# pio-init +# pio init > यह आदेश `pio project` का उपनाम है। diff --git a/pages.hi/common/tlmgr-arch.md b/pages.hi/common/tlmgr-arch.md index afd72e425..065704cc4 100644 --- a/pages.hi/common/tlmgr-arch.md +++ b/pages.hi/common/tlmgr-arch.md @@ -1,4 +1,4 @@ -# tlmgr-arch +# tlmgr arch > यह आदेश `tlmgr platform` का उपनाम है। > अधिक जानकारी: । diff --git a/pages.hi/common/touch.md b/pages.hi/common/touch.md index db3dd9c57..b8cd56f4e 100644 --- a/pages.hi/common/touch.md +++ b/pages.hi/common/touch.md @@ -1,7 +1,7 @@ # touch > एक फ़ाइल का उपयोग और संशोधन समय (atime, mtime) बदलें। -> अधिक जानकारी: । +> अधिक जानकारी: । - एक नई खाली फ़ाइल बनाएं (मौजूदा फ़ाइल के लिए समय बदल दें): diff --git a/pages.hi/linux/adduser.md b/pages.hi/linux/adduser.md index dce6b10aa..199c4545a 100644 --- a/pages.hi/linux/adduser.md +++ b/pages.hi/linux/adduser.md @@ -1,7 +1,7 @@ # adduser > उपयोगकर्ता जोड़ने की उपयोगिता। -> अधिक जानकारी: । +> अधिक जानकारी: । - डिफ़ॉल्ट होम निर्देशिका के साथ एक नया उपयोगकर्ता बनाएं और उपयोगकर्ता को पासवर्ड सेट करने के लिए संकेत दें: diff --git a/pages.hi/linux/apache2ctl.md b/pages.hi/linux/apache2ctl.md index b1bcc8322..78f8220c4 100644 --- a/pages.hi/linux/apache2ctl.md +++ b/pages.hi/linux/apache2ctl.md @@ -2,7 +2,7 @@ > अपाचे HTTP वेब सर्वर का प्रबंधन करें। > यह कमांड डेबियन आधारित ओएस के साथ आता है, आरएचईएल आधारित ओएस के लिए `httpd` देखें। -> अधिक जानकारी: । +> अधिक जानकारी: । - अपाचे डेमॉन प्रारंभ करें. यदि संदेश पहले से चल रहा हो तो उसे फेंकें: diff --git a/pages.hi/linux/apt.md b/pages.hi/linux/apt.md index cc674eefd..00a89bd53 100644 --- a/pages.hi/linux/apt.md +++ b/pages.hi/linux/apt.md @@ -3,7 +3,7 @@ > डेबियन आधारित वितरणों के लिए पैकेज प्रबंधन उपयोगिता। > उबंटू संस्करण १६.०४ और बाद में इंटरैक्टिव रूप से उपयोग किए जाने पर `apt-get` के लिए अनुशंसित प्रतिस्थापन। > अन्य पैकेज प्रबंधकों में समतुल्य कमांड के लिए, देखें । -> अधिक जानकारी: । +> अधिक जानकारी: । - उपलब्ध पैकेजों और संस्करणों की सूची को अपडेट करें (इसे अन्य `apt` कमांड से पहले चलाने की अनुशंसा की जाती है): diff --git a/pages.hi/linux/dpkg.md b/pages.hi/linux/dpkg.md index 6b8573d2e..d31e6bf95 100644 --- a/pages.hi/linux/dpkg.md +++ b/pages.hi/linux/dpkg.md @@ -3,7 +3,7 @@ > डेबियन पैकेज प्रबंधक। > कुछ उपकमांड जैसे `dpkg deb` के अपने स्वयं के उपयोग दस्तावेज़ हैं। > अन्य पैकेज प्रबंधकों में समकक्ष कमांड के लिए, देखें . -> अधिक जानकारी: । +> अधिक जानकारी: । - एक पैकेज इनस्टॉल करें: diff --git a/pages.hi/linux/ip-route-list.md b/pages.hi/linux/ip-route-list.md index 0cb821a68..6a7313311 100644 --- a/pages.hi/linux/ip-route-list.md +++ b/pages.hi/linux/ip-route-list.md @@ -1,6 +1,6 @@ -# ip-route-list +# ip route list -> यह आदेश `ip-route-show` का उपनाम है। +> यह आदेश `ip route show`.का उपनाम है। - मूल आदेश के लिए दस्तावेज़ देखें: diff --git a/pages.id/android/logcat.md b/pages.id/android/logcat.md index b5e7c6d5d..9645a9766 100644 --- a/pages.id/android/logcat.md +++ b/pages.id/android/logcat.md @@ -17,8 +17,8 @@ - Tampilkan log untuk nomor induk (PID) program yang sedang dijalankan: -`logcat --pid={{pid}}` +`logcat --pid {{pid}}` - Tampilkan log untuk (kemasan) aplikasi yang sedang dijalankan: -`logcat --pid=$(pidof -s {{nama_kemasan_aplikasi}})` +`logcat --pid $(pidof -s {{nama_kemasan_aplikasi}})` diff --git a/pages.id/common/!.md b/pages.id/common/!.md index cf9763244..8126bc0fe 100644 --- a/pages.id/common/!.md +++ b/pages.id/common/!.md @@ -1,7 +1,7 @@ -# Tanda seru +# Exclamation mark > Digunakan pada Bash sebagai pengganti perintah yang sebelumnya dieksekusikan. -> Informasi lebih lanjut: . +> Informasi lebih lanjut: . - Jalankan perintah sebelumnya menggunakan `sudo`: @@ -19,6 +19,10 @@ `!{{awalan_perintah}}` -- Gunakan argumen/opsi perintah yang sama dengan perintah sebelumnya: +- Gunakan susunan argumen/opsi perintah yang sama dengan perintah sebelumnya: `{{perintah}} !*` + +- Gunakan argumen/opsi perintah terakhir dari perintah sebelumnya: + +`{{perintah}} !$` diff --git a/pages.id/common/2to3.md b/pages.id/common/2to3.md index 44343e20b..c30eccee2 100644 --- a/pages.id/common/2to3.md +++ b/pages.id/common/2to3.md @@ -1,32 +1,32 @@ # 2to3 -> Mengkonversikan kode Python 2 menuju file Python 3 secara otomatis. +> Alih bahasa kode program dari Python 2 menuju Python 3 secara otomatis. > Informasi lebih lanjut: . -- Menampilkan apa saja yang akan diubah tanpa mengubahnya secara langsung (dry-run): +- Tampilkan apa saja yang akan diubah tanpa mengubahnya secara langsung (dry-run): -`2to3 {{jalan/menuju/file.py}}` +`2to3 {{jalan/menuju/berkas.py}}` -- Mengkonversikan sebuah file Python 2 menuju file Python 3: +- Alih bahasa dan tulis ulang berkas program Python 2 menuju Python 3: -`2to3 --write {{jalan/menuju/file.py}}` +`2to3 --write {{jalan/menuju/berkas.py}}` -- Mengkonversikan fitur bahasa pemrograman Python 2 tertentu menuju Python 3: +- Pilih jenis fitur bahasa yang akan dialihbahasakan dari Python 2 menuju Python 3: -`2to3 --write {{jalan/menuju/file.py}} --fix={{raw_input}} --fix={{print}}` +`2to3 --write {{jalan/menuju/berkas.py}} --fix {{raw_input}} --fix {{print}}` -- Mengkonversikan seluruh fitur Python 2 menjadi Python 3, kecuali fitur-fitur tertentu: +- Pilih jenis fitur bahasa yang dikecualikan dari proses pengalihbahasaan: -`2to3 --write {{jalan/menuju/file.py}} --nofix={{has_key}} --nofix={{isinstance}}` +`2to3 --write {{jalan/menuju/file.py}} --nofix {{has_key}} --nofix {{isinstance}}` -- Menampilkan daftar fitur-fitur bahasa pemrograman yang dapat dikonversikan dari Python 2 menuju Python 3: +- Tampilkan daftar fitur bahasa pemrograman yang dapat dialihbahasakan dari Python 2 menuju Python 3: `2to3 --list-fixes` -- Mengkonversikan seluruh file Python 2 menuju Python 3 di dalam sebuah direktori: +- Alih bahasa dan tulis ulang seluruh berkas dari suatu direktori menuju direktori baru: -`2to3 --output-dir={{jalan/menuju/direktori_python3}} --write-unchanged-files --nobackups {{jalan/menuju/direktori_python2}}` +`2to3 --output-dir {{jalan/menuju/direktori_python3}} --write-unchanged-files --nobackups {{jalan/menuju/direktori_python2}}` -- Menjalankan program ini dengan lebih dari satu thread: +- Jalankan program ini dengan lebih dari satu thread: -`2to3 --processes={{4}} --output-dir={{jalan/menuju/direktori_python3}} --write --nobackups --no-diff {{jalan/menuju/direktori_python2}}` +`2to3 --processes {{4}} --output-dir {{jalan/menuju/direktori_python3}} --write --nobackups --no-diff {{jalan/menuju/direktori_python2}}` diff --git a/pages.id/common/7zr.md b/pages.id/common/7zr.md index 58151dcc7..bd3418b2a 100644 --- a/pages.id/common/7zr.md +++ b/pages.id/common/7zr.md @@ -1,7 +1,7 @@ # 7zr > Pengarsip file dengan rasio kompresi yang tinggi. -> Serupa dengan `7z` namun mendukung format file arsip `.7z` saja. +> Serupa dengan `7z` namun mendukung format file arsip 7z saja. > Informasi lebih lanjut: . - T[a]mbahkan sebuah file atau direktori ke dalam arsip baru atau saat ini: diff --git a/pages.id/common/[.md b/pages.id/common/[.md index c845c8fa3..1bd95a4fe 100644 --- a/pages.id/common/[.md +++ b/pages.id/common/[.md @@ -2,7 +2,7 @@ > Cek jenis file dan bandingkan nilai dalam syel. > Mengembalikan nilai 0 jika syarat tersebut terpenuhi (bernilai benar) atau 1 jika tidak. -> Informasi lebih lanjut: . +> Informasi lebih lanjut: . - Ujikan apakah sebuah variabel memiliki nilai yang sama/tidak sama dengan sebuah string: diff --git a/pages.id/common/[[.md b/pages.id/common/[[.md index 9b46048e6..4c397dfcd 100644 --- a/pages.id/common/[[.md +++ b/pages.id/common/[[.md @@ -2,7 +2,7 @@ > Cek jenis file dan bandingkan nilai dalam syel. > Mengembalikan nilai 0 jika syarat tersebut terpenuhi (bernilai benar) atau 1 jika tidak. -> Informasi lebih lanjut: . +> Informasi lebih lanjut: . - Ujikan apakah sebuah variabel memiliki nilai yang sama/tidak sama dengan sebuah string: diff --git a/pages.id/common/^.md b/pages.id/common/^.md new file mode 100644 index 000000000..d29e81295 --- /dev/null +++ b/pages.id/common/^.md @@ -0,0 +1,17 @@ +# Caret + +> Digunakan pada Bash untuk menggantikan string pada perintah sebelumnya dan menjalankan perintah yang telah diubahnya. +> Setara dengan `!!:s^string1^string2`. +> Informasi lebih lanjut: . + +- Jalankan perintah sebelumnya dengan menggantikan `string1` dengan `string2`: + +`^{{string1}}^{{string2}}` + +- Hapus `string1` dari perintah sebelumnya: + +`^{{string1}}^` + +- Gantikan `string1` dengan `string2` pada perintah sebelumnya, kemudian tambahkan `string3` pada akhir: + +`^{{string1}}^{{string2}}^{{string3}}` diff --git a/pages.id/common/aapt.md b/pages.id/common/aapt.md index f26c3be96..053816a99 100644 --- a/pages.id/common/aapt.md +++ b/pages.id/common/aapt.md @@ -1,17 +1,17 @@ # aapt > Alat Pemaketan Android Asset. -> Menyusun dan memaketkan resource aplikasi Android. +> Susun dan buat paket resource aplikasi Android. > Informasi lebih lanjut: . -- Daftar berkas-berkas yang termuat dalam arsip APK: +- Tampilkan daftar berkas yang termuat dalam suatu arsip APK: -`aapt list {{alamat/ke/aplikasi.apk}}` +`aapt list {{jalan/menuju/aplikasi.apk}}` -- Menampilkan metadata aplikasi (versi, izin, dsb.): +- Tampilkan metadata aplikasi (versi, izin, dsb.): -`aapt dump badging {{alamat/ke/aplikasi.apk}}` +`aapt dump badging {{jalan/menuju/aplikasi.apk}}` -- Membuat arsip APK baru dengan berkas dari direktory yang ditentukan: +- Buat suatu arsip APK baru dengan berkas dari direktori yang ditentukan: -`aapt package -F {{alamat/ke/aplikasi.apk}} {{alamat/ke/direktori}}` +`aapt package -F {{jalan/menuju/aplikasi.apk}} {{jalan/menuju/direktori}}` diff --git a/pages.id/common/accelerate.md b/pages.id/common/accelerate.md index 82f0b6d40..e84fedbf5 100644 --- a/pages.id/common/accelerate.md +++ b/pages.id/common/accelerate.md @@ -1,4 +1,4 @@ -# Accelerate +# accelerate > Sebuah pustaka/library yang memungkinkan kode PyTorch yang sama dapat dijalankan secara menyebar. > Informasi lebih lanjut: . diff --git a/pages.id/common/ack.md b/pages.id/common/ack.md index a80e0c3db..907311bbd 100644 --- a/pages.id/common/ack.md +++ b/pages.id/common/ack.md @@ -18,11 +18,11 @@ - Hanya cari file dengan tipe tertentu (seperti `ruby` untuk mencari file `.rb`,`.erb`, `.rake`, `Rakefile` dan sebagainya): -`ack --type={{ruby}} "{{pola_pencarian}}"` +`ack --type {{ruby}} "{{pola_pencarian}}"` - Jangan cari file dengan tipe tertentu: -`ack --type=no{{ruby}} "{{pola_pencarian}}"` +`ack --type no{{ruby}} "{{pola_pencarian}}"` - Hitung total teks/string yang ditemukan: diff --git a/pages.id/common/adb-logcat.md b/pages.id/common/adb-logcat.md index be97591d2..8c8ba943a 100644 --- a/pages.id/common/adb-logcat.md +++ b/pages.id/common/adb-logcat.md @@ -1,4 +1,4 @@ -# adb-logcat +# adb logcat > Dapatkan dan simpan log sistem pada perangkat Android. > Informasi lebih lanjut: . diff --git a/pages.id/common/adb.md b/pages.id/common/adb.md index b0e1b7a9b..d26762f2f 100644 --- a/pages.id/common/adb.md +++ b/pages.id/common/adb.md @@ -4,7 +4,7 @@ > Kami mempunyai dokumentasi terpisah untuk menggunakan subperintah seperti `adb shell`. > Informasi lebih lanjut: . -- Cek apakah proses server adb telah dimulai dan memulainya: +- Periksa apakah proses server adb telah dimulai dan memulainya: `adb start-server` @@ -16,18 +16,18 @@ `adb shell` -- Instal aplikasi Android ke emulator/perangkat tujuan: +- Pasang suatu aplikasi Android menuju emulator/perangkat tujuan: -`adb install -r {{alamat/ke/berkas.apk}}` +`adb install -r {{jalan/menuju/berkas.apk}}` - Salin berkas/direktori dari perangkat tujuan: -`adb pull {{alamat/ke/berkas_atau_direktori_perangkat}} {{alamat/ke/direktori_lokal_tujuan}}` +`adb pull {{jalan/menuju/berkas_atau_direktori_perangkat}} {{jalan/menuju/direktori_lokal_tujuan}}` -- Salin berkas/direktori ke perangkat tujuan: +- Salin berkas/direktori menuju perangkat tujuan: -`adb push {{alamat/ke/berkas_atau_direktori_lokal}} {{alamat/ke/direktori_perangkat_tujuan}}` +`adb push {{jalan/menuju/berkas_atau_direktori_lokal}} {{jalan/menuju/direktori_perangkat_tujuan}}` -- Dapatkan daftar perangkat yang terhubung: +- Tampilkan daftar perangkat yang terhubung: `adb devices` diff --git a/pages.id/common/airodump-ng.md b/pages.id/common/airodump-ng.md index 3702dd7b7..ee619cb0c 100644 --- a/pages.id/common/airodump-ng.md +++ b/pages.id/common/airodump-ng.md @@ -4,10 +4,18 @@ > Bagian dari paket perangkat lunak jaringan Aircrack-ng. > Informasi lebih lanjut: . -- Tangkap para paket dan tampilkan informasi jaringan nirkabel tertentu: +- Tangkap para paket dan tampilkan daftar jaringan nirkabel dalam frekuensi 2.4GHz: `sudo airodump-ng {{interface}}` +- Tangkap para paket dan tampilkan daftar jaringan nirkabel dalam frekuensi 5GHz: + +`sudo airodump-ng {{interface}} --band a` + +- Tangkap para paket dan tampilkan daftar jaringan nirkabel, baik dalam frekuensi 2.4GHz maupun 5GHz: + +`sudo airodump-ng {{interface}} --band abg` + - Tangkap para paket dan tampilkan informasi jaringan nirkabel berdasarkan alamat MAC dan kanal jaringan, kemudian simpan hasil ke dalam suatu file: `sudo airodump-ng --channel {{channel}} --write {{jalan/menuju/file}} --bssid {{alamat_mac}} {{interface}}` diff --git a/pages.id/common/alacritty.md b/pages.id/common/alacritty.md index 8e3c375f7..07f2f0a33 100644 --- a/pages.id/common/alacritty.md +++ b/pages.id/common/alacritty.md @@ -3,22 +3,22 @@ > Lintas platform, terakselerasi GPU terminal emulator. > Informasi lebih lanjut: . -- Membuka jendela Alacritty baru: +- Buka jendela Alacritty baru: `alacritty` -- Menjalankan Alacritty pada direktori tertentu: +- Jalankan Alacritty pada direktori tertentu: -`alacritty --working-directory {{alamat/ke/direktori}}` +`alacritty --working-directory {{jalan/menuju/direktori}}` -- Menjalankan perintah di jendela Alacritty baru: +- Jalankan perintah di jendela Alacritty baru: `alacritty -e {{perintah}}` -- Menentukan berkas konfigurasi alternatif (nilai default `$XDG_CONFIG_HOME/alacritty/alacritty.yml`): +- Gunakan berkas konfigurasi alternatif untuk memuat program (nilai default `$XDG_CONFIG_HOME/alacritty/alacritty.toml`): -`alacritty --config-file {{alamat/ke/konfigurasi.yml}}` +`alacritty --config-file {{jalan/menuju/konfigurasi.toml}}` -- Menjalankan dengan mengaktifkan pemuatan ulang konfigurasi secara langsung/otomatis (dapat juga diaktifkan secara default di `alacritty.yml`): +- Jalankan dan aktifkan fitur muat ulang konfigurasi secara langsung/otomatis (dapat juga diaktifkan secara default di `alacritty.toml`): -`alacritty --live-config-reload --config-file {{alamat/ke/konfigurasi.yml}}` +`alacritty --live-config-reload --config-file {{jalan/menuju/konfigurasi.toml}}` diff --git a/pages.id/common/amass-enum.md b/pages.id/common/amass-enum.md new file mode 100644 index 000000000..a3f63f30a --- /dev/null +++ b/pages.id/common/amass-enum.md @@ -0,0 +1,28 @@ +# amass enum + +> Cari seluruh subdomain dari suatu domain internet. +> Informasi lebih lanjut: . + +- Cari para subdomain dari suatu [d]omain (secara pasif): + +`amass enum -d {{nama_domain}}` + +- Cari para subdomain dari [d]omain dengan memeriksa apakah subdomain tersebut dapat ditemukan: + +`amass enum -active -d {{nama_domain}} -p {{80,443,8080}}` + +- Lakukan pencarian terhadap para sub[d]omain secara paksa (brute force): + +`amass enum -brute -d {{nama_domain}}` + +- Simpan hasil pencarian ke dalam suatu berkas teks: + +`amass enum -o {{berkas_output}} -d {{nama_domain}}` + +- Simpan hasil luaran (output) terminal menuju suatu berkas dan informasi tambahan ke dalam direktori tertentu: + +`amass enum -o {{berkas_output}} -dir {{jalan/menuju/direktori}} -d {{nama_domain}}` + +- Tampilkan daftar sumber pencarian data: + +`amass enum -list` diff --git a/pages.id/common/amass-intel.md b/pages.id/common/amass-intel.md new file mode 100644 index 000000000..03132e35c --- /dev/null +++ b/pages.id/common/amass-intel.md @@ -0,0 +1,32 @@ +# amass intel + +> Kumpulkan data pendukung pengintaian bersumber terbuka (OSI) terhadap suatu organisasi, seperti domain pangkal dan informasi Nomor Sistem Otonom (ASN). +> Informasi lebih lanjut: . + +- Cari para domain pangkal yang berkaitan dengan rentang alamat ([addr]ess) IP: + +`amass intel -addr {{192.168.0.1-254}}` + +- Gunakan metode pengintaian secara aktif: + +`amass intel -active -addr {{192.168.0.1-254}}` + +- Cari para domain pangkal yang berkaitan dengan suatu [d]omain: + +`amass intel -whois -d {{nama_domain}}` + +- Cari para pihak ASN yang berkaitan dengan suatu [org]anisasi: + +`amass intel -org {{nama_organisasi}}` + +- Cari daftar domain yang dipegang oleh suatu pihak Nomor Sistem Otonom (ASN) berdasarkan nomornya: + +`amass intel -asn {{nomor_asn}}` + +- Simpan hasil pencarian ke dalam suatu berkas teks: + +`amass intel -o {{berkas_output}} -whois -d {{nama_domain}}` + +- Tampilkan daftar sumber pencarian data: + +`amass intel -list` diff --git a/pages.id/common/amass.md b/pages.id/common/amass.md new file mode 100644 index 000000000..4d67a3760 --- /dev/null +++ b/pages.id/common/amass.md @@ -0,0 +1,21 @@ +# amass + +> Alat Pemetaan Permukaan Serangan dan Penemuan Aset yang mendalam. +> Beberapa subperintah seperti `amass intel` mempunyai dokumentasi terpisah. +> Informasi lebih lanjut: . + +- Jalankan suatu subperintah Amass: + +`amass {{intel|enum}} {{opsi}}` + +- Tampilkan informasi bantuan umum: + +`amass -help` + +- Tampilkan informasi bantuan untuk subperintah Amass: + +`amass {{intel|enum}} -help` + +- Tampilkan informasi versi: + +`amass -version` diff --git a/pages.id/common/androguard.md b/pages.id/common/androguard.md new file mode 100644 index 000000000..d5abeb430 --- /dev/null +++ b/pages.id/common/androguard.md @@ -0,0 +1,16 @@ +# androguard + +> Lakukan rekayasa terbalik terhadap suatu aplikasi Android. Program ini ditulis dalam bahasa pemrograman Python. +> Informasi lebih lanjut: . + +- Tampilkan manifes aplikasi Android: + +`androguard axml {{jalan/menuju/aplikasi.apk}}` + +- Tampilkan metadata aplikasi (versi dan ID aplikasi): + +`androguard apkid {{jalan/menuju/aplikasi.apk}}` + +- Bongkar kode-kode program Java dari suatu aplikasi: + +`androguard decompile {{jalan/menuju/aplikasi.apk}} --output {{jalan/menuju/direktori}}` diff --git a/pages.id/common/ani-cli.md b/pages.id/common/ani-cli.md new file mode 100644 index 000000000..779dc5acb --- /dev/null +++ b/pages.id/common/ani-cli.md @@ -0,0 +1,28 @@ +# ani-cli + +> Program baris perintah (CLI) untuk menelusuri dan menonton film anime. +> Informasi lebih lanjut: . + +- Cari anime dengan nama: + +`ani-cli "{{nama_anime}}"` + +- Unduh ([d]ownload) suatu episode: + +`ani-cli -d "{{nama_anime}}"` + +- Gunakan [v]LC untuk memutar film: + +`ani-cli -v "{{nama_anime}}"` + +- Tonton satu [e]pisode: + +`ani-cli -e {{nomor_episode}} "{{nama_anime}}"` + +- Lanjut ([c]ontinue) menonton anime dari riwayat: + +`ani-cli -c` + +- Mutakhirkan ([U]pdate) program `ani-cli`: + +`ani-cli -U` diff --git a/pages.id/common/anki.md b/pages.id/common/anki.md new file mode 100644 index 000000000..7823a432c --- /dev/null +++ b/pages.id/common/anki.md @@ -0,0 +1,20 @@ +# anki + +> Program manajemen flashcard (kartu pintar) yang kuat dan cerdas. +> Informasi lebih lanjut: . + +- Jalankan program GUI: + +`anki` + +- Gunakan [p]rofil tertentu untuk mengakses flashcard: + +`anki -p {{nama_profil}}` + +- Gunakan suatu bahasa ([l]anguage): + +`anki -l {{bahasa}}` + +- Gunakan direktori non-default untuk memuat data flashcard (tersimpan secara default dalam `~/Anki`): + +`anki -b {{jalan/menuju/direktori}}` diff --git a/pages.id/common/ansible-doc.md b/pages.id/common/ansible-doc.md new file mode 100644 index 000000000..b73864068 --- /dev/null +++ b/pages.id/common/ansible-doc.md @@ -0,0 +1,29 @@ +# ansible-doc + +> Tampilkan informasi mengenai modul-modul (action plugins) yang terpasang dalam pustaka pemasangan Ansible. +> Tampilkan informasi singkat mengenai daftar plugin beserta deskripsi singkatnya. +> Informasi lebih lanjut: . + +- Tampilkan daftar modul/plugin yang tersedia: + +`ansible-doc --list` + +- Tampilkan daftar modul/plugin berdasarkan jenisnya: + +`ansible-doc --type {{become|cache|callback|cliconf|connection|...}} --list` + +- Tampilkan informasi mengenai suatu modul/plugin: + +`ansible-doc {{nama_plugin}}` + +- Tampilkan informasi mengenai suatu modul/plugin berdasarkan jenis spesifiknya: + +`ansible-doc --type {{become|cache|callback|cliconf|connection|...}} {{nama_plugin}}` + +- Lihat contoh cara penggunaan (dalam playbook) bagi suatu modul/plugin: + +`ansible-doc --snippet {{nama_plugin}}` + +- Tampilkan informasi mengenai suatu plugin/modul dalam format JSON: + +`ansible-doc --json {{nama_plugin}}` diff --git a/pages.id/common/ansible-galaxy.md b/pages.id/common/ansible-galaxy.md new file mode 100644 index 000000000..c0c7b8b8a --- /dev/null +++ b/pages.id/common/ansible-galaxy.md @@ -0,0 +1,32 @@ +# ansible-galaxy + +> Buat dan atur peran pengguna (role) Ansible. +> Informasi lebih lanjut: . + +- Pasang sebuah peran kepada suatu pengguna: + +`ansible-galaxy install {{username}}.{{nama_peran}}` + +- Buang peran dari suatu pengguna: + +`ansible-galaxy remove {{username}}.{{nama_peran}}` + +- Tampilkan daftar peran yang tersedia: + +`ansible-galaxy list` + +- Cari peran berdasarkan nama: + +`ansible-galaxy search {{nama_peran}}` + +- Terbitkan sebuah peran baru: + +`ansible-galaxy init {{nama_peran}}` + +- Dapatkan informasi mengenai peran sebuah pengguna: + +`ansible-galaxy role info {{username}}.{{nama_peran}}` + +- Dapatkan informasi mengenai suatu koleksi: + +`ansible-galaxy collection info {{username}}.{{nama_koleksi}}` diff --git a/pages.id/common/ansible-inventory.md b/pages.id/common/ansible-inventory.md new file mode 100644 index 000000000..595ba0037 --- /dev/null +++ b/pages.id/common/ansible-inventory.md @@ -0,0 +1,21 @@ +# ansible-inventory + +> Tampilkan dan simpan informasi suatu inventaris Ansible (inventory). +> Lihat juga: `ansible`. +> Informasi lebih lanjut: . + +- Tampilkan informasi inventaris default: + +`ansible-inventory --list` + +- Tampilkan suatu inventaris kustom: + +`ansible-inventory --list --inventory {{jalan/menuju/berkas_atau_skrip_atau_direktori}}` + +- Tampilkan informasi inventaris default dalam format YAML: + +`ansible-inventory --list --yaml` + +- Simpan informasi inventaris default ke dalam suatu berkas teks: + +`ansible-inventory --list --output {{jalan/menuju/berkas}}` diff --git a/pages.id/common/ansible-playbook.md b/pages.id/common/ansible-playbook.md new file mode 100644 index 000000000..4b5446620 --- /dev/null +++ b/pages.id/common/ansible-playbook.md @@ -0,0 +1,32 @@ +# ansible-playbook + +> Jalankan kumpulan tugas yang didefinisikan di dalam buku aturan main (playbook), kepada para mesin secara jarak jauh melalui SSH. +> Informasi lebih lanjut: . + +- Jalankan kumpulan tugas yang didefinisikan dalam buku aturan main (playbook): + +`ansible-playbook {{playbook}}` + +- Jalankan kumpulan tugas playbook dengan [i]nventaris mesin secara kustom: + +`ansible-playbook {{playbook}} -i {{berkas_inventaris}}` + +- Jalankan kumpulan tugas playbook dengan variabel [e]kstra sebagaimana didefinisikan dalam barisan perintah (command-line): + +`ansible-playbook {{playbook}} -e "{{variabel1}}={{nilai1}} {{variabel2}}={{nilai2}}"` + +- Jalankan kumpulan tugas playbook dengan variabel [e]kstra sebagaimana didefinisikan di dalam suatu berkas JSON: + +`ansible-playbook {{playbook}} -e "@{{daftar_variabel.json}}"` + +- Jalankan kumpulan tugas playbook dengan konfigurasi tag tertentu: + +`ansible-playbook {{playbook}} --tags {{tag1,tag2}}` + +- Jalankan kumpulan tugas playbook, dimulai dari nama tugas spesifik: + +`ansible-playbook {{playbook}} --start-at {{nama_tugas}}` + +- Jalankan kumpulan tugas playbook tanpa melakukan perubahan sebenarnya (dry-run): + +`ansible-playbook {{playbook}} --check --diff` diff --git a/pages.id/common/ansible-pull.md b/pages.id/common/ansible-pull.md new file mode 100644 index 000000000..bad86ea55 --- /dev/null +++ b/pages.id/common/ansible-pull.md @@ -0,0 +1,20 @@ +# ansible-pull + +> Tarik buku-buku aturan main (playbook) dari suatu repositori sistem manajemen versi (VCS), dan jalankan tugas-tugasnya bagi host lokal. +> Informasi lebih lanjut: . + +- Tarik suatu playbook dari repositori VCS, kemudian jalankan aturan default dari playbook local.yml: + +`ansible-pull -U {{url_repositori}}` + +- Tarik suatu playbook dari repositori VCS, kemudian jalankan aturan playbook dengan nama tertentu: + +`ansible-pull -U {{url_repositori}} {{playbook}}` + +- Tarik suatu playbook dari [C]abang tertentu pada repositori VCS, kemudian jalankan aturan playbook dengan nama tertentu: + +`ansible-pull -U {{url_repositori}} -C {{cabang}} {{playbook}}` + +- Tarik suatu playbook dari repositori VCS, kemudian definisikan daftar perangkat/host dari suatu berkas (hosts), kemudian jalankan aturan playbook dengan nama tertentu: + +`ansible-pull -U {{url_repositori}} -i {{berkas_hosts}} {{playbook}}` diff --git a/pages.id/common/ansible-vault.md b/pages.id/common/ansible-vault.md new file mode 100644 index 000000000..b647a1856 --- /dev/null +++ b/pages.id/common/ansible-vault.md @@ -0,0 +1,28 @@ +# ansible-vault + +> Enkripsi dan dekripsi nilai, struktur data, dan file dalam proyek Ansible. +> Informasi lebih lanjut: . + +- Buat suatu berkas brankas terenkripsi baru dengan permintaan kata sandi: + +`ansible-vault create {{nama_berkas_brankas}}` + +- Buat file brankas terenkripsi baru menggunakan berkas kunci (kata sandi) brankas untuk mengenkripsinya: + +`ansible-vault create --vault-password-file {{nama_berkas_kata_sandi}} {{nama_berkas_brankas}}` + +- Enkripsi file yang ada menggunakan berkas kata sandi opsional: + +`ansible-vault encrypt --vault-password-file {{nama_berkas_kata_sandi}} {{nama_berkas_brankas}}` + +- Enkripsi suatu teks string menggunakan format string terenkripsi standar Ansible, dan menampilkan petunjuk secara interaktif: + +`ansible-vault encrypt_string` + +- Lihat isi suatu brankas yang terenkripsi, menggunakan berkas kata sandi untuk mendekripsikannya: + +`ansible-vault view --vault-password-file {{nama_berkas_kata_sandi}} {{nama_berkas_brankas}}` + +- Ganti kunci (kata sandi) pada brankas terenkripsi dengan mendefinisikan berkas kata sandi baru: + +`ansible-vault rekey --vault-password-file {{nama_berkas_kata_sandi_lama}} --new-vault-password-file {{nama_berkas_kata_sandi_baru}} {{nama_berkas_brankas}}` diff --git a/pages.id/common/ansible.md b/pages.id/common/ansible.md new file mode 100644 index 000000000..5985ab17f --- /dev/null +++ b/pages.id/common/ansible.md @@ -0,0 +1,33 @@ +# ansible + +> Atur grup perangkat komputer yang secara jarak jauh melalui SSH. (Gunakan berkas `/etc/ansible/hosts` untuk menambahkan grup atau host baru). +> Beberapa subperintah seperti `ansible galaxy` memiliki dokumentasi terpisah. +> Informasi lebih lanjut: . + +- Tampilkan daftar host yang tergabung dalam suatu grup: + +`ansible {{grup}} --list-hosts` + +- Uji koneksi (ping) kepada grup perangkat tertentu dengan menggunakan [m]odul ping: + +`ansible {{grup}} -m ping` + +- Tampilkan informasi faktual tentang suatu grup perangkat dengan menggunakan [m]odul setup: + +`ansible {{grup}} -m setup` + +- Jalankan perintah pada suatu kelompok perangkat melalui [m]odul command dengan kumpulan [a]rgumen: + +`ansible {{grup}} -m command -a '{{perintah_saya}}'` + +- Jalankan perintah dengan hak akses administratif: + +`ansible {{grup}} --become --ask-become-pass -m command -a '{{perintah_saya}}'` + +- Jalankan perintah menggunakan berkas [i]nventaris tertentu: + +`ansible {{grup}} -i {{file_inventaris}} -m command -a '{{perintah_saya}}'` + +- Tampilkan daftar grup dalam sebuah inventaris: + +`ansible localhost -m debug -a '{{var=groups.keys()}}'` diff --git a/pages.id/common/ansiweather.md b/pages.id/common/ansiweather.md new file mode 100644 index 000000000..43060fcc3 --- /dev/null +++ b/pages.id/common/ansiweather.md @@ -0,0 +1,16 @@ +# ansiweather + +> Tampilkan kondisi cuaca saat ini ke dalam terminal. +> Informasi lebih lanjut: . + +- Tampilkan ramalan cuaca ([f]orecast) selama tujuh hari ke depan bagi suatu [l]okasi, dengan satuan [u]nit ukur metrik: + +`ansiweather -u metric -f 7 -l {{Rzeszow,PL}}` + +- Tampilkan ramalan cuaca ([F]orecast) selama lima hari ke depan bagi lokasi saat ini, dengan tampilan [s]imbol serta informasi waktu matahari terbit dan terbenam ([d]aylight): + +`ansiweather -F -s true -d true` + +- Tampilkan informasi kecepatan angin ([w]ind) dan kelembapan udara ([h]umidity) bagi waktu dan lokasi saat ini: + +`ansiweather -w true -h true` diff --git a/pages.id/common/ant.md b/pages.id/common/ant.md new file mode 100644 index 000000000..447538551 --- /dev/null +++ b/pages.id/common/ant.md @@ -0,0 +1,24 @@ +# ant + +> Apache Ant: bangun dan atur proyek pengembangan piranti lunak berbasis Java. +> Informasi lebih lanjut: . + +- Bangun suatu proyek Java dengan pengaturan yang didefinisikan dalam `build.xml` (lokasi default): + +`ant` + +- Bangun proyek menggunakan berkas/[f]ile pengaturan selain `build.xml`: + +`ant -f {{buildfile.xml}}` + +- Tampilkan informasi mengenai daftar target pembangunan piranti lunak yang memungkinkan bagi proyek ini: + +`ant -p` + +- Tampilkan informasi pendukung awakutu ([d]ebugging): + +`ant -d` + +- Jalankan pembangunan bagi seluruh target pembangunan yang tidak bergantung kepada target-target yang gagal dibangun: + +`ant -k` diff --git a/pages.id/common/antibody.md b/pages.id/common/antibody.md new file mode 100644 index 000000000..1e593db0e --- /dev/null +++ b/pages.id/common/antibody.md @@ -0,0 +1,16 @@ +# antibody + +> Program manajemen plugin syel "si paling cepat". +> Informasi lebih lanjut: . + +- Gabungkan semua plugin untuk dimuat dalam syel secara statis: + +`antibody bundle < {{~/.zsh_plugins.txt}} > {{~/.zsh_plugins.sh}}` + +- Mutakhirkan seluruh bundel: + +`antibody update` + +- Tampilkan seluruh plugin yang terpasang: + +`antibody list` diff --git a/pages.id/common/anytopnm.md b/pages.id/common/anytopnm.md new file mode 100644 index 000000000..f52de229d --- /dev/null +++ b/pages.id/common/anytopnm.md @@ -0,0 +1,12 @@ +# anytopnm + +> Ubah format gambar apapun menuju format gambar umum. +> Informasi lebih lanjut: . + +- Ubah suatu gambar dari format apapun menuju format PBM, PGM, atau PPM: + +`anytopnm {{jalan/menuju/input}} > {{jalan/menuju/output.pnm}}` + +- Tampilkan informasi versi: + +`anytopnm -version` diff --git a/pages.id/common/apg.md b/pages.id/common/apg.md new file mode 100644 index 000000000..66942186e --- /dev/null +++ b/pages.id/common/apg.md @@ -0,0 +1,24 @@ +# apg + +> Buat kata sandi secara acak dan kompleks. +> Informasi lebih lanjut: . + +- Buat sebuah kata sandi secara acak (panjang default bagi kata sandi adalah 8): + +`apg` + +- Buat sebuah kata sandi dengan minimum 1 simbol (S), 1 nomor (N), 1 huruf kapital (C), dan 1 huruf kecil (L): + +`apg -M SNCL` + +- Buat kata sandi dengan panjang 16 karakter: + +`apg -m {{16}}` + +- Buat kata sandi dengan panjang ma[x]imum 16 karakter: + +`apg -x {{16}}` + +- Buat sebuah kata sandi yang tidak mengandung kata yang terkandung di dalam suatu berkas kamus: + +`apg -r {{jalan/menuju/berkas_kamus}}` diff --git a/pages.id/common/apkleaks.md b/pages.id/common/apkleaks.md new file mode 100644 index 000000000..f4a500bb5 --- /dev/null +++ b/pages.id/common/apkleaks.md @@ -0,0 +1,17 @@ +# apkleaks + +> Pindai berkas APK (aplikasi Android) untuk mencari URI, alur pemanggilan (endpoint), dan konfigurasi rahasia. +> Catatan: APKLeaks menggunakan `jadx` untuk membongkar kode aplikasi Android. +> Informasi lebih lanjut: . + +- Pindai berkas ([f]ile) APK untuk mencari daftar endpoint dan kode konfigurasi rahasia: + +`apkleaks --file {{jalan/menuju/berkas.apk}}` + +- Pindai dan simpan luaran ([o]utput) ke dalam suatu berkas: + +`apkleaks --file {{jalan/menuju/berkas.apk}} --output {{jalan/menuju/berkas_output.txt}}` + +- Berikan [a]rgumen perintah tambahan untuk `jadx`: + +`apkleaks --file {{jalan/menuju/berkas.apk}} --args "{{--threads-count 5 --deobf}}"` diff --git a/pages.id/common/apktool.md b/pages.id/common/apktool.md index 7693ede85..2ad691c09 100644 --- a/pages.id/common/apktool.md +++ b/pages.id/common/apktool.md @@ -3,14 +3,14 @@ > Me-reverse engineer berkas APK. > Informasi lebih lanjut: . -- Dekode berkas APK: +- Bongkar isi ([d]ekode) berkas APK: `apktool d {{berkas.apk}}` -- Men-build folder menjadi berkas APK: +- [b]angun kode sumber dalam suatu direktori menjadi berkas APK: -`apktool b {{alamat/ke/direktori}}` +`apktool b {{jalan/menuju/direktori}}` -- Menginstal dan menyimpan frameworks: +- Pasang ([i]nstal) dan simpan komponen [f]rameworks dari suatu berkas APK: `apktool if {{framework.apk}}` diff --git a/pages.id/common/apm.md b/pages.id/common/apm.md new file mode 100644 index 000000000..d3481fa10 --- /dev/null +++ b/pages.id/common/apm.md @@ -0,0 +1,17 @@ +# apm + +> Manajer paket untuk aplikasi pengolah teks Atom. +> Lihat juga: `atom`. +> Informasi lebih lanjut: . + +- Pasang suatu paket dari atau tema dari : + +`apm install {{nama_paket}}` + +- Hapus pemasangan suatu paket atau tema: + +`apm remove {{nama_paket}}` + +- Mutakhirkan paket atau tema menuju versi terbaru: + +`apm upgrade {{nama_paket}}` diff --git a/pages.id/common/apropos.md b/pages.id/common/apropos.md new file mode 100644 index 000000000..1eb25e3f1 --- /dev/null +++ b/pages.id/common/apropos.md @@ -0,0 +1,16 @@ +# apropos + +> Lakukan pencarian nama dan deskripsi perintah dalam buku panduan program baris perintah (`manpages`). +> Informasi lebih lanjut: . + +- Cari daftar dokumentasi perintah yang mengandung kata dengan format kata kunci ekspresi reguler (regex): + +`apropos {{ekspresi_reguler}}` + +- Jangan pangkas tampilan teks hasil pencarian menurut panjang jendela terminal: + +`apropos -l {{ekspresi_reguler}}` + +- Cari daftar dokumentasi perintah yang mengandung seluruh ([a]ll) kriteria kata dalam bentuk ekspresi reguler (regex): + +`apropos {{ekspresi_reguler_1}} -a {{ekspresi_reguler_2}} -a {{ekspresi_reguler_3}}` diff --git a/pages.id/common/ar.md b/pages.id/common/ar.md new file mode 100644 index 000000000..dae8ea44b --- /dev/null +++ b/pages.id/common/ar.md @@ -0,0 +1,25 @@ +# ar + +> Buat, olah, dan ekstrak berkas dalam format arsip Unix. Biasanya dimanfaatkan untuk pustaka statis (`.a`) dan paket piranti lunak Debian (`.deb`). +> Lihat juga: `tar`. +> Informasi lebih lanjut: . + +- E[x]trak seluruh berkas dalam suatu arsip: + +`ar x {{jalan/menuju/berkas.a}}` + +- Lihat daf[t]ar isi dari suatu arsip: + +`ar t {{jalan/menuju/berkas.ar}}` + +- Gantikan ([r]eplace) atau tambahkan suatu berkas ke dalam arsip: + +`ar r {{jalan/menuju/berkas.deb}} {{jalan/menuju/debian-binary jalan/menuju/control.tar.gz jalan/menuju/data.tar.xz ...}}` + +- Ma[s]ukkan suatu berkas objek (setara dengan penggunaan `ranlib`): + +`ar s {{jalan/menuju/berkas.a}}` + +- Buat suatu arsip berisikan kumpulan berkas tertentu, dan suatu berkas daftar indeks para objek: + +`ar rs {{jalan/menuju/berkas.a}} {{jalan/menuju/berkas1.o jalan/menuju/berkas2.o ...}}` diff --git a/pages.id/common/arc.md b/pages.id/common/arc.md new file mode 100644 index 000000000..19f2b36f5 --- /dev/null +++ b/pages.id/common/arc.md @@ -0,0 +1,20 @@ +# arc + +> Arcanist: program CLI untuk Phabricator. +> Informasi lebih lanjut: . + +- Kirim semua perubahan untuk ditinjau melalui alat Differential: + +`arc diff` + +- Tampilkan daftar revisi yang masih menunggu persetujuan (pending): + +`arc list` + +- Mutakhirkan pesan-pesan Git seusai peninjauan: + +`arc amend` + +- Simpan (land/push) perubahan yang disetujui menuju repositori Git: + +`arc land` diff --git a/pages.id/common/arch.md b/pages.id/common/arch.md new file mode 100644 index 000000000..85ab222fb --- /dev/null +++ b/pages.id/common/arch.md @@ -0,0 +1,9 @@ +# arch + +> Tampilkan nama arsitektur sistem saat ini. +> Lihat juga: `uname`. +> Informasi lebih lanjut: . + +- Tampilkan informasi arsitektur sistem saat ini: + +`arch` diff --git a/pages.id/common/archwiki-rs.md b/pages.id/common/archwiki-rs.md new file mode 100644 index 000000000..4f8a2d027 --- /dev/null +++ b/pages.id/common/archwiki-rs.md @@ -0,0 +1,20 @@ +# archwiki-rs + +> Baca, cari, dan unduh artikel dari situs ArchWiki. +> Informasi lebih lanjut: . + +- Baca suatu artikel dari situs ArchWiki: + +`archwiki-rs read-page {{judul_artikel}}` + +- Baca suatu artikel dari ArchWiki dengan format tertentu: + +`archwiki-rs read-page {{judul_artikel}} --format {{plain-text|markdown|html}}` + +- Cari artikel dalam ArchWiki yang mengandung teks tertentu: + +`archwiki-rs search "{{teks_yang_dicari}}" --text-search` + +- Unduh seluruh artikel dari situs ArchWiki ke dalam suatu direktori: + +`archwiki-rs local-wiki {{/jalan/menuju/wiki_lokal}} --format {{plain-text|markdown|html}}` diff --git a/pages.id/common/arduino-builder.md b/pages.id/common/arduino-builder.md new file mode 100644 index 000000000..a95d813f0 --- /dev/null +++ b/pages.id/common/arduino-builder.md @@ -0,0 +1,25 @@ +# arduino-builder + +> Bangun program dari kode sumber piranti lunak (sketsa) Arduino. +> PERINGATAN DEPREKASI: Alat ini sedang dihapus demi penggunaan perintah `arduino` yang baru. +> Informasi lebih lanjut: . + +- Bangun program dari suatu berkas (sketsa) kode sumber piranti lunak: + +`arduino-builder -compile {{jalan/menuju/sketsa.ino}}` + +- Tentukan tingkat penampilan informasi awakutu (nilai bawaan: 5): + +`arduino-builder -debug-level {{1..10}}` + +- Tentukan direktori untuk menampung hasil pembangunan: + +`arduino-builder -build-path {{jalan/menuju/direktori_hasil_pembangunan}}` + +- Gunakan konfigurasi yang didefinisikan di dalam suatu berkas, daripada mendefinisikan parameter perintah seperti `-hardware` dan `-tools` berulang kali: + +`arduino-builder -build-options-file {{jalan/menuju/build.options.json}}` + +- Gunakan mode verbose, tampilkan proses pembangunan secara rinci: + +`arduino-builder -verbose {{true}}` diff --git a/pages.id/common/arduino.md b/pages.id/common/arduino.md new file mode 100644 index 000000000..98956b64d --- /dev/null +++ b/pages.id/common/arduino.md @@ -0,0 +1,36 @@ +# arduino + +> Arduino Studio - Sebuah alat pengembangan piranti lunak (IDE) bagi platform Arduino. +> Informasi lebih lanjut: . + +- Bangun piranti lunak dari suatu berkas (sketsa) kode sumber: + +`arduino --verify {{jalan/menuju/berkas.ino}}` + +- Bangun dan pasang piranti lunak menuju perangkat Arduino: + +`arduino --upload {{jalan/menuju/berkas.ino}}` + +- Bangun dan pasang piranti lunak menuju suatu perangkat Arduino Nano dengan prosesor Atmega328p yang terhubung dalam port `/dev/ttyACM0`: + +`arduino --board {{arduino:avr:nano:cpu=atmega328p}} --port {{/dev/ttyACM0}} --upload {{jalan/menuju/berkas.ino}}` + +- Atur `nilai` untuk suatu jenis preferensi/konfigurasi berdasarkan `nama` atau kata kunci: + +`arduino --pref {{nama}}={{nilai}}` + +- Bangun piranti lunak, kemudian simpan menuju suatu direktori hasil pembangunan, dan gunakan kembali hasil-hasil sebelumnya di dalam direktori tersebut: + +`arduino --pref build.path={{jalan/menuju/direktori_hasil_pembangunan}} --verify {{jalan/menuju/bekas.ino}}` + +- Simpan segala perubahan pada preferensi/konfigurasi menuju berkas `preferences.txt`: + +`arduino --save-prefs` + +- Pasang piranti pendukung pengembangan untuk perangkat Arduino berbasis SAM (seperti Arduino Due): + +`arduino --install-boards "{{arduino:sam}}"` + +- Pasang pustaka piranti lunak (library) untuk Bridge dan Servo: + +`arduino --install-library "{{Bridge:1.0.0,Servo:1.2.0}}"` diff --git a/pages.id/common/argocd-app.md b/pages.id/common/argocd-app.md new file mode 100644 index 000000000..65288f4af --- /dev/null +++ b/pages.id/common/argocd-app.md @@ -0,0 +1,36 @@ +# argocd app + +> Program baris perintah untuk mengatur aplikasi bersama Argo CD. +> Informasi lebih lanjut: . + +- Dapatkan daftar aplikasi yang diatur bersama Argo CD: + +`argocd app list --output {{json|yaml|wide}}` + +- Lihat informasi mengenai suatu aplikasi: + +`argocd app get {{nama_aplikasi}} --output {{json|yaml|wide}}` + +- Sebarkan (deploy) aplikasi secara internal (ke dalam klaster yang sama dengan yang dijalankan Argo CD): + +`argocd app create {{nama_aplikasi}} --repo {{alamat_url_repositori_dalam_git}} --path {{jalan/menuju/repo}} --dest-server https://kubernetes.default.svc --dest-namespace {{ns}}` + +- Hapus suatu aplikasi: + +`argocd app delete {{nama_aplikasi}}` + +- Aktifkan fitur sinkronisasi otomatis dalam suatu aplikasi: + +`argocd app set {{nama_aplikasi}} --sync-policy auto --auto-prune --self-heal` + +- Pratinjau hasil proses sinkronisasi aplikasi tanpa berdampak kepada klaster yang berjalan (dry-run): + +`argocd app sync {{nama_aplikasi}} --dry-run --prune` + +- Tampilkan riwayat penyebaran (deployment) aplikasi: + +`argocd app history {{nama_aplikasi}} --output {{wide|id}}` + +- Batalkan penyebaran dengan memuat (rollback) versi hasil sebaran sebelumnya (dan menghapus sumber daya baru yang tak diduga), berdasarkan nomor induk (ID) riwayat: + +`argocd app rollback {{nama_aplikasi}} {{id_riwayat}} --prune` diff --git a/pages.id/common/argocd.md b/pages.id/common/argocd.md new file mode 100644 index 000000000..294e9b7de --- /dev/null +++ b/pages.id/common/argocd.md @@ -0,0 +1,13 @@ +# argocd + +> Program baris perintah untuk mengatur suatu peladen (server) Argo CD. +> Beberapa subperintah seperti `argocd app` memiliki dokumentasi terpisah. +> Informasi lebih lanjut: . + +- Masuk (login) ke dalam suatu peladen Argo CD: + +`argocd login --insecure --username {{nama_pengguna}} --password {{kata_sandi}} {{peladen_argocd:port}}` + +- Dapatkan daftar aplikasi: + +`argocd app list` diff --git a/pages.id/common/argon2.md b/pages.id/common/argon2.md new file mode 100644 index 000000000..6fd610956 --- /dev/null +++ b/pages.id/common/argon2.md @@ -0,0 +1,20 @@ +# argon2 + +> Hitung kode hash menggunakan algoritma kriptografi Argon2. +> Informasi lebih lanjut: . + +- Hitung kode hash dari suatu kata kunci (password) dengan suatu kata garam (salt) menggunakan parameter kriptografi bawaan: + +`echo "{{kata_sandi}}" | argon2 "{{kata_garam}}"` + +- Hitung kode hash dengan algoritma tertentu: + +`echo "{{kata_sandi}}" | argon2 "{{kata_garam}}" -{{d|i|id}}` + +- Jangan tampilkan informasi tambahan selain hasil kode hash: + +`echo "{{kata_sandi}}" | argon2 "{{kata_garam}}" -e` + +- Hitung kode hash dengan konfigurasi wak[t]u, pemanfaatan [m]emori (RAM), dan [p]aralelisme pada pemrosesan kriptografi secara tertentu: + +`echo "{{kata_sandi}}" | argon2 "{{kata_garam}}" -t {{5}} -m {{20}} -p {{7}}` diff --git a/pages.id/common/aria2.md b/pages.id/common/aria2.md new file mode 100644 index 000000000..d5c9d902f --- /dev/null +++ b/pages.id/common/aria2.md @@ -0,0 +1,7 @@ +# aria2 + +> Perintah ini merupakan alias dari `aria2c`. + +- Tampilkan dokumentasi untuk perintah asli: + +`tldr aria2c` diff --git a/pages.id/common/aria2c.md b/pages.id/common/aria2c.md index eb8cf7cd7..4a2b2fa12 100644 --- a/pages.id/common/aria2c.md +++ b/pages.id/common/aria2c.md @@ -10,7 +10,7 @@ - Unduh file yang ditunjuk oleh URI yang ditentukan dengan nama keluaran yang ditentukan: -`aria2c --out={{nama_file}} "{{url}}"` +`aria2c --out {{nama_file}} "{{url}}"` - Unduh beberapa file (berbeda) secara paralel: @@ -26,7 +26,7 @@ - Unduh dengan banyak koneksi: -`aria2c --split={{jumlah_koneksi}} "{{url}}"` +`aria2c --split {{jumlah_koneksi}} "{{url}}"` - Unduhan FTP dengan nama pengguna dan kata sandi: diff --git a/pages.id/common/arp-scan.md b/pages.id/common/arp-scan.md new file mode 100644 index 000000000..3627d0e56 --- /dev/null +++ b/pages.id/common/arp-scan.md @@ -0,0 +1,20 @@ +# arp-scan + +> Kirim paket ARP menuju kumpulan alamat IP atau host untuk memindai suatu jaringan komputer lokal. +> Informasi lebih lanjut: . + +- Pindai jaringan lokal yang terhubung saat ini: + +`arp-scan --localnet` + +- Pindai suatu alamat IP dengan pengaturan bitmask khusus: + +`arp-scan {{192.168.1.1}}/{{24}}` + +- Pindai suatu jaringan IP menggunakan rentang alamat tertentu: + +`arp-scan {{172.0.0.0}}-{{127.0.0.31}}` + +- Pindai suatu jaringan IP menggunakan net mask khusus: + +`arp-scan {{10.0.0.0}}:{{255.255.255.0}}` diff --git a/pages.id/common/arp.md b/pages.id/common/arp.md new file mode 100644 index 000000000..0220ed7a3 --- /dev/null +++ b/pages.id/common/arp.md @@ -0,0 +1,16 @@ +# arp + +> Tampilkan dan manipulasi cache informasi ARP pada sistem operasi Anda. +> Informasi lebih lanjut: . + +- Tampilkan informasi tabel ARP yang dikenali sistem operasi Anda saat ini: + +`arp -a` + +- Hapus suatu entri dari tabel ARP sistem: + +`arp -d {{alamat}}` + +- Ma[s]ukkan suatu entri baru ke dalam tabel ARP sistem: + +`arp -s {{alamat_ip}} {{alamat_mac}}` diff --git a/pages.id/common/arping.md b/pages.id/common/arping.md new file mode 100644 index 000000000..48246f35d --- /dev/null +++ b/pages.id/common/arping.md @@ -0,0 +1,29 @@ +# arping + +> Cari dan selidiki para host jaringan melalui protokol ARP. +> Bermanfaat untuk mencari alamat MAC dalam jaringan. +> Informasi lebih lanjut: . + +- Ping suatu host dengan megirimkan paket permintaan ARP: + +`arping {{alamat_ip_host}}` + +- Ping suatu host melalui antarmuka jaringan tertentu (contoh: `eth0`): + +`arping -I {{antarmuka_jaringan}} {{alamat_ip_host}}` + +- Ping suatu host dan hentikan jika sang host mulai membalasnya: + +`arping -f {{alamat_ip_host}}` + +- Ping suatu host untuk jumlah kesempatan tertentu: + +`arping -c {{jumlah_kesempatan}} {{alamat_ip_host}}` + +- Sebarluaskan paket permintaan ARP kepada host apapun untuk membantu memutakhirkan informasi ARP dalam host tetangga: + +`arping -U {{alamat_ip_untuk_disebarluaskan}}` + +- [D]eteksi adanya alamat IP duplikat dalam jaringan ini dengan mengirimkan permintaan ARP dengan jangka waktu habis (timeout) sebanyak 3 detik: + +`arping -D -w {{3}} {{alamat_ip_untuk_diperiksa}}` diff --git a/pages.id/common/asar.md b/pages.id/common/asar.md index 8aa1c2732..d6614596f 100644 --- a/pages.id/common/asar.md +++ b/pages.id/common/asar.md @@ -5,16 +5,16 @@ - Arsipkan sebuah berkas atau direktori: -`asar pack {{alamat/ke/berkas_atau_direktori}} {{arsip.asar}}` +`asar pack {{jalan/menuju/berkas_atau_direktori}} {{arsip.asar}}` -- Mengekstrak sebuah arsip: +- Bongkar isi suatu arsip: `asar extract {{arsip.asar}}` -- Mengekstrak berkas tertentu dari sebuah arsip: +- Bongkar isi berkas tertentu dari suatu arsip: `asar extract-file {{arsip.asar}} {{berkas}}` -- Mendapatkan daftar konten dari berkas arsip: +- Tampilkan daftar isi dari suatu berkas arsip: `asar list {{arsip.asar}}` diff --git a/pages.id/common/bat.md b/pages.id/common/bat.md index a98643003..c81a9edfc 100644 --- a/pages.id/common/bat.md +++ b/pages.id/common/bat.md @@ -4,26 +4,34 @@ > Klon dari `cat` dengan sintaks berwarna dan integrasi Git. > Informasi lebih lanjut: . -- Mencetak konten berkas ke keluaran standar: +- Cetak rapi konten berkas ke `stdout`: -`bat {{berkas}}` +`bat {{jalan/menuju/berkas1 jalan/menuju/berkas2 ...}}` -- Menggabungkan konten beberapa berkas ke berkas tujuan: +- Gabungkan konten beberapa berkas ke berkas tujuan: -`bat {{berkas1}} {{berkas2}} > {{berkas_tujuan}}` +`bat {{jalan/menuju/berkas1 jalan/menuju/berkas2 ...}} > {{jalan/menuju/berkas_tujuan}}` -- Menambahkan konten beberapa berkas ke berkas tujuan: +- Hapus dekorasi dan matikan fitur tampilan halaman (paging) (opsi `--style plain` dapat digantikan dengan `-p`, atau nyalakan kedua opsi dengan `-pp`): -`bat {{berkas1}} {{berkas2}} >> {{berkas_tujuan}}` +`bat --style plain --pager never {{jalan/menuju/berkas}}` + +- Sorot baris tertentu dengan warna latar belakang yang berbeda: + +`bat {{-H|--highlight-line}} {{10|5:10|:10|10:|10:+5}} {{jalan/menuju/berkas}}` + +- Tunjukkan segala karakter yang tak tercetak seperti spasi, tab, atau indikator baris baru: + +`bat {{-A|--show-all}} {{jalan/menuju/berkas}}` - Memberi nomor pada setiap baris keluaran: -`bat --number {{berkas}}` +`bat {{-n|--number}} {{berkas}}` - Mencetak konten JSON dengan sintaks berwarna: -`bat --language json {{jalan/menuju/berkas.json}}` +`bat {{-l|--language}} json {{jalan/menuju/berkas.json}}` - Menampilkan semua bahasa yang didukung: -`bat --list-languages` +`bat {{-L|--list-languages}}` diff --git a/pages.id/common/brew-autoremove.md b/pages.id/common/brew-autoremove.md new file mode 100644 index 000000000..31bacf269 --- /dev/null +++ b/pages.id/common/brew-autoremove.md @@ -0,0 +1,12 @@ +# brew autoremove + +> Hapus formula-formula yang tak digunakan dan sebelumnya dibutuhkan untuk memasang formula lain. +> Informasi lebih lanjut: . + +- Hapus semua formula yang tak digunakan kembali: + +`brew autoremove` + +- Tampilkan daftar formula yang dapat dihapus tanpa melakukannya (dry-run): + +`brew autoremove --dry-run` diff --git a/pages.id/common/brew-bundle.md b/pages.id/common/brew-bundle.md new file mode 100644 index 000000000..a194e4429 --- /dev/null +++ b/pages.id/common/brew-bundle.md @@ -0,0 +1,28 @@ +# brew bundle + +> Pembungkus untuk Homebrew, Homebrew Cask, dan App Store untuk macOS. +> Informasi lebih lanjut: . + +- Pasang seluruh paket menurut data Brewfile pada direktori saat ini: + +`brew bundle` + +- Pasang seluruh paket menurut data Brewfile pada lokasi tertentu: + +`brew bundle --file {{jalan/menuju/berkas}}` + +- Buat suatu berkas Brewfile berisikan daftar seluruh paket yang terpasang saat ini: + +`brew bundle dump` + +- Hapus seluruh formula yang tidak didefinisikan atau dibutuhkan pada formula dalam berkas Brewfile: + +`brew bundle cleanup --force` + +- Cari tahu apakah terdapat formula yang perlu dipasang atau dimutakhirkan dalam berkas Brewfile: + +`brew bundle check` + +- Tampilkan seluruh entri dalam berkas Brewfile: + +`brew bundle list --all` diff --git a/pages.id/common/brew-install.md b/pages.id/common/brew-install.md new file mode 100644 index 000000000..531c35fc7 --- /dev/null +++ b/pages.id/common/brew-install.md @@ -0,0 +1,16 @@ +# brew install + +> Pasang suatu formula atau cask pada Homebrew. +> Informasi lebih lanjut: . + +- Pasang suatu formula/cask: + +`brew install {{formula|cask}}` + +- Bangun dan pasang suatu formula dari kode sumber (seluruh formula yang dibutuhkan tetap akan diunduh sebagai berkas jadian / bottle): + +`brew install --build-from-source {{formula}}` + +- Unduh manifest dan tampilkan daftar formula/cask yang akan dipasang tanpa melakukannya (dry-run): + +`brew install --dry-run {{formula|cask}}` diff --git a/pages.id/common/brew.md b/pages.id/common/brew.md new file mode 100644 index 000000000..088c4cbaa --- /dev/null +++ b/pages.id/common/brew.md @@ -0,0 +1,37 @@ +# brew + +> Homebrew - suatu manajer paket bagi macOS dan Linux. +> Beberapa subperintah seperti `install` mempunyai dokumentasi terpisah. +> Informasi lebih lanjut: . + +- Pasang versi terkini oleh suatu formula atau cask (gunakan `--devel` untuk memasang versi pengembangan): + +`brew install {{formula}}` + +- Tampilkan daftar formula dan cask yang terpasang: + +`brew list` + +- Mutakhirkan suatu formula atau cask (jika nama tidak disediakan, semua formula dan cask terpasang akan dimutakhirkan): + +`brew upgrade {{formula}}` + +- Dapatkan program Homebrew versi terkini dan semua formula dan cask yang tersedia dari repositori paket Homebrew: + +`brew update` + +- Tampilkan daftar formula dan cask yang memiliki versi lebih baru dari yang terpasang: + +`brew outdated` + +- Cari formula (paket biasa) serta cask (berkas aplikasi `.app` bagi macOS): + +`brew search {{teks}}` + +- Tampilkan informasi mengenai suatu formula atau cask (versi, lokasi pemasangan, formula/cask tambahan yang dibutuhkan, dll.): + +`brew info {{formula}}` + +- Cek kondisi pemasangan Homebrew saat ini untuk mendeteksi kemungkinan galat atau masalah: + +`brew doctor` diff --git a/pages.id/common/calligraflow.md b/pages.id/common/calligraflow.md new file mode 100644 index 000000000..5d085c136 --- /dev/null +++ b/pages.id/common/calligraflow.md @@ -0,0 +1,17 @@ +# calligraflow + +> Aplikasi pengolah flowchart dan diagram, bagian dari Calligra. +> Lihat juga: `calligrastage`, `calligrawords`, `calligrasheets`. +> Informasi lebih lanjut: . + +- Buka aplikasi pengolah flowchart dan diagram: + +`calligraflow` + +- Buka suatu berkas: + +`calligraflow {{jalan/menuju/berkas}}` + +- Tampilkan informasi bantuan atau versi aplikasi: + +`calligraflow --{{help|version}}` diff --git a/pages.id/common/calligrasheets.md b/pages.id/common/calligrasheets.md new file mode 100644 index 000000000..ca11029e1 --- /dev/null +++ b/pages.id/common/calligrasheets.md @@ -0,0 +1,17 @@ +# calligrasheets + +> Aplikasi pengolah lembar kerja (spreadsheet), bagian dari Calligra. +> Lihat juga: `calligraflow`, `calligrastage`, `calligrawords`. +> Informasi lebih lanjut: . + +- Buka aplikasi pengolah lembar kerja (spreadsheet): + +`calligrasheets` + +- Buka suatu berkas: + +`calligrasheets {{jalan/menuju/berkas}}` + +- Tampilkan informasi bantuan atau versi aplikasi: + +`calligrasheets --{{help|version}}` diff --git a/pages.id/common/calligrastage.md b/pages.id/common/calligrastage.md new file mode 100644 index 000000000..680a78497 --- /dev/null +++ b/pages.id/common/calligrastage.md @@ -0,0 +1,17 @@ +# calligrastage + +> Aplikasi presentasi, bagian dari Calligra. +> Lihat juga: `calligraflow`, `calligrawords`, `calligrasheets`. +> Informasi lebih lanjut: . + +- Buka aplikasi presentasi: + +`calligrastage` + +- Buka suatu berkas: + +`calligrastage {{jalan/menuju/berkas}}` + +- Tampilkan informasi bantuan atau versi aplikasi: + +`calligrastage --{{help|version}}` diff --git a/pages.id/common/calligrawords.md b/pages.id/common/calligrawords.md new file mode 100644 index 000000000..f47127726 --- /dev/null +++ b/pages.id/common/calligrawords.md @@ -0,0 +1,17 @@ +# calligrawords + +> Aplikasi pengolah dokumen teks, bagian dari Calligra. +> Lihat juga: `calligraflow`, `calligrastage`, `calligrasheets`. +> Informasi lebih lanjut: . + +- Buka aplikasi pengolah dokumen teks: + +`calligrawords` + +- Buka suatu berkas: + +`calligrawords {{jalan/menuju/berkas}}` + +- Tampilkan informasi bantuan atau versi aplikasi: + +`calligrawords --{{help|version}}` diff --git a/pages.id/common/cat.md b/pages.id/common/cat.md index 9269109a9..343507cde 100644 --- a/pages.id/common/cat.md +++ b/pages.id/common/cat.md @@ -1,7 +1,7 @@ # cat > Cetak dan menggabungkan berkas. -> Informasi lebih lanjut: . +> Informasi lebih lanjut: . - Cetak konten berkas menuju `stdout`: diff --git a/pages.id/common/chatgpt.md b/pages.id/common/chatgpt.md new file mode 100644 index 000000000..e2797fb48 --- /dev/null +++ b/pages.id/common/chatgpt.md @@ -0,0 +1,28 @@ +# chatgpt + +> Skrip syel untuk memakai OpenAI ChatGPT dan DALL-E dalam terminal. +> Informasi lebih lanjut: . + +- Jalankan dalam mode percakapan interaktif: + +`chatgpt` + +- Berikan [p]rompt (pertanyaan) untuk dijawab oleh sang model: + +`chatgpt --prompt "{{Bagaimana cara membuat kriteria ekspresi reguler untuk mencocokkan format alamat surel/email?}}"` + +- Jalankan dalam mode interaktif menggunakan suatu [m]odel (model default adalah `gpt-3.5-turbo`): + +`chatgpt --model {{gpt-4}}` + +- Jalankan dalam mode interaktif dengan [i]nitial prompt, perintah/permintaan awal yang dapat mendefinisikan jenis jawaban yang diharapkan dari sang model: + +`chatgpt --init-prompt "{{Anda adalah Rick, dari serial Rick and Morty. Tanggapi pertanyaan dengan gayanya dan menyertakan lelucon yang menghina.}}"` + +- Alihkan luaran dari program baris perintah lainnya sebagai pertanyaan masukan (prompt) kepada `chatgpt`: + +`echo "{{Bagaimana cara melihat proses yang berjalan di Ubuntu?}}" | chatgpt` + +- Generate an image using DALL-E: + +`chatgpt --prompt "{{image: Seekor kucing putih}}"` diff --git a/pages.id/common/cp.md b/pages.id/common/cp.md index 74c827fbe..735869db2 100644 --- a/pages.id/common/cp.md +++ b/pages.id/common/cp.md @@ -1,28 +1,36 @@ # cp -> Membuat salinan file dan direktori. +> Salin berkas dan direktori. > Informasi lebih lanjut: . -- Membuat salinan file ke lokasi lain: +- Salin berkas ke lokasi lain: -`cp {{jalan/menuju/file_sumber.ext}} {{jalan/menuju/file_tujuan.ext}}` +`cp {{jalan/menuju/berkas_sumber.ext}} {{jalan/menuju/berkas_tujuan.ext}}` -- Menyalin file ke direktori lain, dengan nama yang sama: +- Salin berkas ke direktori lain, dengan nama yang sama: -`cp {{jalan/menuju/file_sumber.ext}} {{jalan/menuju/direktori_tujuan}}` +`cp {{jalan/menuju/berkas_sumber.ext}} {{jalan/menuju/direktori_tujuan}}` -- Menyalin sebuah direktori secara beserta isinya ke lokasi lain (jika tujuan sudah ada, direktori tersebut disalin ke dalamnya): +- Salin sebuah direktori secara rekursif beserta isinya ke lokasi lain (jika tujuan sudah ada, direktori tersebut disalin ke dalamnya): `cp -R {{jalan/menuju/direktori_sumber}} {{jalan/menuju/direktori_tujuan}}` -- Menyalin sebuah direktori secara beserta isinya, dalam mode `verbose` (menampilkan file-file ketika disalin): +- Salin sebuah direktori secara rekursif beserta isinya, dengan menampilkan berkas-berkas ketika disalin (mode verbose): `cp -vR {{jalan/menuju/direktori_sumber}} {{jalan/menuju/direktori_tujuan}}` -- Menyalin file-file teks ke lokasi lain, dalam mode interaktif (menampilkan pertanyaan sebelum menimpa): +- Salin lebih dari satu berkas menuju suatu direktori: + +`cp -t {{path/to/direktori_tujuan}} {{jalan/menuju/berkas1 jalan/menuju/berkas2 ...}}` + +- Salin berkas-berkas teks ke lokasi lain, dalam mode interaktif (menampilkan pertanyaan sebelum menimpa): `cp -i {{*.txt}} {{jalan/menuju/direktori_tujuan}}` -- Melepaskan tautan simbolis sebelum menyalin: +- Salin tautan simbolis sebelum menyalin: `cp -L {{tautan}} {{jalan/menuju/direktori_tujuan}}` + +- Gunakan argumen pertama sebagai direktori tujuan (berguna untuk perintah seperti `xargs ... | cp -t `): + +`cp -t {{path/to/direktori_tujuan}} {{jalan/menuju/berkas_atau_direktori1 jalan/menuju/berkas_atau_direktori2 ...}}` diff --git a/pages.id/common/deno.md b/pages.id/common/deno.md index 732ff289e..a3941d111 100644 --- a/pages.id/common/deno.md +++ b/pages.id/common/deno.md @@ -3,22 +3,22 @@ > Runtime aman untuk JavaScript dan TypeScript. > Informasi lebih lanjut: . -- Menjalankan berkas JavaScript atau TypeScript: +- Jalankan program dari suatu berkas JavaScript atau TypeScript: -`deno run {{alamat/ke/berkas.ts}}` +`deno run {{jalan/menuju/berkas.ts}}` -- Menjalankan REPL (shell interaktif): +- Jalankan REPL (shell interaktif): `deno` -- Menjalankan berkas dengan memperbolehkan akses jaringan: +- Jalankan berkas dengan memperbolehkan akses jaringan: -`deno run --allow-net {{alamat/ke/berkas.ts}}` +`deno run --allow-net {{jalan/menuju/berkas.ts}}` -- Menjalankan berkas dari URL: +- Jalankan berkas dari URL: `deno run {{https://deno.land/std/examples/welcome.ts}}` -- Memasang skrip yang dapat dieksekusi dari URL: +- Pasang skrip yang dapat dieksekusi dari URL: `deno install {{https://deno.land/std/examples/colors.ts}}` diff --git a/pages.id/common/docker-build.md b/pages.id/common/docker-build.md index a764229c8..55ec60ba5 100644 --- a/pages.id/common/docker-build.md +++ b/pages.id/common/docker-build.md @@ -1,21 +1,21 @@ # docker build > Bangun sebuah image dari Dockerfile. -> Informasi lebih lanjut: . +> Informasi lebih lanjut: . -- Bangun sebuah image docker meggunakan Dockerfile dalam direktori saat ini: +- Bangun sebuah image Docker meggunakan Dockerfile dalam direktori saat ini: `docker build .` -- Bangun sebuah docker image dari Dockerfile dengan menggunakan URL yang spesifik: +- Bangun sebuah Docker image dari Dockerfile dengan menggunakan URL yang spesifik: `docker build {{github.com/creack/docker-firefox}}` -- Bangun sebuah docker image dengan tag tertentu: +- Bangun sebuah Docker image dengan tag tertentu: `docker build --tag {{nama:tag}} .` -- Bangun sebuah docker image tanpa konteks pembangunan: +- Bangun sebuah Docker image tanpa konteks pembangunan: `docker build --tag {{nama:tag}} - < {{Dockerfile}}` @@ -23,10 +23,10 @@ `docker build --no-cache --tag {{nama:tag}} .` -- Bangun sebuah docker image dengan Dockerfile tertentu: +- Bangun sebuah Docker image dengan Dockerfile tertentu: `docker build --file {{Dockerfile}} .` -- Bangun sebuah docker image dengan variabel lingkungan tertentu: +- Bangun sebuah Docker image dengan variabel lingkungan tertentu: `docker build --build-arg {{HTTP_PROXY=http://10.20.30.2:1234}} --build-arg {{FTP_PROXY=http://40.50.60.5:4567}} .` diff --git a/pages.id/common/docker-compose.md b/pages.id/common/docker-compose.md index f57be8028..13d100f3f 100644 --- a/pages.id/common/docker-compose.md +++ b/pages.id/common/docker-compose.md @@ -1,7 +1,7 @@ # docker compose > Jalankan dan kelola aplikasi Docker dengan beberapa kontainer. -> Informasi lebih lanjut: . +> Informasi lebih lanjut: . - Tampilkan semua kontainer yang sedang berjalan: diff --git a/pages.id/common/docker-ps.md b/pages.id/common/docker-ps.md index 2817738eb..efdd48ae4 100644 --- a/pages.id/common/docker-ps.md +++ b/pages.id/common/docker-ps.md @@ -1,7 +1,7 @@ # docker ps > Tampilkan daftar kontainer Docker. -> Informasi lebih lanjut: . +> Informasi lebih lanjut: . - Tampilkan kontainer Docker yang sedang berjalan saat ini: @@ -29,8 +29,8 @@ - Pilah kontainer berdasarkan status (created, running, removing, paused, exited, dan dead): -`docker ps --filter="status={{status}}"` +`docker ps --filter "status={{status}}"` - Pilah kontainer yang mengaitkan suatu volume tertentu atau memiliki volume yang terpasang pada jalur tertentu: -`docker ps --filter="volume={{jalan/menuju/direktori}}" --format "table {{.ID}}\t{{.Image}}\t{{.Names}}\t{{.Mounts}}"` +`docker ps --filter "volume={{jalan/menuju/direktori}}" --format "table {{.ID}}\t{{.Image}}\t{{.Names}}\t{{.Mounts}}"` diff --git a/pages.id/common/docker.md b/pages.id/common/docker.md index 3c08453ed..053bd011d 100644 --- a/pages.id/common/docker.md +++ b/pages.id/common/docker.md @@ -4,7 +4,7 @@ > Kami mempunyai dokumentasi terpisah untuk menggunakan subperintah seperti `docker run`. > Informasi lebih lanjut: . -- Tampilkan semua daftar kontainer docker (yang sedang berjalan dan berhenti): +- Tampilkan semua daftar kontainer Docker (yang sedang berjalan dan berhenti): `docker ps --all` @@ -16,7 +16,7 @@ `docker {{start|stop}} {{nama_kontainer}}` -- Tarik citra dari registri docker: +- Tarik citra dari registri Docker: `docker pull {{citra}}` diff --git a/pages.id/common/fossil-ci.md b/pages.id/common/fossil-ci.md index fea9db41e..af008c133 100644 --- a/pages.id/common/fossil-ci.md +++ b/pages.id/common/fossil-ci.md @@ -1,6 +1,6 @@ -# fossil-ci +# fossil ci -> Perintah ini merupakan alias dari `fossil-commit`. +> Perintah ini merupakan alias dari `fossil commit`. > Informasi lebih lanjut: . - Tampilkan dokumentasi untuk perintah asli: diff --git a/pages.id/common/fossil-delete.md b/pages.id/common/fossil-delete.md index 2c30ee675..463fd6a92 100644 --- a/pages.id/common/fossil-delete.md +++ b/pages.id/common/fossil-delete.md @@ -1,4 +1,4 @@ -# fossil-delete +# fossil delete > Perintah ini merupakan alias dari `fossil rm`. > Informasi lebih lanjut: . diff --git a/pages.id/common/fossil-forget.md b/pages.id/common/fossil-forget.md index b01114ff7..89e794cb8 100644 --- a/pages.id/common/fossil-forget.md +++ b/pages.id/common/fossil-forget.md @@ -1,4 +1,4 @@ -# fossil-forget +# fossil forget > Perintah ini merupakan alias dari `fossil rm`. > Informasi lebih lanjut: . diff --git a/pages.id/common/fossil-new.md b/pages.id/common/fossil-new.md index 45fddb162..2f7d029cb 100644 --- a/pages.id/common/fossil-new.md +++ b/pages.id/common/fossil-new.md @@ -1,6 +1,6 @@ -# fossil-new +# fossil new -> Perintah ini merupakan alias dari `fossil-init`. +> Perintah ini merupakan alias dari `fossil init`. > Informasi lebih lanjut: . - Tampilkan dokumentasi untuk perintah asli: diff --git a/pages.id/common/gdb.md b/pages.id/common/gdb.md index a9fe128e6..6d9219ad0 100644 --- a/pages.id/common/gdb.md +++ b/pages.id/common/gdb.md @@ -1,24 +1,24 @@ # gdb -> GNU Debugger. +> GNU Debugger, alat pengawakutu program komputer. > Informasi lebih lanjut: . -- Menjalankan debug pada sebuah berkas yang dapat dieksekusi: +- Jalankan pengawakutu pada sebuah berkas program yang dapat dieksekusi: `gdb {{berkas_exe}}` -- Menambahkan sebuah proses pada gdb: +- Tambahkan suatu proses untuk diawasi oleh gdb: `gdb -p {{berkas_exe}}` -- Menjalankan debug dengan berkas core: +- Jalankan pengawakutu dengan berkas core: `gdb -c {{core}} {{berkas_exe}}` -- Mengeksekusi perintah GDB pada saat dijanlakan: +- Kirim perintah menuju pengawakutu pada saat dijalankan: `gdb -ex "{{perintah}}" {{berkas_exe}}` -- Menjalankan gdb dan melemparkan argumen pada berkas yang dieksekusi: +- Lemparkan argumen terhadap berkas program yang dieksekusi saat hendak diawasi oleh GDB: `gdb --args {{berkas_exe}} {{argumen1}} {{argumen2}}` diff --git a/pages.id/common/gh-cs.md b/pages.id/common/gh-cs.md index 5b333d9a1..cee01d00f 100644 --- a/pages.id/common/gh-cs.md +++ b/pages.id/common/gh-cs.md @@ -1,6 +1,6 @@ -# gh-cs +# gh cs -> Perintah ini merupakan alias dari `gh-codespace`. +> Perintah ini merupakan alias dari `gh codespace`. > Informasi lebih lanjut: . - Tampilkan dokumentasi untuk perintah asli: diff --git a/pages.id/common/git-add.md b/pages.id/common/git-add.md index 621cfca72..92bc8c11b 100644 --- a/pages.id/common/git-add.md +++ b/pages.id/common/git-add.md @@ -1,32 +1,36 @@ # git add -> Tambahkan file yang diubah ke indeks. +> Tambahkan berkas yang diubah ke dalam indeks. > Informasi lebih lanjut: . -- Tambahkan file ke indeks: +- Tambahkan berkas ke dalam indeks: -`git add {{alamat/ke/file}}` +`git add {{jalan/menuju/berkas}}` -- Tambahkan semua file (yang terlacak dan tidak terlacak): +- Tambahkan seluruh berkas (baik yang terlacak maupun tidak terlacak): -`git add -A` +`git add {{-A|--all}}` -- Hanya tambahkan file yang sudah terlacak: +- Tambahkan seluruh berkas pada folder saat ini: -`git add -u` +`git add .` -- Tambahkan juga file yang diabaikan: +- Hanya tambahkan berkas yang sudah terlacak: -`git add -f` +`git add {{-u|--update}}` -- Menambahkan file ke status stage secara interaktif: +- Tambahkan juga berkas yang diabaikan: -`git add -p` +`git add {{-f|--force}}` -- Menambahkan file tertentu ke status stage secara interaktif: +- Tambahkan berkas ke status stage secara interaktif: -`git add -p {{alamat/ke/file}}` +`git add {{-p|--patch}}` -- Stage file secara interaktif: +- Tambahkan berkas tertentu ke status stage secara interaktif: -`git add -i` +`git add {{-p|--patch}} {{jalan/menuju/berkas}}` + +- Stage berkas secara interaktif: + +`git add {{-i|--interactive}}` diff --git a/pages.id/common/git-bulk.md b/pages.id/common/git-bulk.md index 140212504..f42b5b0cf 100644 --- a/pages.id/common/git-bulk.md +++ b/pages.id/common/git-bulk.md @@ -12,13 +12,21 @@ `git bulk --addworkspace {{nama_workspace}} {{/jalan/absolut/menuju/repositori}}` -- Gandakan sebuah repositori ke dalam direktori induk tertentu, kemudian masukkan repositori baru tersebut sebagai tempat kerja: +- Gandakan suatu repositori ke dalam direktori induk tertentu, kemudian masukkan repositori baru tersebut sebagai tempat kerja: `git bulk --addworkspace {{nama_workspace}} {{/jalan/absolut/menuju/direktori_induk}} --from {{lokasi_repositori_remote}}` - Gandakan lebih dari satu repositori ke dalam direktori induk tertentu (menurut berkas daftar lokasi remote yang dipisah dengan barisan baru), kemudian masukkan sebagai tempat kerja: -`git bulk --addworkspace {{nama_workspace}} {{/jalan/absolut/menuju/direktori_induk}} --from {/jalan/absolut/menuju/berkas}}` +`git bulk --addworkspace {{nama_workspace}} {{/jalan/absolut/menuju/direktori_induk}} --from {{/jalan/absolut/menuju/berkas}}` + +- Tampilkan daftar seluruh tempat kerja yang terdaftar: + +`git bulk --listall` + +- Jalankan sebuah perintah Git pada kumpulan repositori yang dikelola oleh tempat kerja saat ini: + +`git bulk {{perintah}} {{argumen-argumen_perintah}}` - Hapus suatu tempat dari daftar tempat kerja (hal ini tidak akan menghilangkan seluruh isi direktori yang direferensikan sebagai tempat kerja): diff --git a/pages.id/common/git-bundle.md b/pages.id/common/git-bundle.md index fac7a6bc9..aa7d3c54f 100644 --- a/pages.id/common/git-bundle.md +++ b/pages.id/common/git-bundle.md @@ -17,7 +17,7 @@ - Bungkus objek dan referensi untuk perubahan sejak 7 hari terakhir: -`git bundle create {{jalan/menuju/berkas.bundle}} --since={{7.days}} {{HEAD}}` +`git bundle create {{jalan/menuju/berkas.bundle}} --since {{7.days}} {{HEAD}}` - Cek apakah suatu berkas bundle bersifat valid dan dapat diaplikasikan ke dalam repositori saat ini: @@ -30,3 +30,7 @@ - Buka dan pakai isi bungkusan untuk suatu cabang pada repositori saat ini: `git pull {{jalan/menuju/berkas.bundle}} {{nama_cabang}}` + +- Buat sebuah repositori baru dari suatu berkas bundle: + +`git clone {{jalan/menuju/berkas.bundle}}` diff --git a/pages.id/common/git-cherry-pick.md b/pages.id/common/git-cherry-pick.md new file mode 100644 index 000000000..437e91f60 --- /dev/null +++ b/pages.id/common/git-cherry-pick.md @@ -0,0 +1,21 @@ +# git cherry-pick + +> Lakukan perubahan yang tercatat pada komit-komit saat ini menuju cabang saat ini. +> Gunakan `git checkout` terlebih dahulu jika hendak melakukan perubahan pada cabang lainnya. +> Informasi lebih lanjut: . + +- Lakukan perubahan menurut suatu komit terhadap cabang saat ini: + +`git cherry-pick {{komit}}` + +- Lakukan perubahan berdasarkan urutan komit terhadap cabang saat ini (lihat juga `git rebase --onto`): + +`git cherry-pick {{komit_awal}}~..{{komit_akhir}}` + +- Lakukan perubahan berdasarkan kumpulan komit (tak berurut) terhadap cabang saat ini: + +`git cherry-pick {{komit1 komit2 ...}}` + +- Lakukan perubahan pada direktori kerja saat ini tanpa mencatat komit baru: + +`git cherry-pick --no-commit {{komit}}` diff --git a/pages.id/common/git-clean.md b/pages.id/common/git-clean.md new file mode 100644 index 000000000..45d8af38b --- /dev/null +++ b/pages.id/common/git-clean.md @@ -0,0 +1,28 @@ +# git clean + +> Hapus berkas-berkas yang tak dilacak oleh Git pada pohon direktori kerja saat ini. +> Informasi lebih lanjut: . + +- Hapus seluruh berkas yang tak dilacak: + +`git clean` + +- Hapus menggunakan mode [i]nteraktif: + +`git clean {{-i|--interactive}}` + +- Tampilkan kumpulan berkas yang akan dihapus tanpa menghapusnya: + +`git clean --dry-run` + +- Hapus berkas-berkas secara paksa: + +`git clean {{-f|--force}}` + +- Hapus kumpulan [d]irektori secara paksa: + +`git clean {{-f|--force}} -d` + +- Hapus berkas-berkas yang tak dilacak, termasuk berkas yang dikecualikan (menurut daftar `.gitignore` dan `.git/info/exclude`): + +`git clean -x` diff --git a/pages.id/common/git-clear-soft.md b/pages.id/common/git-clear-soft.md new file mode 100644 index 000000000..3424dc71e --- /dev/null +++ b/pages.id/common/git-clear-soft.md @@ -0,0 +1,9 @@ +# git clear-soft + +> Hapus direktori kerja Git tidak termasuk file di `.gitignore`, seolah-olah baru saja dikloning dengan cabang saat ini. +> Bagian dari `git-extras`. +> Informasi lebih lanjut: . + +- Reset semua file yang terlacak dan hapus semua file yang tidak terlacak: + +`git clear-soft` diff --git a/pages.id/common/git-clear.md b/pages.id/common/git-clear.md new file mode 100644 index 000000000..f7e3be9bd --- /dev/null +++ b/pages.id/common/git-clear.md @@ -0,0 +1,9 @@ +# git clear + +> Bersihkan isi direktori kerja Git menuju kondisi semula (seperti disalin melalui `git clone`) pada cabang saat ini, termasuk berkas-berkas yang dikecualikan menurut daftar `.gitignore`. +> Bagian dari `git-extras`. +> Informasi lebih lanjut: . + +- Setel ulang seluruh isi berkas yang dilacak oleh Git, serta hapus seluruh berkas yang tak dilacak meskipun dikecualikan menurut daftar `.gitignore`: + +`git clear` diff --git a/pages.id/common/git-coauthor.md b/pages.id/common/git-coauthor.md new file mode 100644 index 000000000..57a8c7260 --- /dev/null +++ b/pages.id/common/git-coauthor.md @@ -0,0 +1,9 @@ +# git coauthor + +> Tambahkan penulis komit baru dalam komit terkini. Perintah ini menulis ulang riwayat perubahan pada Git, karena itu opsi `--force` akan dibutuhkan saat melakukan pendorongan perubahan (push) di lain waktu. +> Bagian dari `git extras`. +> Informasi lebih lanjut: . + +- Tambahkan penulis baru terkadap komit Git terakhir: + +`git coauthor {{nama}} {{nama@example.com}}` diff --git a/pages.id/common/git-cola.md b/pages.id/common/git-cola.md new file mode 100644 index 000000000..8351e6188 --- /dev/null +++ b/pages.id/common/git-cola.md @@ -0,0 +1,24 @@ +# git cola + +> Tampilan antarmuka grafis (GUI) untuk Git yang kuat, apik, dan intuitif. +> Informasi lebih lanjut: . + +- Jalankan program GUI: + +`git cola` + +- Jalankan GUI pada mode perubahan (amend): + +`git cola --amend` + +- Jalankan dengan meminta program menanyakan repositori Git yang akan dilihat. Jika tidak didefinisikan, maka program ini akan melihat direktori saat ini: + +`git cola --prompt` + +- Jalankan dengan membuka repositori Git dengan alamat yang ditentukan: + +`git cola --repo {{jalan/menuju/repositori-git}}` + +- Terapkan filter jalur ke dalam widget status: + +`git cola --status-filter {{filter}}` diff --git a/pages.id/common/git-column.md b/pages.id/common/git-column.md new file mode 100644 index 000000000..34f5f5305 --- /dev/null +++ b/pages.id/common/git-column.md @@ -0,0 +1,16 @@ +# git column + +> Tampilkan data dalam bentuk kolom. +> Informasi lebih lanjut: . + +- Tampilkan `stdin` dalam bentuk beberapa kolom: + +`ls | git column --mode={{column}}` + +- Tampilkan `stdin` sebagai beberapa kolom dengan lebar maksimum sebesar `100`: + +`ls | git column --mode=column --width={{100}}` + +- Tampilkan `stdin` sebagai beberapa kolom dengan padding maksimum sebesar `30`: + +`ls | git column --mode=column --padding={{30}}` diff --git a/pages.id/common/git-commit-graph.md b/pages.id/common/git-commit-graph.md new file mode 100644 index 000000000..fcd1a57f8 --- /dev/null +++ b/pages.id/common/git-commit-graph.md @@ -0,0 +1,16 @@ +# git commit-graph + +> Tulis dan verifikasi file grafik komit Git. +> Informasi lebih lanjut: . + +- Tulis file grafik komit untuk komit yang dikemas di dalam direktori `.git` pada lokal repositori: + +`git commit-graph write` + +- Tulis file grafik komit yang berisi semua komit yang dapat dijangkau: + +`git show-ref --hash | git commit-graph write --stdin-commits` + +- Tulis file grafik komit yang berisi semua komit dalam file grafik komit saat ini beserta yang dapat dijangkau dari `HEAD`: + +`git rev-parse {{HEAD}} | git commit-graph write --stdin-commits --append` diff --git a/pages.id/common/git-commit-tree.md b/pages.id/common/git-commit-tree.md new file mode 100644 index 000000000..3fb03cc79 --- /dev/null +++ b/pages.id/common/git-commit-tree.md @@ -0,0 +1,21 @@ +# git commit-tree + +> Alat untuk membuat objek komit secara tingkat rendah (low-level). +> Lihat juga: `git commit`. +> Informasi lebih lanjut: . + +- Buat objek komit baru dengan pesan tertentu: + +`git commit-tree {{tree}} -m "{{pesan}}"` + +- Buat objek komit dengan pesan yang disimpan dalam suatu berkas (gunakan `-` untuk membaca dari `stdin`): + +`git commit-tree {{tree}} -F {{jalan/menuju/berkas}}` + +- Buat sebuah objek komit yang ditandatangani oleh kunci enkripsi GPG: + +`git commit-tree {{tree}} -m "{{pesan}}" --gpg-sign` + +- Buat sebuah objek komit dengan komit induk tertentu: + +`git commit-tree {{tree}} -m "{{message}}" -p {{kode_hash_sha_atas_komit_induk}}` diff --git a/pages.id/common/git-commit.md b/pages.id/common/git-commit.md index 2b146d18c..135bb75a1 100644 --- a/pages.id/common/git-commit.md +++ b/pages.id/common/git-commit.md @@ -1,21 +1,21 @@ # git commit -> Komit file ke dalam sebuah repositori. +> Komit berkas ke dalam sebuah repositori. > Informasi lebih lanjut: . -- Komit file bertahap ke repositori dengan sebuah pesan: +- Komit berkas bertahap ke repositori dengan sebuah pesan: `git commit --message "{{pesan}}"` -- Komit file bertahap dengan pesan yang disimpan dalam suatu file: +- Komit berkas bertahap dengan pesan yang disimpan dalam suatu berkas: -`git commit --file {{jalan/menuju/file_pesan_komit}}` +`git commit --file {{jalan/menuju/berkas_pesan_komit}}` -- Ubah secara otomatis semua file yang dimodifikasi menjadi ke status stage dan menambahkan sebuah pesan: +- Ubah secara otomatis semua berkas yang dimodifikasi menjadi ke status stage dan menambahkan sebuah pesan: `git commit --all --message "{{pesan}}"` -- Komit file bertahap kemudian tandatangani komit tersebut menggunakan kunci GPG (atau kunci yang didefinisikan dalam file konfigurasi jika tidak didefinisikan): +- Komit berkas bertahap kemudian tandatangani komit tersebut menggunakan kunci GPG (atau kunci yang didefinisikan dalam berkas konfigurasi jika tidak didefinisikan): `git commit --gpg-sign {{id_kunci_gpg}} --message "{{pesan}}"` @@ -23,10 +23,10 @@ `git commit --amend` -- Komit file tertentu (yang sudah di status stage): +- Komit berkas tertentu (yang sudah di status stage): -`git commit {{alamat/ke/file1}} {{alamat/ke/file2}}` +`git commit {{jalan/menuju/berkas1 jalan/menuju/berkas2 ...}}` -- Buat komit kosong, tanpa file bertahap: +- Buat komit kosong, tanpa berkas bertahap: `git commit --message "{{pesan}}" --allow-empty` diff --git a/pages.id/common/git-commits-since.md b/pages.id/common/git-commits-since.md new file mode 100644 index 000000000..c7167c102 --- /dev/null +++ b/pages.id/common/git-commits-since.md @@ -0,0 +1,21 @@ +# git commits-since + +> Tampilkan daftar komit sejak waktu atau tanggal tertentu. +> Bagian dari `git-extras`. +> Informasi lebih lanjut: . + +- Tampilkan daftar komit yang dibentuk sejak kemarin (yesterday): + +`git commits-since {{yesterday}}` + +- Tampilkan daftar komit yang dibentuk sejak minggu lalu (last week): + +`git commits-since {{last week}}` + +- Tampilkan daftar komit yang dibentuk sejak bulan lalu (last month): + +`git commits-since {{last month}}` + +- Tampilkan daftar komit yang dibentuk sejak kemarin (yesterday), pada pukul 2 siang (2pm): + +`git commits-since {{yesterday 2pm}}` diff --git a/pages.id/common/git-config.md b/pages.id/common/git-config.md new file mode 100644 index 000000000..45f2b08aa --- /dev/null +++ b/pages.id/common/git-config.md @@ -0,0 +1,37 @@ +# git config + +> Ubah pengaturan Git untuk repositori-repositori tertentu. +> Konfigurasi ini dapat diatur hanya untuk repositori saat ini (lokal/local) atau untuk pengguna sistem operasi saat ini (global). +> Informasi lebih lanjut: . + +- Tampilkan hanya daftar pengaturan Git untuk repositori saat ini (sebagaimana tersimpan dalam `.git/config` dalam pangkal direktori repositori): + +`git config --list --local` + +- Tampilkan hanya daftar pengaturan Git untuk pengguna saat ini (sebagaimana tersimpan dalam `~/.gitconfig` sebagai default, atau bila ada, `$XDG_CONFIG_HOME/git/config`): + +`git config --list --global` + +- Tampilkan hanya daftar pengaturan Git untuk keseluruhan sistem operasi (sebagaimana tersimpan dalam `/etc/gitconfig`), dan tampilkan lokasi berkas tersebut: + +`git config --list --system --show-origin` + +- Tampilkan nilai atas entri konfigurasi saat ini (contoh: `alias.unstage`): + +`git config alias.unstage` + +- Simpan baru atau ubah nilai entri konfigurasi tertentu secara global (untuk pengguna saat ini): + +`git config --global alias.unstage "reset HEAD --"` + +- Hapus atau kembalikan nilai dari entri konfigurasi tersebut menuju nilai default (bila ada): + +`git config --global --unset alias.unstage` + +- Sunting konfigurasi Git pada repositori saat ini dengan aplikasi pengolah teks default: + +`git config --edit` + +- Sunting konfigurasi Git pada pengguna saat ini dengan aplikasi pengolah teks default: + +`git config --global --edit` diff --git a/pages.id/common/git-contrib.md b/pages.id/common/git-contrib.md new file mode 100644 index 000000000..59a5ae469 --- /dev/null +++ b/pages.id/common/git-contrib.md @@ -0,0 +1,9 @@ +# git contrib + +> Tampilkan daftar komit yang ditulis oleh penulis tertentu. +> Bagian dari `git extras`. +> Informasi lebih lanjut: . + +- Tampilkan daftar seluruh komit, beserta kode hash dan pesan, dari suatu penulis: + +`git contrib {{penulis}}` diff --git a/pages.id/common/git-count-objects.md b/pages.id/common/git-count-objects.md new file mode 100644 index 000000000..b419034a6 --- /dev/null +++ b/pages.id/common/git-count-objects.md @@ -0,0 +1,20 @@ +# git count-objects + +> Hitung jumlah objek komit yang telah dibuka beserta pemakaian ruang penyimpanan dalam direktori repositori saat ini. +> Informasi lebih lanjut: . + +- Hitung jumlah seluruh objek dan pemakaian ruang penyimpanan: + +`git count-objects` + +- Hitung jumlah seluruh objek dan pemakaian ruang penyimpanan, dalam format satuan yang lebih ramah dibaca manusia: + +`git count-objects --human-readable` + +- Tampilkan informasi perhitungan secara lebih mendalam: + +`git count-objects --verbose` + +- Tampilkan informasi perhitungan secara lebih mendalam, menggunakan format satuan yang lebih ramah dibaca manusia: + +`git count-objects --human-readable --verbose` diff --git a/pages.id/common/git-count.md b/pages.id/common/git-count.md new file mode 100644 index 000000000..506005e60 --- /dev/null +++ b/pages.id/common/git-count.md @@ -0,0 +1,13 @@ +# git count + +> Tampilkan informasi jumlah komit dalam suatu repositori. +> Bagian dari `git-extras`. +> Informasi lebih lanjut: . + +- Tampilkan informasi jumlah komit dalam repositori saat ini: + +`git count` + +- Tampilkan informasi jumlah komit per kontributor serta keseluruhan jumlah komit: + +`git count --all` diff --git a/pages.id/common/git-cp.md b/pages.id/common/git-cp.md new file mode 100644 index 000000000..c86963746 --- /dev/null +++ b/pages.id/common/git-cp.md @@ -0,0 +1,13 @@ +# git cp + +> Salin suatu berkas menuju lokasi baru dengan menyimpan riwayat perubahan atas berkas tersebut. +> Bagian dari `git-extras`. +> Informasi lebih lanjut: . + +- Salin suatu berkas dalam suatu repositori Git, menuju tujuan pada direktori yang sama: + +`git cp {{nama_berkas}} {{nama_berkas_baru}}` + +- Salin berkas menuju tujuan yang lain: + +`git cp {{jalan/menuju/berkas}} {{jalan/menuju/berkas_baru}}` diff --git a/pages.id/common/git-create-branch.md b/pages.id/common/git-create-branch.md new file mode 100644 index 000000000..72da39120 --- /dev/null +++ b/pages.id/common/git-create-branch.md @@ -0,0 +1,17 @@ +# git create-branch + +> Buat suatu cabang (branch) baru dalam suatu repositori Git. +> Bagian dari `git-extras`. +> Informasi lebih lanjut: . + +- Buat suatu cabang baru pada repositori lokal: + +`git create-branch {{nama_cabang}}` + +- Buat cabang baru pada repositori lokal dan sumber jarak jauh (remote) origin: + +`git create-branch --remote {{nama_cabang}}` + +- Buat cabang baru pada repositori lokal dan sumber jarak jauh (remote) upstream (yang dibentuk melalui proses pencangkokan/fork): + +`git create-branch --remote upstream {{nama_cabang}}` diff --git a/pages.id/common/git-format-patch.md b/pages.id/common/git-format-patch.md new file mode 100644 index 000000000..6ee4c2811 --- /dev/null +++ b/pages.id/common/git-format-patch.md @@ -0,0 +1,17 @@ +# git format-patch + +> Buat berkas-berkas .patch dari kumpulan komit Git. Dapat dipakai untuk mengirimkan perubahan/komit melalui surel/email. +> Lihat juga `git am`, yang memungkinkan pengguna untuk melakukan perubahan melalui berkas komit .patch yang dibuat. +> Informasi lebih lanjut: . + +- Buat suatu berkas `.patch` untuk mencatat seluruh komit yang belum dikirimkan (push) ke remote, menggunakan nama berkas otomatis: + +`git format-patch {{origin}}` + +- Tampilkan isi berkas `.patch` menuju `stdout` yang mengandung perubahan antara dua revisi/komit: + +`git format-patch {{revisi_1}}..{{revisi_2}}` + +- Tulis suatu berkas `.patch` yang mengandung segala perubahan dalam 3 komit terakhir: + +`git format-patch -{{3}}` diff --git a/pages.id/common/git-init.md b/pages.id/common/git-init.md new file mode 100644 index 000000000..703d5201c --- /dev/null +++ b/pages.id/common/git-init.md @@ -0,0 +1,20 @@ +# git init + +> Inisialisasikan sebuah repositori Git lokal. +> Informasi lebih lanjut: . + +- Inisialisasikan suatu direktori menjadi repositori lokal baru: + +`git init` + +- Inisialisasikan sebuah repositori dengan nama cabang (branch) awal yang ditentukan: + +`git init --initial-branch={{nama_cabang}}` + +- Inisialisasikan sebuah repositori menggunakan format hash objek berbasis SHA256 (membutuhkan Git versi 2.29+): + +`git init --object-format={{sha256}}` + +- Inisialisasikan sebuah repositori kosong (barebones) yang dapat digunakan sebagai remote melalui koneksi SSH: + +`git init --bare` diff --git a/pages.id/common/git-push.md b/pages.id/common/git-push.md new file mode 100644 index 000000000..d6c6297c7 --- /dev/null +++ b/pages.id/common/git-push.md @@ -0,0 +1,36 @@ +# git push + +> Dorong kumpulan komit menuju suatu repositori jarak jauh (remote). +> Informasi lebih lanjut: . + +- Kirim perubahan lokal dari cabang (branch) saat ini menuju cabang yang sepadan pada repositori tujuan: + +`git push` + +- Kirim perubahan dari cabang lokal yang ditentukan menuju cabang yang sepadan pada repositori tujuan: + +`git push {{nama_remote}} {{cabang_lokal}}` + +- Kirim perubahan dari cabang lokal yang ditentukan menuju cabang sepadan pada repositori tujuan, dan simpan remote sebagai target operasi dorong (push) dan tarik (pull) bagi cabang lokal tersebut: + +`git push -u {{nama_remote}} {{cabang_lokal}}` + +- Kirim perubahan dari suatu cabang lokal menuju suatu cabang remote secara spesifik: + +`git push {{nama_remote}} {{cabang_lokal}}:{{cabang_remote}}` + +- Kirim perubahan dari setiap cabang lokal menuju cabang-cabang sepadan dalam repositori tujuan: + +`git push --all {{nama-remote}}` + +- Hapus suatu cabang dalam suatu repositori remote: + +`git push {{nama_remote}} --delete {{cabang_remote}}` + +- Hapus cabang-cabang remote yang tidak memiliki padanan pada repositori lokal: + +`git push --prune {{nama_remote}}` + +- Publikasikan kumpulan tag komit yang belum dipublikasikan dalam repositori remote: + +`git push --tags` diff --git a/pages.id/common/git-remote.md b/pages.id/common/git-remote.md index d33fcf4c1..861d8a186 100644 --- a/pages.id/common/git-remote.md +++ b/pages.id/common/git-remote.md @@ -1,28 +1,32 @@ # git remote -> Mengelola kumpulan repositori yang dilacak/diikuti ("remotes"). +> Kelola kumpulan repositori yang dilacak/diikuti dari sumber jarak jauh ("remotes"). > Informasi lebih lanjut: . -- Menampilkan daftar remote, namanya dan URL: +- Tampilkan daftar remote, namanya dan URL: -`git remote -v` +`git remote {{-v|--verbose}}` -- Menampilkan informasi tentang remote: +- Tampilkan informasi tentang suatu remote: `git remote show {{nama_remote}}` -- Menambahkan remote: +- Tambahkan suatu remote untuk diikuti pada repositori saat ini: `git remote add {{nama_remote}} {{url_remote}}` -- Mengubah URL dari remote (gunakan `--add` untuk tetap menyimpan URL lama): +- Ubah alamat URL dari remote (gunakan `--add` untuk tetap menyimpan URL lama): `git remote set-url {{nama_remote}} {{url_baru}}` -- Menghapus remote: +- Tampilkan alamat URL dari suatu remote: + +`git remote get-url {{nama_remote}}` + +- Hapus remote dari daftar remote yang dilacak pada repositori saat ini: `git remote remove {{nama_remote}}` -- Mengubah nama remote: +- Ubah nama remote untuk dikelola dalam repositori saat ini: `git remote rename {{nama_lama}} {{nama_baru}}` diff --git a/pages.id/common/git-rm.md b/pages.id/common/git-rm.md new file mode 100644 index 000000000..1b575cbc7 --- /dev/null +++ b/pages.id/common/git-rm.md @@ -0,0 +1,16 @@ +# git rm + +> Hapus berkas-berkas dari indeks repositori dan sistem manajemen berkas (filesystem) lokal. +> Informasi lebih lanjut: . + +- Hapus berkas dari indeks repositori dan filesystem lokal: + +`git rm {{jalan/menuju/berkas}}` + +- Hapus suatu direktori: + +`git rm -r {{jalan/menuju/direktori}}` + +- Hapus suatu berkas dari indeks repositori tanpa menghapusnya pada filesystem lokal: + +`git rm --cached {{jalan/menuju/berkas}}` diff --git a/pages.id/common/git-status.md b/pages.id/common/git-status.md index 74834f3e5..4a1343b2c 100644 --- a/pages.id/common/git-status.md +++ b/pages.id/common/git-status.md @@ -1,21 +1,33 @@ # git status -> Menampilkan perubahan pada file dalam repositori Git. -> Menmapilkan daftar perubahan , menambahkan dan menghapus file dibandingkan dengan komit yang saat ini di check-out. +> Tampilkan perubahan pada berkas dalam repositori Git. +> Menampilkan daftar perubahan, menambahkan dan menghapus berkas dibandingkan dengan komit yang saat ini diperiksa (checkout). > Informasi lebih lanjut: . -- Tampilkan file yang diubah yang belum ditambahkan untuk komit: +- Tampilkan daftar berkas yang diubah yang belum ditambahkan untuk komit: `git status` -- Berikan keluaran dalam format [s]hort (pendek): +- Tampilkan informasi dalam format [s]ingkat: -`git status -s` +`git status --short` -- Jangan tampilkan file yang tidak terlacak di output: +- Tampilkan informasi secara terperinci ([v]erbose) baik dalam panggung rencana perubahan (staging) dan direktori kerja saat ini: + +`git status --verbose --verbose` + +- Tampilkan informasi mengenai cabang ([b]ranch) dan status pelacakan dari remote: + +`git status --branch` + +- Tampilkan daftar berkas beserta informasi cabang ([b]ranch) dalam format [s]ingkat: + +`git status --short --branch` + +- Tampilkan jumlah entri yang disimpan ke dalam kumpulan stash: + +`git status --show-stash` + +- Jangan tampilkan berkas yang tidak terlacak: `git status --untracked-files=no` - -- Tampilkan keluaran dalam format [s]hort (pendek) bersama dengan [b] info cabangnya: - -`git status -sb` diff --git a/pages.id/common/git.md b/pages.id/common/git.md index ed7a6d7cb..2701802b8 100644 --- a/pages.id/common/git.md +++ b/pages.id/common/git.md @@ -4,26 +4,26 @@ > Kami mempunyai dokumentasi terpisah untuk menggunakan subperintah seperti `commit`, `add`, `branch`, `checkout`, `push`, dsb. > Informasi lebih lanjut: . -- Periksa versi Git: +- Jalankan suatu subperintah Git: -`git --version` +`git {{subperintah}}` + +- Jalankan suatu subperintah terhadap suatu direktori repositori: + +`git -C {{jalan/menuju/repo}} {{subperintah}}` + +- Jalankan suatu subperintah dengan set konfigurasi/pengaturan tertentu: + +`git -c '{{kunci.config}}={{nilai}}' {{subperintah}}` - Tampilkan bantuan umum: `git --help` -- Tampilkan bantuan pada sub perintah Git (seperti `commit`,` log`, dll.): +- Tampilkan bantuan pada subperintah Git (seperti `clone`,` add`, `push`, `log`, dll.): `git help {{subcommand}}` -- Jalankan subperintah Git: +- Periksa versi Git: -`git {{subcommand}}` - -- Jalankan subperintah Git di jalur root repositori kustom: - -`git -C {{alamat/ke/repositori}} {{subcommand}}` - -- Jalankan subperintah Git dengan set konfigurasi yang diberikan: - -`git -c '{{config.key}}={{value}}' {{subcommand}}` +`git --version` diff --git a/pages.id/common/gnmic-sub.md b/pages.id/common/gnmic-sub.md index a46ada700..cd37671c5 100644 --- a/pages.id/common/gnmic-sub.md +++ b/pages.id/common/gnmic-sub.md @@ -1,4 +1,4 @@ -# gnmic-sub +# gnmic sub > Perintah ini merupakan alias dari `gnmic subscribe`. > Informasi lebih lanjut: . diff --git a/pages.id/common/history.md b/pages.id/common/history.md index 467ccddba..9987c9fd8 100644 --- a/pages.id/common/history.md +++ b/pages.id/common/history.md @@ -7,15 +7,15 @@ `history` -- Tampilkan 20 perintah-perintah terakhir (di `zsh` perintah ini menampilkan semua perintah-perintah sejak dari baris ke-20): +- Tampilkan 20 perintah-perintah terakhir (di Zsh perintah ini menampilkan semua perintah-perintah sejak dari baris ke-20): `history {{20}}` -- Hapus sejarah perintah-perintah (hanya untuk sesi shell `bash` saat ini): +- Hapus sejarah perintah-perintah (hanya untuk sesi shell Bash saat ini): `history -c` -- Tulis ulang file sejarah dengan sejarah sesi shell `bash` saat ini (seringkali dikombinasikan dengan `history -c` untuk menghapus sejarah): +- Tulis ulang file sejarah dengan sejarah sesi shell Bash saat ini (seringkali dikombinasikan dengan `history -c` untuk menghapus sejarah): `history -w` diff --git a/pages.id/common/hugo.md b/pages.id/common/hugo.md index e7be79acb..c2c7dc7c2 100644 --- a/pages.id/common/hugo.md +++ b/pages.id/common/hugo.md @@ -1,32 +1,36 @@ # hugo -> Penghasil website statis berbasis template. Menggunakan modul, komponen dan tema. +> Penghasil situs web statis berbasis template. Menggunakan modul, komponen dan tema. > Informasi lebih lanjut: . -- Membuat website Hugo baru: +- Buat sebuah proyek situs web Hugo baru: -`hugo new site {{alamat/ke/website}}` +`hugo new site {{jalan/menuju/website}}` -- Membuat tema Hugo baru (tema juga dapat diunduh dari ): +- Buat sebuah proyek tema Hugo baru (tema juga dapat diunduh dari ): `hugo new theme {{nama_tema}}` -- Membuat halaman baru: +- Buat sebuah halaman situs web baru: -`hugo new {{nama_bagian}}/{{nama_berkas}}` +`hugo new {{nama_bagian}}/{{nama_halaman}}` -- Menbuild website ke direktori `./public`: +- Bangun situs web dari direktori sumber menuju direktori `./public`: `hugo` -- Menbuild website termasuk halaman yang ditandai sebagai "draft": +- Bangun situs web termasuk halaman yang ditandai sebagai "draft": `hugo --buildDrafts` -- Menbuild website ke direktori yang ditentukan: +- Bangun situs web dengan untuk dijalankan pada alamat IP lokal: + +`hugo server --bind {{ip-lokal}} --baseURL {{http://ip-lokal}}` + +- Bangun situs web menuju direktori yang ditentukan: `hugo --destination {{alamat/tujuan}}` -- Menbuild website, memulai webserver untuk menyajikannya, dan secara otomatis memuat ulang jika ada halaman yang berubah: +- Bangun situs web dan jalankan peladen (server) untuk menyajikannya, dengan memuat ulang saat terdapat halaman yang berubah: `hugo server` diff --git a/pages.id/common/libreoffice.md b/pages.id/common/libreoffice.md new file mode 100644 index 000000000..3dbd8e52f --- /dev/null +++ b/pages.id/common/libreoffice.md @@ -0,0 +1,20 @@ +# libreoffice + +> Antarmuka baris perintah untuk LibreOffice, aplikasi perkantoran mahir dan gratis. +> Informasi lebih lanjut: . + +- Buka suatu atau beberapa berkas dalam mode baca-saja (read-only): + +`libreoffice --view {{jalan/menuju/berkas1 jalan/menuju/berkas2 ...}}` + +- Tampilkan isi suatu atau beberapa berkas: + +`libreoffice --cat {{jalan/menuju/berkas1 jalan/menuju/berkas2 ...}}` + +- Cetak berkas menggunakan mesin pencetak (printer) tertentu: + +`libreoffice --pt {{printer_name}} {{jalan/menuju/berkas1 jalan/menuju/berkas2 ...}}` + +- Konversi semua berkas `.doc` dalam direktori saat ini menuju PDF: + +`libreoffice --convert-to {{pdf}} {{*.doc}}` diff --git a/pages.id/common/mkdir.md b/pages.id/common/mkdir.md index de22218f5..d4d171b30 100644 --- a/pages.id/common/mkdir.md +++ b/pages.id/common/mkdir.md @@ -9,4 +9,4 @@ - Membuat sejumlah direktori secara rekursif (berguna untuk membuat direktori bersarang): -`mkdir -p {{jalan/menuju/direktori}}` +`mkdir {{-p|--parents}} {{jalan/menuju/direktori}}` diff --git a/pages.id/common/node.md b/pages.id/common/node.md index ff8134a73..3743ea960 100644 --- a/pages.id/common/node.md +++ b/pages.id/common/node.md @@ -3,22 +3,26 @@ > Platform JavaScript sisi server (Node.js). > Informasi lebih lanjut: . -- Menjalankan berkas JavaScript: +- Jalankan berkas program JavaScript: -`node {{alamat/ke/berkas}}` +`node {{jalan/menuju/berkas}}` -- Memulai sebuah REPL (shell interaktif): +- Jalankan sebuah REPL (shell interaktif): `node` -- Mengevaluasi kode JavaScript dengan memberikanya sebagai sebuah argument: +- Jalankan berkas program dan jalankan ulang saat isi dari berkas tersebut terubah (membutuhkan Node.js versi 18.11+): + +`node --watch {{jalan/menuju/file}}` + +- Evaluasi kode JavaScript dengan memberikanya sebagai sebuah argument: `node -e "{{kode}}"` -- Mengevaluasi dan mencetak hasil, berguna untuk melihat versi dependesni node: +- Evaluasi kode dan cetak hasil, berguna untuk melihat versi dependesni node: -`node -p "{{process.versions}}"` +`node -p "process.versions"` -- Mengaktifkan inspector, menjeda eksekusi sampai debugger terhubung segera setelah kode sumber sepenuhnya terparser: +- Aktifkan inspector, yang akan menjeda eksekusi sampai debugger terhubung segera setelah kode sumber sepenuhnya terparser: -`node --no-lazy --inspect-brk {{alamat/ke/berkas}}` +`node --no-lazy --inspect-brk {{jalan/menuju/berkas}}` diff --git a/pages.id/common/npm.md b/pages.id/common/npm.md index d7bf0d284..25d302194 100644 --- a/pages.id/common/npm.md +++ b/pages.id/common/npm.md @@ -18,11 +18,11 @@ - Unduh paket dan menambahkan ke daftar dependensi dev di package.json: -`npm install {{nama_modul}} --save-dev` +`npm install {{nama_modul}} {{-D|--save-dev}}` - Unduh paket dan instal secara global: -`npm install --global {{nama_modul}}` +`npm install {{-g|--global}} {{nama_modul}}` - Copot pemasangan paket dan hapus dari daftar dependensi di `package.json`: @@ -34,4 +34,4 @@ - Buat daftar modul tingkat atas yang diinstal secara global: -`npm list --global --depth={{0}}` +`npm list {{-g|--global}} --depth {{0}}` diff --git a/pages.id/common/nvm.md b/pages.id/common/nvm.md index 587eee39f..223d1c76c 100644 --- a/pages.id/common/nvm.md +++ b/pages.id/common/nvm.md @@ -1,33 +1,33 @@ # nvm -> Memasang, melepas, atau mengganti versi Node.js yang dipakai. +> Memasang, lepas, atau ganti versi Node.js yang dipakai. > Mendukung nomor versi seperti "12.8" or "v16.13.1", dan label versi seperti "stable", "system", dsb. > Informasi lebih lanjut: . -- Memasang versi Node.js yang ditentukan: +- Pasang suatu versi Node.js: `nvm install {{versi_node_js}}` -- Menggunakan versi Node.js tertentu untuk sesi saat ini: +- Gunakan suatu versi Node.js untuk sesi saat ini: `nvm use {{versi_node_js}}` -- Menyetel versi Node.js secara default: +- Tentukan versi default Node.js untuk sesi-sesi berikutnya: `nvm alias default {{versi_node_js}}` -- Menunjukkan daftar versi Node.js yang tersedia dan versi Node.js yang disetel sebagai default: +- Tunjukkan daftar versi Node.js yang tersedia dan yang disetel sebagai default: `nvm list` -- Menghapus sebuah versi Node.js yang terpasang melalui `nvm`: +- Hapus pemasangan versi Node.js yang terpasang melalui `nvm`: `nvm uninstall {{versi_node_js}}` -- Menjalankan interpreter (REPL) Node.js dengan versi tertentu: +- Jalankan interpreter (REPL) Node.js dengan versi tertentu: `nvm run {{versi_node_js}} --version` -- Menjalankan sebuah file atau aplikasi JavaScript di dalam Node.js versi tertentu: +- Jalankan suatu berkas atau program JavaScript di dalam Node.js versi tertentu: `nvm exec {{versi_node_js}} node {{app.js}}` diff --git a/pages.id/common/open.fish.md b/pages.id/common/open.fish.md index 805aeaa36..2e7d67976 100644 --- a/pages.id/common/open.fish.md +++ b/pages.id/common/open.fish.md @@ -1,7 +1,7 @@ # open > Buka file, direktori, dan alamat URI dengan aplikasi-aplikasi default yang dapat membukanya. -> Perintah ini tersedia melalui `fish` dalam sistem operasi yang tidak menawarkan perintah `open` secara bawaan (seperti Haiku dan macOS). +> Perintah ini tersedia melalui fish dalam sistem operasi yang tidak menawarkan perintah `open` secara bawaan (seperti Haiku dan macOS). > Informasi lebih lanjut: . - Buka sebuah file di dalam aplikasi default: diff --git a/pages.id/common/open.md b/pages.id/common/open.md index 647601fb6..0ff9189f1 100644 --- a/pages.id/common/open.md +++ b/pages.id/common/open.md @@ -6,6 +6,6 @@ `tldr open -p osx` -- Lihat dokumentasi perintah `open` yang disediakan dalam `fish`: +- Lihat dokumentasi perintah `open` yang disediakan dalam fish: `tldr open.fish` diff --git a/pages.id/common/pio-init.md b/pages.id/common/pio-init.md index 76561a15f..3a62b5329 100644 --- a/pages.id/common/pio-init.md +++ b/pages.id/common/pio-init.md @@ -1,4 +1,4 @@ -# pio-init +# pio init > Perintah ini merupakan alias dari `pio project`. diff --git a/pages.id/common/python.md b/pages.id/common/python.md index e518f52b2..c58b4c608 100644 --- a/pages.id/common/python.md +++ b/pages.id/common/python.md @@ -3,26 +3,34 @@ > Penerjemah bahasa Python. > Informasi lebih lanjut: . -- Menjalankan REPL (shell interaktif): +- Jalankan REPL (shell interaktif): `python` -- Menjalankan skrip pada berkas Python: +- Jalankan skrip pada berkas Python: `python {{skrip.py}}` -- Menjalankan skrip sebagai bagian dari shell interaktif: +- Jalankan skrip sebagai bagian dari shell interaktif: `python -i {{skrip.py}}` -- Menjalankan ekspresi Python: +- Jalankan ekspresi Python: `python -c "{{ekspresi}}"` -- Menjalankan modul perpustakaan sebagai skrip (diakhiri dengan daftar opsi): +- Jalankan suatu modul perpustakaan sebagai skrip (diakhiri dengan daftar opsi): `python -m {{modul}} {{argumen}}` -- Mendebug skrip Python secara interaktif: +- Pasang suatu paket pustaka menggunakan `pip`: -`python -m pdb {{script.py}}` +`python -m pip install {{paket}}` + +- Jalankan pengawakutu (debugger) terhadap skrip Python secara interaktif: + +`python -m pdb {{jalan/menuju/berkas.py}}` + +- Nyalakan program peladen (server) HTTP bawaan terhadap direktori ini menuju port 8000: + +`python -m http.server` diff --git a/pages.id/common/rspec.md b/pages.id/common/rspec.md index 6f6317652..1f7c5e3c8 100644 --- a/pages.id/common/rspec.md +++ b/pages.id/common/rspec.md @@ -1,32 +1,28 @@ # rspec -> Kerangka pengujian dalam Behavior-driven development yang ditulis dalam bahasa Ruby untuk menguji kode Ruby. +> Kerangka pengujian kode Ruby berbasis Ruby dan pola pengembangan berbasis kebiasaan (behavior-driven development). > Informasi lebih lanjut: . -- Menginisiasi file konfigurasi `.rspec` dan spec helper: +- Buat suatu berkas konfigurasi `.rspec` dan berkas pendukung spesifikasi pengujian (spec helper): `rspec --init` -- Menjalankan semua file tes: +- Jalankan semua pengujian menurut berkas-berkas spesifikasi: `rspec` -- Menjalankan file tes dalam direktori khusus: +- Jalankan pengujian menurut berkas-berkas spesifikasi dalam direktori khusus: -`rspec {{jalan/menuju/directory}}` +`rspec {{jalan/menuju/direktori}}` -- Menjalankan file tes khusus: +- Jalankan beberapa pengujian menurut kumpulan berkas spesifikasi: -`rspec {{jalan/menuju/file}}` +`rspec {{jalan/menuju/berkas1 jalan/menuju/berkas2 ...}}` -- Menjalankan beberapa file tes: +- Jalankan kasus khusus dalam pengujian menurut berkas-berkas spesifikasi (misalnya tes yang ada di baris 83): -`rspec {{jalan/menuju/file1}} {{jalan/menuju/file2}}` +`rspec {{jalan/menuju/berkas}}:{{83}}` -- Menjalankan kasus khusus dalam file tes (misalnya tes yang ada di baris 83): - -`rspec {{jalan/menuju/file}}:{{83}}` - -- Menjalankan tes dengan seed khusus: +- Jalankan tes dengan seed khusus (untuk pengujian berbasis randomisasi): `rspec --seed {{angka_seed}}` diff --git a/pages.id/common/rsync.md b/pages.id/common/rsync.md index 79e95b748..4e3672b5d 100644 --- a/pages.id/common/rsync.md +++ b/pages.id/common/rsync.md @@ -14,24 +14,24 @@ - Transfer file dalam mode [a]rsip (untuk menyimpan atribut-atribut) dan terkompres (_[z]ipped_) secara _[v]erbose_ dan progresnya dapat dibaca orang (_[h]uman-readable [P]rogress_): -`rsync -azvhP {{lokasi/ke/file_lokal}} {{remote_host}}:{{lokasi/ke/remote_directory}}` +`rsync {{-zvhP|--compress --verbose --human-readable --partial --progress}} {{lokasi/ke/file_lokal}} {{remote_host}}:{{lokasi/ke/remote_directory}}` - Transfer direktori dan semua isiny dari remote ke lokal: -`rsync -r {{remote_host}}:{{lokasi/ke/remote_directory}} {{lokasi/ke/direktori_lokal}}` +`rsync {{-r|--recursive}} {{remote_host}}:{{lokasi/ke/remote_directory}} {{lokasi/ke/direktori_lokal}}` - Transfer isi direktori (namun bukan direktori itu sendiri) dari remote ke lokal: -`rsync -r {{remote_host}}:{{lokasi/ke/remote_directory}}/ {{lokasi/ke/direktori_lokal}}` +`rsync {{-r|--recursive}} {{remote_host}}:{{lokasi/ke/remote_directory}}/ {{lokasi/ke/direktori_lokal}}` - Transfer direktori secara [r]ecursif, dalam [a]rsip (untuk menyimpan atribut-atribut), menyelesaikan _soft[l]inks_ yang terkandung di sana, dan mengabaikan file-file yang sudah ditransfer kecuali jika file itu lebih baru (_[u]nless newer_): -`rsync -rauL {{remote_host}}:{{lokasi/ke/remote_file}} {{lokasi/ke/direktori_lokal}}` +`rsync {{-auL|--archive --update --copy-links}} {{remote_host}}:{{lokasi/ke/remote_file}} {{lokasi/ke/direktori_lokal}}` - Transfer file melalui SSH dan hapus file-file lokal yang tidak ada di _remote host_: -`rsync -e ssh --delete {{remote_host}}:{{lokasi/ke/remote_file}} {{lokasi/ke/file_lokal}}` +`rsync {{-e|--rsh}} ssh --delete {{remote_host}}:{{lokasi/ke/remote_file}} {{lokasi/ke/file_lokal}}` - Transfer file melalui SSH dengan menggunakan port yang yang berbeda dari bawaan dan tampilkan progres global: -`rsync -e 'ssh -p {{port}}' --info=progress2 {{remote_host}}:{{lokasi/ke/remote_file}} {{lokasi/ke/file_lokal}}` +`rsync {{-e|--rsh}} 'ssh -p {{port}}' --info=progress2 {{remote_host}}:{{lokasi/ke/remote_file}} {{lokasi/ke/file_lokal}}` diff --git a/pages.id/common/rubocop.md b/pages.id/common/rubocop.md index aae7d1262..d7ee1940a 100644 --- a/pages.id/common/rubocop.md +++ b/pages.id/common/rubocop.md @@ -1,32 +1,32 @@ # rubocop -> Analisa file Ruby. +> Analisa berkas Ruby. > Informasi lebih lanjut: . -- Periksa semua file dalam direktori saat ini (termasuk direktori-direktori di dalamnya): +- Periksa semua berkas dalam direktori saat ini (termasuk direktori-direktori di dalamnya): `rubocop` -- Periksa satu atau lebih file atau direktori secara khusus: +- Periksa satu atau lebih berkas atau direktori secara khusus: -`rubocop {{jalan/menuju/file}} {{jalan/menuju/direktori}}` +`rubocop {{jalan/menuju/berkas_atau_direktori1 jalan/menuju/berkas_atau_direktori2 ...}}` -- Tulis output ke file: +- Tulis output ke berkas: -`rubocop --out {{jalan/menuju/file}}` +`rubocop --out {{jalan/menuju/berkas}}` -- Melihat daftar cop (aturan-aturan dalam menganalisa): +- Lihat daftar cop (aturan-aturan dalam menganalisa): `rubocop --show-cops` -- Mengecualikan cop: +- Kecualikan kumpulan cop dalam proses analisa: -`rubocop --except {{cop_1}} {{cop_2}}` +`rubocop --except {{cop1 cop2 ...}}` -- Menjalankan hanya beberapa cop: +- Jalankan hanya beberapa cop: -`rubocop --only {{cop_1}} {{cop_2}}` +`rubocop --only {{cop1 cop2 ...}}` -- Memperbaiki file secara otomatis (fitur percobaan): +- Perbaiki berkas secara otomatis (fitur percobaan): `rubocop --auto-correct` diff --git a/pages.id/common/ruby.md b/pages.id/common/ruby.md index 956d4b0d9..37b049806 100644 --- a/pages.id/common/ruby.md +++ b/pages.id/common/ruby.md @@ -3,22 +3,26 @@ > Interpreter bahasa pemrograman Ruby. > Informasi lebih lanjut: . -- Memulai REPL (_shell_ interaktif): +- Jalankan suatu berkas skrip atau program Ruby: -`irb` +`ruby {{jalan/menuju/skrip.rb}}` -- Menjalankan skrip Ruby: +- Jalankan suatu perintah Ruby dalam command-line: -`ruby {{lokasi/ke/script.rb}}` +`ruby -e {{perintah}}` -- Menjalankan sebuah perintah Ruby dalam _command-line_: +- Periksa kesalahan sintaks dari suatu berkas skrip Ruby: -`ruby -e {{command}}` +`ruby -c {{jalan/menuju/skrip.rb}}` -- Memeriksa kesalahan sintaks dari skrip Ruby: +- Jalankan program peladen (server) HTTP bawaan terrhadap direktori saat ini menuju port 8080: -`ruby -c {{lokasi/ke/script.rb}}` +`ruby -run -e httpd` -- Menampilkan versi Ruby yang anda gunakan: +- Jalankan suatu berkas biner program Ruby tanpa memasang suatu pustaka (library) pendukung yang diwajibkan: + +`ruby -I {{jalan/menuju/direktori_pustaka}} -r {{nama_pustaka_yang_dikecualikan}} {{jalan/menuju/direktori_bin/nama_berkas_bin}}` + +- Tampilkan [v]ersi Ruby saat ini: `ruby -v` diff --git a/pages.id/common/split.md b/pages.id/common/split.md index 8cbc7572b..f41c5d7f0 100644 --- a/pages.id/common/split.md +++ b/pages.id/common/split.md @@ -5,16 +5,16 @@ - Memisahkan sebuah file, tiap bagian memiliki 10 baris (kecuali di bagian terakhir): -`split -l {{10}} {{nama_file}}` +`split -l 10 {{jalan/menuju/berkas}}` - Memisahkan sebuah file menjadi 5 file. Dibagi sehingga masing-masing bagian memiliki ukuran yang sama (kecuali di bagian terakhir): -`split -n {{5}} {{nama_file}}` +`split -n 5 {{jalan/menuju/berkas}}` - Memisahkan sebuah file dengan ukuran 512 byte masing-masing bagiannya (kecuali di bagian terakhir; gunakan 512k untuk kilobyte dan 512m untuk megabytes): -`split -b {{512}} {{nama_file}}` +`split -b 512 {{jalan/menuju/berkas}}` - Memisahkan sebuah file dengan ukuran paling banyak 512 byte masing-masing bagiannya tanpa memotong baris: -`split -C {{512}} {{nama_file}}` +`split -C 512 {{jalan/menuju/berkas}}` diff --git a/pages.id/common/tlmgr-arch.md b/pages.id/common/tlmgr-arch.md index ef2558ccc..522064cd9 100644 --- a/pages.id/common/tlmgr-arch.md +++ b/pages.id/common/tlmgr-arch.md @@ -1,4 +1,4 @@ -# tlmgr-arch +# tlmgr arch > Perintah ini merupakan alias dari `tlmgr platform`. > Informasi lebih lanjut: . diff --git a/pages.id/common/touch.md b/pages.id/common/touch.md index 9f246f458..d9468c534 100644 --- a/pages.id/common/touch.md +++ b/pages.id/common/touch.md @@ -1,7 +1,7 @@ # touch > Mengubah waktu akses (atime) dan waktu modifikasi (mtime) dari sebuah file. -> Informasi lebih lanjut: . +> Informasi lebih lanjut: . - Membuat file baru yang kosong atau mengubah waktu file yang telahj ada ke waktu sekarang: diff --git a/pages.id/linux/a2ensite.md b/pages.id/linux/a2ensite.md new file mode 100644 index 000000000..94667d08b --- /dev/null +++ b/pages.id/linux/a2ensite.md @@ -0,0 +1,12 @@ +# a2ensite + +> Izinkan sebuah host maya (virtual host) Apache pada OS berbasis Debian. +> Informasi lebih lanjut: . + +- Izinkan sebuah host maya: + +`sudo a2ensite {{host_maya}}` + +- Jangan tampilkan pesan informatif: + +`sudo a2ensite --quiet {{host_maya}}` diff --git a/pages.id/linux/acpi.md b/pages.id/linux/acpi.md new file mode 100644 index 000000000..7e9c57118 --- /dev/null +++ b/pages.id/linux/acpi.md @@ -0,0 +1,28 @@ +# acpi + +> Tampilkan status baterai atau informasi suhu. +> Informasi lebih lanjut: . + +- Tampilkan informasi baterai: + +`acpi` + +- Tampilkan informasi suhu: + +`acpi -t` + +- Tampilkan informasi perangkat pendingin: + +`acpi -c` + +- Tampilkan informasi suhu dalam Fahrenheit: + +`acpi -tf` + +- Tampilkan semua informasi: + +`acpi -V` + +- Ekstrak informasi dari `/proc` daripada `/sys`: + +`acpi -p` diff --git a/pages.id/linux/adduser.md b/pages.id/linux/adduser.md new file mode 100644 index 000000000..9d3790098 --- /dev/null +++ b/pages.id/linux/adduser.md @@ -0,0 +1,24 @@ +# adduser + +> Utilitas penambahan pengguna. +> Informasi lebih lanjut: . + +- Buat seorang pengguna baru dengan sebuah direktori pangkal/home bawaan dan mendesak pengguna untuk mengatur sebuah kata sandi: + +`adduser {{nama_pengguna}}` + +- Buat seorang pengguna baru tanpa sebuah direktori pangkal/home: + +`adduser --no-create-home {{nama_pengguna}}` + +- Buat seorang pengguna baru dengan sebuah direktori pangkal/home di jalur yang telah dispesifikasikan: + +`adduser --home {{jalur/ke/home}} {{nama_pengguna}}` + +- Buat seorang pengguna baru dengan shell yang telah dispesifikasikan sebagai shell login: + +`adduser --shell {{jalur/ke/shell}} {{nama_pengguna}}` + +- Buat seorang pengguna baru yang masuk ke grup pengguna yang dispesifikasikan: + +`adduser --ingroup {{grup}} {{nama_pengguna}}` diff --git a/pages.id/linux/apt-cache.md b/pages.id/linux/apt-cache.md index 7d341378a..8c0968046 100644 --- a/pages.id/linux/apt-cache.md +++ b/pages.id/linux/apt-cache.md @@ -1,7 +1,7 @@ # apt-cache > Pencari paket untuk Debian dan Ubuntu. -> Informasi lebih lanjut: . +> Informasi lebih lanjut: . - Cari paket di sumber yang sudah dimiliki: diff --git a/pages.id/linux/apt-file.md b/pages.id/linux/apt-file.md new file mode 100644 index 000000000..392366468 --- /dev/null +++ b/pages.id/linux/apt-file.md @@ -0,0 +1,20 @@ +# apt-file + +> Cari kumpulan berkas di dalam paket `apt`, termasuk yang belum dipasang. +> Informasi lebih lanjut: . + +- Perbarui basis data metadata: + +`sudo apt update` + +- Cari paket yang berisi nama atau lokasi berkas tertentu: + +`apt-file {{search|find}} {{sebagian_nama_jalan/menuju/berkas}}` + +- Tampilkan daftar konten dari sebuah paket: + +`apt-file {{show|list}} {{paket}}` + +- Cari paket yang sesuai dengan `ekspresi_reguler`: + +`apt-file {{search|find}} --regexp {{ekspresi_reguler}}` diff --git a/pages.id/linux/apt-get.md b/pages.id/linux/apt-get.md index fa24ade3a..0c22c62ae 100644 --- a/pages.id/linux/apt-get.md +++ b/pages.id/linux/apt-get.md @@ -2,7 +2,7 @@ > Manajemen paket untuk Debian dan Ubuntu. > Cari paket menggunakan `apt-cache`. -> Informasi lebih lanjut: . +> Informasi lebih lanjut: . - Perbarui daftar paket yang tersedia beserta versinya (hal ini direkomendasikan untuk dijalankan sebelum menjalankan perintah `apt-get` yang lain): diff --git a/pages.id/linux/apt.md b/pages.id/linux/apt.md index ca57543ba..0877873eb 100644 --- a/pages.id/linux/apt.md +++ b/pages.id/linux/apt.md @@ -2,36 +2,37 @@ > Manajer paket untuk distribusi Linux berbasis Debian. > Pengganti `apt-get` yang direkomendasikan ketika digunakan secara interaktif di Ubuntu versi 16.04 atau yang lebih baru. -> Informasi lebih lanjut: . +> Lihat untuk daftar perintah dalam manajer paket lain yang menyerupai perintah `apt`. +> Informasi lebih lanjut: . -- Memperbarui daftar paket yang tersedia dan versinya (direkomendasikan untuk menggunakan perintah ini sebelum perintah `apt` lainnya.): +- Perbarui daftar paket yang tersedia dan versinya (direkomendasikan untuk menggunakan perintah ini sebelum perintah `apt` lainnya.): `sudo apt update` -- Mencari paket yang tersedia dengan nama atau deskripsi tertentu: +- Cari paket yang tersedia dengan nama atau deskripsi tertentu: `apt search {{nama_atau_deskripsi_paket}}` -- Memperlihatkan informasi tentang suatu paket: +- Tampilkan informasi tentang suatu paket: `apt show {{nama_paket}}` -- Menginstal sebuah paket, atau memperbarui paket ke versi terbaru: +- Pasang atau perbarui sebuah paket menuju versi terbaru: `sudo apt install {{nama_paket}}` -- Menghapus sebuah paket (gunakan `sudo apt purge` untuk menghapus paket beserta file konfigurasinya): +- Hapus paket yang terpasang sebelumnya (gunakan `sudo apt purge` untuk sekaligus menghapus file konfigurasi yang dibuat oleh paket tersebut): `sudo apt remove {{nama_paket}}` -- Memperbarui seluruh paket yang terpasang ke versi terbaru: +- Perbarui seluruh paket yang terpasang ke versi terbaru: `sudo apt upgrade` -- Memperlihatkan daftar semua paket yang tersedia di dalam repositori: +- Tampilkan daftar semua paket yang tersedia di dalam repositori: `apt list` -- Memperlihatkan daftar paket yang telah terpasang: +- Tampilkan daftar paket yang telah terpasang: `apt list --installed` diff --git a/pages.id/linux/dpkg.md b/pages.id/linux/dpkg.md index 7ea84d7b7..a8e418774 100644 --- a/pages.id/linux/dpkg.md +++ b/pages.id/linux/dpkg.md @@ -2,7 +2,7 @@ > Manajer paket Debian. > Beberapa subperintah seperti `dpkg deb` memiliki dokumentasi penggunaannya sendiri. -> Informasi lebih lanjut: . +> Informasi lebih lanjut: . - Memasang paket dari sebuah file DEB: diff --git a/pages.id/linux/ip-route-list.md b/pages.id/linux/ip-route-list.md index 8309fff03..ea8dfff04 100644 --- a/pages.id/linux/ip-route-list.md +++ b/pages.id/linux/ip-route-list.md @@ -1,6 +1,6 @@ -# ip-route-list +# ip route list -> Perintah ini merupakan alias dari `ip-route-show`. +> Perintah ini merupakan alias dari `ip route show`. - Tampilkan dokumentasi untuk perintah asli: diff --git a/pages.id/linux/poweroff.md b/pages.id/linux/poweroff.md index 9e85347d5..2cdea3a21 100644 --- a/pages.id/linux/poweroff.md +++ b/pages.id/linux/poweroff.md @@ -1,7 +1,7 @@ # poweroff > Matikan sistem. -> Informasi lebih lanjut: . +> Informasi lebih lanjut: . - Matikan sistem: diff --git a/pages.id/linux/xfce4-terminal.md b/pages.id/linux/xfce4-terminal.md index 97646cb75..259b500a2 100644 --- a/pages.id/linux/xfce4-terminal.md +++ b/pages.id/linux/xfce4-terminal.md @@ -15,7 +15,7 @@ `xfce4-terminal --tab` -- Menjalankan sebuah perintah di jendela terminal baru: +- Jalankan sebuah perintah di jendela terminal baru: `xfce4-terminal --command "{{perintah_dengan_argumen}}"` diff --git a/pages.id/linux/yum.md b/pages.id/linux/yum.md index 3e0193a46..7fa48c6e0 100644 --- a/pages.id/linux/yum.md +++ b/pages.id/linux/yum.md @@ -1,14 +1,14 @@ # yum > Utilitas manajemen paket untuk RHEL, Fedora, dan CentOS (untuk versi-versi yang lebih lama). -> Untuk perintah-perintah setara dalam pengelola paket lainnya, lihat . +> Lihat untuk daftar perintah dalam manajer paket lain yang menyerupai perintah `yum`. > Informasi lebih lanjut: . -- Instal sebuah paket baru: +- Pasang suatu paket: `yum install {{nama_paket}}` -- Instal sebuah paket baru dan mengasumsikan jawaban [y]a untuk semua pertanyaan (juga berfungsi dengan perintah pembaruan, sangat berguna untuk pembaruan otomatis): +- Pasang paket dengan mengasumsikan jawaban [y]a untuk semua pertanyaan (juga berfungsi dengan perintah pembaruan, sangat berguna untuk pembaruan otomatis): `yum -y install {{nama_paket}}` diff --git a/pages.id/osx/arch.md b/pages.id/osx/arch.md new file mode 100644 index 000000000..d0b18ebe9 --- /dev/null +++ b/pages.id/osx/arch.md @@ -0,0 +1,17 @@ +# arch + +> Tampilkan nama arsitektur sistem saat ini, atau jalankan suatu perintah menggunakan arsitektur yang berbeda. +> Lihat juga: `uname`. +> Informasi lebih lanjut: . + +- Tampilkan informasi arsitektur sistem saat ini: + +`arch` + +- Jalankan suatu perintah menggunakan arsitektur x86_64: + +`arch -x86_64 "{{command}}"` + +- Jalankan suatu perintah menggunakan arsitektur arm: + +`arch -arm64 "{{command}}"` diff --git a/pages.id/osx/date.md b/pages.id/osx/date.md index dbd5c7846..79b3743b5 100644 --- a/pages.id/osx/date.md +++ b/pages.id/osx/date.md @@ -17,4 +17,4 @@ - Menampilkan tanggal tertentu (diwakili sebagai _Unix timestamp_) menggunakan format bawaan: -`date -r 1473305798` +`date -r {{1473305798}}` diff --git a/pages.id/osx/osascript.md b/pages.id/osx/osascript.md index 404f60455..15d09362a 100644 --- a/pages.id/osx/osascript.md +++ b/pages.id/osx/osascript.md @@ -3,11 +3,11 @@ > Jalankan AppleScript atau JavaScript for Automation (JXA) dari command-line. > Informasi lebih lanjut: . -- Menjalankan sebuah perintah AppleScript: +- Jalankan sebuah perintah AppleScript: `osascript -e "{{say 'Halo dunia'}}"` -- Menjalankan beberapa perintah AppleScript: +- Jalankan beberapa perintah AppleScript: `osascript -e "{{say 'Halo'}}" -e "{{say 'dunia'}}"` @@ -19,7 +19,7 @@ `osascript -e 'id of app "{{Aplikasi}}"'` -- Menjalankan sebuah perintah JavaScript: +- Jalankan sebuah perintah JavaScript: `osascript -l JavaScript -e "{{console.log('Halo dunia');}}"` diff --git a/pages.id/osx/shuf.md b/pages.id/osx/shuf.md index 71d705825..b80e3a11d 100644 --- a/pages.id/osx/shuf.md +++ b/pages.id/osx/shuf.md @@ -9,7 +9,7 @@ - Hanya mengoutputkan 5 entri dari hasil: -`shuf --head-count={{5}} {{nama_file}}` +`shuf --head-count=5 {{nama_file}}` - Menuliskan output ke file lain: @@ -17,4 +17,4 @@ - Men-generate angka acak dari 1-10: -`shuf --input-range={{1-10}}` +`shuf --input-range=1-10` diff --git a/pages.id/sunos/devfsadm.md b/pages.id/sunos/devfsadm.md new file mode 100644 index 000000000..58eea65ff --- /dev/null +++ b/pages.id/sunos/devfsadm.md @@ -0,0 +1,16 @@ +# devfsadm + +> Perintah administrasi untuk `/dev`. Kelola namespace `/dev`. +> Informasi lebih lanjut: . + +- Pindai piringan baru: + +`devfsadm -c disk` + +- Bersihkan semua tautan /dev yang beruntai dan memindai perangkat baru: + +`devfsadm -C -v` + +- Dry-run - luaran yang akan dirubah tapi tanpa membuat modifikasi: + +`devfsadm -C -v -n` diff --git a/pages.id/sunos/dmesg.md b/pages.id/sunos/dmesg.md new file mode 100644 index 000000000..ba3c5019a --- /dev/null +++ b/pages.id/sunos/dmesg.md @@ -0,0 +1,16 @@ +# dmesg + +> Tulis pesan kernel ke `stdout`. +> Informasi lebih lanjut: . + +- Tampilkan pesan kernel: + +`dmesg` + +- Tampilkan berapa memori fisik yang tersedia di sistem ini: + +`dmesg | grep -i memory` + +- Tampilkan pesan kernel 1 halaman dalam 1 waktu: + +`dmesg | less` diff --git a/pages.id/sunos/prctl.md b/pages.id/sunos/prctl.md new file mode 100644 index 000000000..0a349f1e7 --- /dev/null +++ b/pages.id/sunos/prctl.md @@ -0,0 +1,16 @@ +# prctl + +> Ambil atau atur sumber daya dari proses, tugas dan projek yang berjalan. +> Informasi lebih lanjut: . + +- Periksa batas dan perizinan proses: + +`prctl {{pid}}` + +- Periksa batas dan perizinan proses dalam format yang dapat diurai mesin: + +`prctl -P {{pid}}` + +- Ambil batas spesifik dari sebuah proses yang berjalan: + +`prctl -n process.max-file-descriptor {{pid}}` diff --git a/pages.id/sunos/prstat.md b/pages.id/sunos/prstat.md new file mode 100644 index 000000000..30adbb461 --- /dev/null +++ b/pages.id/sunos/prstat.md @@ -0,0 +1,24 @@ +# prstat + +> Laporkan statistik proses aktif. +> Informasi lebih lanjut: . + +- Periksa semua proses dan laporan statistik yang diurutkan berdasarkan tingkat penggunaan CPU: + +`prstat` + +- Periksa semua proses dan laporan statistik yang disortir berdasarkan penggunaan memori: + +`prstat -s rss` + +- Laporkan ringkasan total penggunaan untuk tiap user: + +`prstat -t` + +- Laporkan informasi pengukuran proses microstate: + +`prstat -m` + +- Cetak daftar penggunaan CPU 5 proses teratas tiap 1 detik: + +`prstat -c -n 5 -s cpu 1` diff --git a/pages.id/sunos/snoop.md b/pages.id/sunos/snoop.md new file mode 100644 index 000000000..7248b3d40 --- /dev/null +++ b/pages.id/sunos/snoop.md @@ -0,0 +1,25 @@ +# snoop + +> Pengendus paket jaringan. +> Perintah setara tcpdump untuk SunOS. +> Informasi lebih lanjut: . + +- Tangkap paket pada antarmuka jaringan tertentu: + +`snoop -d {{e1000g0}}` + +- Simpan paket yang tertangkap pada sebuah berkas dari pada menampilkannya: + +`snoop -o {{jalan/menuju/berkas}}` + +- Tampilkan rangkuman lapisan protokol paket-paket dari sebuah berkas dengan rinci: + +`snoop -V -i {{jalur/ke/berkas}}` + +- Tangkap paket jaringan yang datang dari sebuah nama host dan pergi ke port yang ditentukan: + +`snoop to port {{port}} from host {{nama_host}}` + +- Tangkap dan tampilkan sebuah hex-dump dari pertukaran paket jaringan di antara 2 alamat IP: + +`snoop -x0 -p4 {{ip1}} {{ip2}}` diff --git a/pages.id/sunos/svcadm.md b/pages.id/sunos/svcadm.md new file mode 100644 index 000000000..162eef1c7 --- /dev/null +++ b/pages.id/sunos/svcadm.md @@ -0,0 +1,24 @@ +# svcadm + +> Instansi untuk manipulasi hak akses layanan. +> Informasi lebih lanjut: . + +- Izinkan sebuah servis yang ada dalam basis data servis: + +`svcadm enable {{nama_servis}}` + +- Larang servis: + +`svcadm disable {{nama servis}}` + +- Jalankan ulang sebuah servis yang berjalan: + +`svcadm restart {{nama servis}}` + +- Perintahkan servis untuk baca ulang berkas konfigurasi: + +`svcadm refresh {{nama servis}}` + +- Bersihkan sebuah servis dari kondisi perawatan dan perintahkan untuk berjalan: + +`svcadm clear {{nama servis}}` diff --git a/pages.id/sunos/svccfg.md b/pages.id/sunos/svccfg.md new file mode 100644 index 000000000..35652ecb2 --- /dev/null +++ b/pages.id/sunos/svccfg.md @@ -0,0 +1,16 @@ +# svccfg + +> Impor, ekspor, dan modifikasi konfigurasi servis. +> Informasi lebih lanjut: . + +- Validasi berkas konfigurasi: + +`svccfg validate {{jalan/menuju/berkas_smf.xml}}` + +- Ekspor konfigurasi servis kedalam sebuah berkas: + +`svccfg export {{nama_servis}} > {{jalur/ke/berkas_smf.xml}}` + +- Impor/perbarui konfigurasi servis dari berkas: + +`svccfg import {{jalan/menuju/berkas_smf.xml}}` diff --git a/pages.id/sunos/svcs.md b/pages.id/sunos/svcs.md new file mode 100644 index 000000000..d2c89923a --- /dev/null +++ b/pages.id/sunos/svcs.md @@ -0,0 +1,24 @@ +# svcs + +> Ambil atau atur sumber daya dari proses, tugas dan projek yang berjalan. +> Informasi lebih lanjut: . + +- Daftar semua servis yang berjalan: + +`svcs` + +- Daftar servis-servis yang tidak berjalan: + +`svcs -vx` + +- Daftar informasi tentang sebuah servis: + +`svcs apache` + +- Tampilkan lokasi dari berkas catatan servis: + +`svcs -L apache` + +- Display end of a service log file: + +`tail $(svcs -L apache)` diff --git a/pages.id/sunos/truss.md b/pages.id/sunos/truss.md new file mode 100644 index 000000000..c666663d6 --- /dev/null +++ b/pages.id/sunos/truss.md @@ -0,0 +1,25 @@ +# truss + +> Alat pemecah masalah untuk menelusuri panggilan sistem. +> Perintah setara strace untuk SunOS. +> Informasi lebih lanjut: . + +- Telusuri sebuah program dengan mengeksekusinya dan mengawasi semua proses turunan: + +`truss -f {{program}}` + +- Mulai menelusuri sebuah proses tertentu berdasarkan PID-nya: + +`truss -p {{pid}}` + +- Mulai menelusuri sebuah program dengan mengeksekusinya, tampilkan argumen-argumen dan variabel-variabel lingkungan: + +`truss -a -e {{program}}` + +- Menghitung waktu, panggilan, dan error untuk setiap panggilan sistem dan laporkan sebuah ringkasan saat keluar program: + +`truss -c -p {{pid}}` + +- Telusuri proses berdasarkan keluaran dari panggilan sistem: + +`truss -p {{pid}} -t {{nama_panggilan_sistem}}` diff --git a/pages.id/windows/cls.md b/pages.id/windows/cls.md index d2c56b1e1..f29828c34 100644 --- a/pages.id/windows/cls.md +++ b/pages.id/windows/cls.md @@ -1,8 +1,13 @@ # cls -> Membersihkan layar. +> Bersihkan layar terminal. +> Dalam PowerShell, perintah ini merupakan alias dari `Clear-Host`. Dokumentasi ini ditulis menurut perintah `cd` versi Command Prompt (`cls`). > Informasi lebih lanjut: . +- Lihat dokumentasi untuk perintah PowerShell serupa: + +`tldr clear-host` + - Bersihkan layar: `cls` diff --git a/pages.id/windows/explorer.md b/pages.id/windows/explorer.md index 85346fce6..77773bd80 100644 --- a/pages.id/windows/explorer.md +++ b/pages.id/windows/explorer.md @@ -13,4 +13,4 @@ - Membuka Windows Explorer di direktori tertentu: -`explorer {{alamat/ke/direktori}}` +`explorer {{jalan/menuju/direktori}}` diff --git a/pages.id/windows/ipconfig.md b/pages.id/windows/ipconfig.md index 7da6c01f8..6f14bce83 100644 --- a/pages.id/windows/ipconfig.md +++ b/pages.id/windows/ipconfig.md @@ -1,24 +1,28 @@ # ipconfig -> Menampilkan dan mengatur konfigurasi jaringan dalam sistem operasi Windows. +> Tampilkan dan atur konfigurasi jaringan dalam sistem operasi Windows. > Informasi lebih lanjut: . -- Menunjukkan daftar adaptor jaringan: +- Tampilkan daftar seluruh adaptor jaringan yang terpasang: `ipconfig` -- Menunjukkan daftar adaptor jaringan secara lengkap: +- Tampilkan daftar adaptor jaringan secara rinci: `ipconfig /all` -- Memperbarui alamat IP sebuah adaptor jaringan: +- Perbarui alamat IP suatu adaptor jaringan: `ipconfig /renew {{adaptor}}` -- Mengosongkan alamat-alamat IP yang disetel dalam sebuah adaptor jaringan: +- Kosongkan alamat-alamat IP yang disetel dalam suatu adaptor jaringan: `ipconfig /release {{adaptor}}` -- Mengosongkan cache DNS: +- Tampilkan dafter informasi DNS yang disimpan dalam cache: + +`ipconfig /displaydns` + +- Kosongkan cache DNS: `ipconfig /flushdns` diff --git a/pages.id/windows/whoami.md b/pages.id/windows/whoami.md index 0d49e9ab6..25796f020 100644 --- a/pages.id/windows/whoami.md +++ b/pages.id/windows/whoami.md @@ -1,24 +1,28 @@ # whoami -> Menampilkan detail informasi pengguna saat ini. +> Tampilkan informasi identitas pengguna saat ini secara rinci. > Informasi lebih lanjut: . -- Menampilkan username pengguna saat ini: +- Tampilkan username pengguna saat ini: `whoami` -- Menampilkan daftar grup dari pengguna saat ini: +- Tampilkan daftar grup dari pengguna saat ini: `whoami /groups` -- Menampilkan hak (privileges) pengguna saat ini: +- Tampilkan hak (privileges) pengguna saat ini: `whoami /priv` -- Menampilkan nama utama pengguna (UPN) saat ini: +- Tampilkan nama utama pengguna (UPN) saat ini: `whoami /upn` -- Menampilkan id logon dari pengguna saat ini: +- Tampilkan ID logon dari pengguna saat ini: `whoami /logonid` + +- Tampilkan seluruh informasi identitas pengguna saat ini: + +`whoami /all` diff --git a/pages.id/windows/winget.md b/pages.id/windows/winget.md index 4467ef5cc..e6d362410 100644 --- a/pages.id/windows/winget.md +++ b/pages.id/windows/winget.md @@ -3,10 +3,14 @@ > Manajer Paket Antarmuka Baris Perintah Windows. > Informasi lebih lanjut: . -- Instal paket: +- Pasang suatu paket: `winget install {{nama_paket}}` +- Hapus paket yang terpasang sebelumnya (Catatan: subperintah `uninstall` juga dapat digantikan dengan `remove`): + +`winget uninstall {{nama_paket}}` + - Tampilkan informasi tentang paket: `winget show {{nama_paket}}` @@ -15,18 +19,18 @@ `winget search {{nama_paket}}` -- Perbarui paket: +- Perbarui seluruh paket menuju versi terkini: -`winget upgrade {{nama_paket}}` +`winget upgrade --all` -- Tampilkan paket: +- Tampilkan paket terpasang yang dapat dikelola oleh `winget`: -`winget list {{nama_paket}}` +`winget list --source winget` -- Hapus paket: +- Impor atau ekspor daftar paket terpasang ke dalam suatu file: -`winget uninstall {{nama_paket}}` +`winget {{import|export}} {{--import-file|--output}} {{jalan/menuju/berkas}}` -- Bantuan daftar lengkap perintah: +- Lakukan uji validasi manifes pemaketan winget sebelum mengirimkan rencana perubahan (Pull Request) menuju repositori winget-pkgs: -`winget --help` +`winget validate {{jalan/menuju/manifes}}` diff --git a/pages.it/common/!.md b/pages.it/common/!.md index 70d353a05..84bca4dee 100644 --- a/pages.it/common/!.md +++ b/pages.it/common/!.md @@ -1,7 +1,7 @@ # Exclamation mark > Comando bash integrato per sostituire con un comando trovato nella cronologia. -> Maggiori informazioni: . +> Maggiori informazioni: . - Sostituisci con il comando precedente ed eseguilo con sudo: diff --git a/pages.it/common/[.md b/pages.it/common/[.md index 1afd75a44..47d15643c 100644 --- a/pages.it/common/[.md +++ b/pages.it/common/[.md @@ -2,7 +2,7 @@ > Controlla i tipi di file e confronta i valori. > Restituisce uno stato pari a 0 se la condizione risulta vera, 1 se risulta falsa. -> Maggiori informazioni: . +> Maggiori informazioni: . - Verifica se una determinata variabile è uguale/diversa dalla stringa specificata: diff --git a/pages.it/common/ack.md b/pages.it/common/ack.md index dcc7f5047..dca4bd6ca 100644 --- a/pages.it/common/ack.md +++ b/pages.it/common/ack.md @@ -18,11 +18,11 @@ - Limita la ricerca ai file di un tipo specifico: -`ack --type={{ruby}} "{{pattern_di_ricerca}}"` +`ack --type {{ruby}} "{{pattern_di_ricerca}}"` - Non cercare nei file di un tipo specifico: -`ack --type=no{{ruby}} "{{pattern_di_ricerca}}"` +`ack --type no{{ruby}} "{{pattern_di_ricerca}}"` - Conta il numero totale di corrispondenze trovate: diff --git a/pages.it/common/alacritty.md b/pages.it/common/alacritty.md index 9649e583b..67a439199 100644 --- a/pages.it/common/alacritty.md +++ b/pages.it/common/alacritty.md @@ -15,10 +15,10 @@ `alacritty -e {{comando}}` -- Specifica un file di configurazione alternativo (predefinito a `$XDG_CONFIG_HOME/alacritty/alacritty.yml`): +- Specifica un file di configurazione alternativo (predefinito a `$XDG_CONFIG_HOME/alacritty/alacritty.toml`): -`alacritty --config-file {{percorso/di/config.yml}}` +`alacritty --config-file {{percorso/di/config.toml}}` -- Esegui con ricaricamento configurazione live (può anche essere acceso in `alacritty.yml`): +- Esegui con ricaricamento configurazione live (può anche essere acceso in `alacritty.toml`): -`alacritty --live-config-reload --config-file {{percorsi/al/config.yml}}` +`alacritty --live-config-reload --config-file {{percorsi/al/config.toml}}` diff --git a/pages.it/common/autossh.md b/pages.it/common/autossh.md index 7316d91ca..0e00ae4ca 100644 --- a/pages.it/common/autossh.md +++ b/pages.it/common/autossh.md @@ -1,18 +1,18 @@ # autossh > Esegue, monitora e riavvia connessioni SSH. -> Si riconnette automaticamente per tenere attivi tunnel di port forwarding. Accetta tutte le flag di ssh. +> Si riconnette automaticamente per tenere attivi tunnel di port forwarding. Accetta tutte le flag di SSH. > Maggiori informazioni: . - Apri una sessione SSH, riavviandola quando una porta monitorata smette di rispondere: `autossh -M {{porta_monitorata}} "{{comando_ssh}}"` -- Apri una sessione ssh che forwarda una porta locale verso una remota, riavviandola se necessario: +- Apri una sessione SSH che forwarda una porta locale verso una remota, riavviandola se necessario: `autossh -M {{porta_monitorata}} -L {{porta_locale}}:localhost:{{porta_remota}} {{utente}}@{{host}}` -- Forka prima di eseguire il comando ssh (si avvia in background) e non aprire una shell remota: +- Forka prima di eseguire il comando SSH (si avvia in background) e non aprire una shell remota: `autossh -f -M {{porta_monitorata}} -N "{{comando_ssh}}"` diff --git a/pages.it/common/bash.md b/pages.it/common/bash.md index 33a0e6287..a56fbaa7a 100644 --- a/pages.it/common/bash.md +++ b/pages.it/common/bash.md @@ -24,6 +24,6 @@ `bash -s` -- Stampa informazioni sulla versione di bash (usa `echo $BASH_VERSION` per mostrare solo la versione): +- Stampa informazioni sulla versione di Bash (usa `echo $BASH_VERSION` per mostrare solo la versione): `bash --version` diff --git a/pages.it/common/bc.md b/pages.it/common/bc.md index 619cae61e..07d228bb9 100644 --- a/pages.it/common/bc.md +++ b/pages.it/common/bc.md @@ -1,7 +1,7 @@ # bc > Calcolatore. -> Maggiori informazioni: . +> Maggiori informazioni: . - Esegui in modalità interattiva utilizzando la libreria math della standard library: diff --git a/pages.it/common/cabal.md b/pages.it/common/cabal.md index 2d72a3296..37cff90d9 100644 --- a/pages.it/common/cabal.md +++ b/pages.it/common/cabal.md @@ -2,7 +2,7 @@ > Interfaccia da linea di comando per l'infrastruttura di compilazione di Haskell (Cabal). > Gestisce progetti Haskell e pacchetti Cabal dal repository di pacchetti Hackage. -> Maggiori informazioni: . +> Maggiori informazioni: . - Cerca ed elenca pacchetti da Hackage: diff --git a/pages.it/common/cat.md b/pages.it/common/cat.md index 473d35a9d..115ccf62a 100644 --- a/pages.it/common/cat.md +++ b/pages.it/common/cat.md @@ -1,7 +1,7 @@ # cat > Stampa e concatena file. -> Maggiori informazioni: . +> Maggiori informazioni: . - Stampa i contenuti di un file su standard output: diff --git a/pages.it/common/clamav.md b/pages.it/common/clamav.md index 8b05ce25a..83955383c 100644 --- a/pages.it/common/clamav.md +++ b/pages.it/common/clamav.md @@ -1,4 +1,4 @@ -# clamav +# ClamAV > Questo comando è un alias per `clamdscan`. > Maggiori informazioni: . diff --git a/pages.it/common/clear.md b/pages.it/common/clear.md index 0ee4c6cc8..2b8e79fac 100644 --- a/pages.it/common/clear.md +++ b/pages.it/common/clear.md @@ -3,6 +3,6 @@ > Pulisce lo schermo del terminale. > Maggiori informazioni: . -- Pulisci lo schermo (equivalente a Control+L se si utilizza la shell bash): +- Pulisci lo schermo (equivalente a Control+L se si utilizza la shell Bash): `clear` diff --git a/pages.it/common/clementine.md b/pages.it/common/clementine.md index 8eaebe331..563e5f921 100644 --- a/pages.it/common/clementine.md +++ b/pages.it/common/clementine.md @@ -1,7 +1,7 @@ # clementine > Un moderno player e gestore di librerie musicali. -> Maggiori informazioni: . +> Maggiori informazioni: . - Apri Clementine: diff --git a/pages.it/common/column.md b/pages.it/common/column.md index a6686d00d..03d51aa03 100644 --- a/pages.it/common/column.md +++ b/pages.it/common/column.md @@ -12,7 +12,7 @@ `printf "intestazione1 intestazione2\nbar foo\n" | column --table` -- Specifica un diverso separatore di colonna (e.g. "," per csv) (il predefinito è lo spazio): +- Specifica un diverso separatore di colonna (e.g. "," per CSV) (il predefinito è lo spazio): `printf "intestazione1 intestazione2\nbar foo\n" | column --table --separator {{,}}` diff --git a/pages.it/common/convert.md b/pages.it/common/convert.md deleted file mode 100644 index 4157824c0..000000000 --- a/pages.it/common/convert.md +++ /dev/null @@ -1,28 +0,0 @@ -# convert - -> Strumento della suite immagineMagick per la conversione di immagini. -> Maggiori informazioni: . - -- Converti un'immagine da JPG a PNG: - -`convert {{immagine.jpg}} {{immagine.png}}` - -- Scala un'immagine al 50% delle sue dimensioni originali: - -`convert {{immagine.png}} -resize 50% {{immagine2.png}}` - -- Scala un'immagine ad una dimensione massima di 640x480 mantenendo le proporzioni originali: - -`convert {{immagine.png}} -resize 640x480 {{immagine2.png}}` - -- Concatena più immagini orizzontalmente: - -`convert {{immagine1.png}} {{immagine2.png}} {{immagine3.png}} +append {{immagine123.png}}` - -- Crea una GIF da una serie di immagini con un intervallo di 100ms tra ogni immagine: - -`convert {{immagine1.png}} {{immagine2.png}} {{immagine3.png}} -delay {{100}} {{animazione.gif}}` - -- Crea un'immagine a tinta unita di un determinato colore: - -`convert -size {{800x600}} "xc:{{#ff0000}}" {{immagine.png}}` diff --git a/pages.it/common/dd.md b/pages.it/common/dd.md index 80ce0cb79..44e4a6b3d 100644 --- a/pages.it/common/dd.md +++ b/pages.it/common/dd.md @@ -1,24 +1,24 @@ # dd > Converti e copia un file. -> Maggiori informazioni: . +> Maggiori informazioni: . - Crea un disco USB avviabile da un file ISO e mostra il progresso: -`dd if={{file.iso}} of=/dev/{{disco_usb}} status=progress` +`dd if={{percorso/del/file.iso}} of={{/dev/disco_usb}} status=progress` -- Clona un disco in un altro a blocchi di 4MB, ignora gli errori e mostra il progresso: +- Clona un disco su un altro disco a blocchi con grandezza di 4 MiB e scarica le scritture prima che il comando termini: -`dd if=/dev/{{disco_sorgente}} of=/dev/{{disco_destinazione}} bs=4M conv=noerror status=progress` +`dd bs=4194304 conv=fsync if={{/dev/disco_sorgente}} of={{/dev/disco_destinazione}}` -- Genera un file di 100 byte randomici utilizzando il driver random del kernel: +- Genera un file con un numero specifico di byte randomici utilizzando il driver random del kernel: -`dd if=/dev/urandom of={{file_random}} bs=100 count=1` +`dd bs={{100}} count={{1}} if=/dev/urandom of={{percorso/del/file_random}}` - Testa la performance in scrittura di un disco: -`dd if=/dev/zero of={{file_1GB}} bs=1024 count=1000000` +`dd bs={{1024}} count={{1000000}} if=/dev/zero of={{percorso/del/file_1GB}}` -- Mostra il progresso di un'operazione dd in corso (comando da eseguire in un'altra shell): +- Crea un backup di sistema, salvalo in un file IMG (può essere ripristinato in seguito scambiando `if` e `of`), e mostra il progresso: -`kill -USR1 $(pgrep -x dd)` +`dd if={{/dev/disco}} of={{percorso/del/file.img}} status=progress` diff --git a/pages.it/common/diff.md b/pages.it/common/diff.md index 79e5406f8..4d7e5adb2 100644 --- a/pages.it/common/diff.md +++ b/pages.it/common/diff.md @@ -1,7 +1,7 @@ # diff > Confronta file e directory. -> Maggiori informazioni: . +> Maggiori informazioni: . - Confronta due file (elenca cambiamenti necessari per trasformare `vecchio_file` in `nuovo_file`): diff --git a/pages.it/common/docker-build.md b/pages.it/common/docker-build.md index 3533fc7a2..22e4783b1 100644 --- a/pages.it/common/docker-build.md +++ b/pages.it/common/docker-build.md @@ -1,28 +1,28 @@ # docker build -> Crea un'immagine a partire da un Dockerfile. La creazione di un'immagine docker è chiamata build. -> Maggiori informazioni: . +> Crea un'immagine a partire da un Dockerfile. La creazione di un'immagine Docker è chiamata build. +> Maggiori informazioni: . -- Crea un'immagine docker usando il Dockerfile nella directory corrente: +- Crea un'immagine Docker usando il Dockerfile nella directory corrente: `docker build .` -- Crea un'immagine docker usando il Dockerfile disponibile a un dato URL: +- Crea un'immagine Docker usando il Dockerfile disponibile a un dato URL: `docker build {{github.com/creack/docker-firefox}}` -- Crea e tagga un'immagine docker: +- Crea e tagga un'immagine Docker: `docker build --tag {{nome:tag}} .` -- Non usare la cache per la creazione di un'immagine docker: +- Non usare la cache per la creazione di un'immagine Docker: `docker build --no-cache --tag {{nome:tag}} .` -- Crea un'immagine docker usando un dato Dockerfile: +- Crea un'immagine Docker usando un dato Dockerfile: `docker build --file {{Dockerfile}} .` -- Crea un'immagine docker usando variabili fornite in fase di build: +- Crea un'immagine Docker usando variabili fornite in fase di build: `docker build --build-arg {{HTTP_PROXY=http://10.20.30.2:1234}} --build-arg {{FTP_PROXY=http://40.50.60.5:4567}} .` diff --git a/pages.it/common/docker-compose.md b/pages.it/common/docker-compose.md index 545f704be..444274727 100644 --- a/pages.it/common/docker-compose.md +++ b/pages.it/common/docker-compose.md @@ -1,7 +1,7 @@ # docker compose > Esegui e gestisci applicazioni Docker composte da più container. -> Maggiori informazioni: . +> Maggiori informazioni: . - Elenca i container in esecuzione: diff --git a/pages.it/common/docker-exec.md b/pages.it/common/docker-exec.md index 0815c96e8..4eb958f7b 100644 --- a/pages.it/common/docker-exec.md +++ b/pages.it/common/docker-exec.md @@ -19,7 +19,7 @@ `docker exec --interactive --detach {{nome_container}} {{comando}}` -- Imposta una variabile d'ambiente in una sessione bash in esecuzione: +- Imposta una variabile d'ambiente in una sessione Bash in esecuzione: `docker exec --interactive --tty --env {{nome_variabile}}={{valore}} {{nome_container}} {{/bin/bash}}` diff --git a/pages.it/common/docker-machine.md b/pages.it/common/docker-machine.md index 928348c3e..a6607466f 100644 --- a/pages.it/common/docker-machine.md +++ b/pages.it/common/docker-machine.md @@ -1,7 +1,7 @@ # docker-machine > Crea e gestisci macchine che utilizzano Docker. -> Maggiori informazioni: . +> Maggiori informazioni: . - Elenca macchine Docker in esecuzione: diff --git a/pages.it/common/docker-network.md b/pages.it/common/docker-network.md index 40b82a2c0..aa6b79b48 100644 --- a/pages.it/common/docker-network.md +++ b/pages.it/common/docker-network.md @@ -3,7 +3,7 @@ > Crea e gestisci reti docker. > Maggiori informazioni: . -- Elenca le reti disponibili configurate sul docker daemon: +- Elenca le reti disponibili configurate sul Docker daemon: `docker network ls` diff --git a/pages.it/common/ect.md b/pages.it/common/ect.md index 21ee28d8f..5778c1c67 100644 --- a/pages.it/common/ect.md +++ b/pages.it/common/ect.md @@ -1,6 +1,6 @@ # ect -> Efficiente Tool di Compressione (o ECT) è un ottimizzatore di file scritto in C++. Supporta file PNG, JPEG, GZIP e ZIP. +> Efficiente Tool di Compressione (o ECT) è un ottimizzatore di file scritto in C++. Supporta file PNG, JPEG, gzip e Zip. > Maggiori informazioni: . - Comprimi un file: diff --git a/pages.it/common/entr.md b/pages.it/common/entr.md index dae39f92d..aa61e2f65 100644 --- a/pages.it/common/entr.md +++ b/pages.it/common/entr.md @@ -1,7 +1,7 @@ # entr > Esegui comandi arbitrari al cambiamento di file. -> Maggiori informazioni: . +> Maggiori informazioni: . - Ricompila con `make` se qualsiasi file in quasiasi sottodirectory cambia: diff --git a/pages.it/common/expand.md b/pages.it/common/expand.md index 343232a3e..d04e034fd 100644 --- a/pages.it/common/expand.md +++ b/pages.it/common/expand.md @@ -17,8 +17,8 @@ - Sostituisci i tab con un determinato numero di spazi, non 8 (default): -`expand -t={{numero_spazi}} {{file}}` +`expand -t {{numero_spazi}} {{file}}` - Utilizza una lista separata da virgole di posizioni esplicite di tab: -`expand -t={{1,4,6}}` +`expand -t {{1,4,6}}` diff --git a/pages.it/common/fossil-ci.md b/pages.it/common/fossil-ci.md index 46b31e6aa..aa7e80a23 100644 --- a/pages.it/common/fossil-ci.md +++ b/pages.it/common/fossil-ci.md @@ -1,6 +1,6 @@ -# fossil-ci +# fossil ci -> Questo comando è un alias per `fossil-commit`. +> Questo comando è un alias per `fossil commit`. > Maggiori informazioni: . - Consulta la documentazione del comando originale: diff --git a/pages.it/common/fossil-delete.md b/pages.it/common/fossil-delete.md index 045c51088..2dfd8c9e3 100644 --- a/pages.it/common/fossil-delete.md +++ b/pages.it/common/fossil-delete.md @@ -1,4 +1,4 @@ -# fossil-delete +# fossil delete > Questo comando è un alias per `fossil rm`. > Maggiori informazioni: . diff --git a/pages.it/common/fossil-forget.md b/pages.it/common/fossil-forget.md index 4047c7b2a..4288687b2 100644 --- a/pages.it/common/fossil-forget.md +++ b/pages.it/common/fossil-forget.md @@ -1,4 +1,4 @@ -# fossil-forget +# fossil forget > Questo comando è un alias per `fossil rm`. > Maggiori informazioni: . diff --git a/pages.it/common/fossil-new.md b/pages.it/common/fossil-new.md index 929b3c034..317a9fccf 100644 --- a/pages.it/common/fossil-new.md +++ b/pages.it/common/fossil-new.md @@ -1,6 +1,6 @@ -# fossil-new +# fossil new -> Questo comando è un alias per `fossil-init`. +> Questo comando è un alias per `fossil init`. > Maggiori informazioni: . - Consulta la documentazione del comando originale: diff --git a/pages.it/common/gh-cs.md b/pages.it/common/gh-cs.md index 9a71c8c02..f23050d93 100644 --- a/pages.it/common/gh-cs.md +++ b/pages.it/common/gh-cs.md @@ -1,6 +1,6 @@ -# gh-cs +# gh cs -> Questo comando è un alias per `gh-codespace`. +> Questo comando è un alias per `gh codespace`. > Maggiori informazioni: . - Consulta la documentazione del comando originale: diff --git a/pages.it/common/git-init.md b/pages.it/common/git-init.md index 5f6b1edff..58ed33bbc 100644 --- a/pages.it/common/git-init.md +++ b/pages.it/common/git-init.md @@ -15,6 +15,6 @@ `git init --object-format={{sha256}}` -- Inizializza un repository di soli dati, adatto per essere usato come server remoto accessibile via ssh: +- Inizializza un repository di soli dati, adatto per essere usato come server remoto accessibile via SSH: `git init --bare` diff --git a/pages.it/common/git-instaweb.md b/pages.it/common/git-instaweb.md index 704e63888..680dcc075 100644 --- a/pages.it/common/git-instaweb.md +++ b/pages.it/common/git-instaweb.md @@ -15,7 +15,7 @@ `git instaweb --start --port {{1234}}` -- Usa un http daemon specifico: +- Usa un HTTP daemon specifico: `git instaweb --start --httpd {{lighttpd|apache2|mongoose|plackup|webrick}}` diff --git a/pages.it/common/git-lfs.md b/pages.it/common/git-lfs.md index 63e5e4354..9658ace3e 100644 --- a/pages.it/common/git-lfs.md +++ b/pages.it/common/git-lfs.md @@ -1,7 +1,7 @@ # git lfs > Lavora con file di grandi dimensioni in repository Git. -> Maggiori informazioni: . +> Maggiori informazioni: . - Inizializza Git LFS: diff --git a/pages.it/common/gnmic-sub.md b/pages.it/common/gnmic-sub.md index aafbcef88..621e6004e 100644 --- a/pages.it/common/gnmic-sub.md +++ b/pages.it/common/gnmic-sub.md @@ -1,4 +1,4 @@ -# gnmic-sub +# gnmic sub > Questo comando è un alias per `gnmic subscribe`. > Maggiori informazioni: . diff --git a/pages.it/common/magick-convert.md b/pages.it/common/magick-convert.md new file mode 100644 index 000000000..9c75a28ed --- /dev/null +++ b/pages.it/common/magick-convert.md @@ -0,0 +1,28 @@ +# magick convert + +> Strumento della suite immagineMagick per la conversione di immagini. +> Maggiori informazioni: . + +- Converti un'immagine da JPEG a PNG: + +`magick convert {{immagine.jpg}} {{immagine.png}}` + +- Scala un'immagine al 50% delle sue dimensioni originali: + +`magick convert {{immagine.png}} -resize 50% {{immagine2.png}}` + +- Scala un'immagine ad una dimensione massima di 640x480 mantenendo le proporzioni originali: + +`magick convert {{immagine.png}} -resize 640x480 {{immagine2.png}}` + +- Concatena più immagini orizzontalmente: + +`magick convert {{immagine1.png}} {{immagine2.png}} {{immagine3.png}} +append {{immagine123.png}}` + +- Crea una GIF da una serie di immagini con un intervallo di 100ms tra ogni immagine: + +`magick convert {{immagine1.png}} {{immagine2.png}} {{immagine3.png}} -delay {{100}} {{animazione.gif}}` + +- Crea un'immagine a tinta unita di un determinato colore: + +`magick convert -size {{800x600}} "xc:{{#ff0000}}" {{immagine.png}}` diff --git a/pages.it/common/man.md b/pages.it/common/man.md index 63675c0eb..21da226b3 100644 --- a/pages.it/common/man.md +++ b/pages.it/common/man.md @@ -1,7 +1,7 @@ # man > Formatta e mostra pagine manuale. -> Maggiori informazioni: . +> Maggiori informazioni: . - Mostra la pagina di manuale di un comando: diff --git a/pages.it/common/mkdir.md b/pages.it/common/mkdir.md index 59413c848..2e6a249f2 100644 --- a/pages.it/common/mkdir.md +++ b/pages.it/common/mkdir.md @@ -9,4 +9,4 @@ - Crea directory ricorsivamente (utile per creare directory annidate): -`mkdir -p {{percorso/della/directory}}` +`mkdir {{-p|--parents}} {{percorso/della/directory}}` diff --git a/pages.it/common/nmap.md b/pages.it/common/nmap.md index 98d235d8f..5d028ad18 100644 --- a/pages.it/common/nmap.md +++ b/pages.it/common/nmap.md @@ -2,7 +2,7 @@ > Nmap è un tool per port scanning ed esplorazione di rete. > Alcune funzionalità diventano attive solamente con privilegi d'amministratore. -> Maggiori informazioni: . +> Maggiori informazioni: . - Controlla se un indirizzo IP è attivo, e indovina il suo sistema operativo: diff --git a/pages.it/common/pio-init.md b/pages.it/common/pio-init.md index 28531cae0..936a827cc 100644 --- a/pages.it/common/pio-init.md +++ b/pages.it/common/pio-init.md @@ -1,4 +1,4 @@ -# pio-init +# pio init > Questo comando è un alias per `pio project`. diff --git a/pages.it/common/sudo.md b/pages.it/common/sudo.md index c3a6002b9..bec18e5ec 100644 --- a/pages.it/common/sudo.md +++ b/pages.it/common/sudo.md @@ -15,7 +15,7 @@ `sudo -u {{utente}} -g {{gruppo}} {{id -a}}` -- Ripeti l'ultimo comando prefissandolo con "sudo" (funziona solo in bash, zsh, ecc): +- Ripeti l'ultimo comando prefissandolo con "sudo" (funziona solo in Bash, Zsh, ecc): `sudo !!` diff --git a/pages.it/common/tlmgr-arch.md b/pages.it/common/tlmgr-arch.md index 143faf2aa..c9e6fd9f0 100644 --- a/pages.it/common/tlmgr-arch.md +++ b/pages.it/common/tlmgr-arch.md @@ -1,4 +1,4 @@ -# tlmgr-arch +# tlmgr arch > Questo comando è un alias per `tlmgr platform`. > Maggiori informazioni: . diff --git a/pages.it/common/tree.md b/pages.it/common/tree.md index 9e3b65886..550fe1633 100644 --- a/pages.it/common/tree.md +++ b/pages.it/common/tree.md @@ -1,7 +1,7 @@ # tree > Mostra i contenuti della directory corrente come un albero. -> Maggiori informazioni: . +> Maggiori informazioni: . - Stampa file e directory fino al 'num'-esimo livello di profondità (dove 1 significa la directory corrente): diff --git a/pages.it/linux/a2disconf.md b/pages.it/linux/a2disconf.md index 736c4d485..dda91f2bb 100644 --- a/pages.it/linux/a2disconf.md +++ b/pages.it/linux/a2disconf.md @@ -1,7 +1,7 @@ # a2disconf > Disattiva un file di configurazione Apache su Sistemi Operativi basati su Debian. -> Maggiori informazioni: . +> Maggiori informazioni: . - Disattiva un file di configurazione: diff --git a/pages.it/linux/a2dismod.md b/pages.it/linux/a2dismod.md index f3affc593..0fbdaa3d2 100644 --- a/pages.it/linux/a2dismod.md +++ b/pages.it/linux/a2dismod.md @@ -1,7 +1,7 @@ # a2dismod > Disattiva un modulo Apache su sistemi operativi basati su Debian. -> Maggiori informazioni: . +> Maggiori informazioni: . - Disattiva un modulo: diff --git a/pages.it/linux/a2dissite.md b/pages.it/linux/a2dissite.md index ed7f43f28..dc75d45b9 100644 --- a/pages.it/linux/a2dissite.md +++ b/pages.it/linux/a2dissite.md @@ -1,7 +1,7 @@ # a2dissite > Disattiva un virtual host Apache su sistemi operativi basati su Debian. -> Maggiori informazioni: . +> Maggiori informazioni: . - Disattiva un virtual host: diff --git a/pages.it/linux/a2enconf.md b/pages.it/linux/a2enconf.md index 05730b172..94fb67800 100644 --- a/pages.it/linux/a2enconf.md +++ b/pages.it/linux/a2enconf.md @@ -1,7 +1,7 @@ # a2enconf > Attiva un file di configurazione Apache su sistemi operativi basati su Debian. -> Maggiori informazioni: . +> Maggiori informazioni: . - Attiva un file di configurazione: diff --git a/pages.it/linux/a2enmod.md b/pages.it/linux/a2enmod.md index 93cf823dc..537691a9c 100644 --- a/pages.it/linux/a2enmod.md +++ b/pages.it/linux/a2enmod.md @@ -1,7 +1,7 @@ # a2enmod > Attiva un modulo Apache su sistemi operativi basati su Debian. -> Maggiori informazioni: . +> Maggiori informazioni: . - Attiva un modulo: diff --git a/pages.it/linux/a2ensite.md b/pages.it/linux/a2ensite.md index 4ef53970a..ed3f52922 100644 --- a/pages.it/linux/a2ensite.md +++ b/pages.it/linux/a2ensite.md @@ -1,7 +1,7 @@ # a2ensite > Attiva un virtual host Apache su sistemi operativi basati su Debian. -> Maggiori informazioni: . +> Maggiori informazioni: . - Attiva un virtual host: diff --git a/pages.it/linux/a2query.md b/pages.it/linux/a2query.md index 8bf6a74a0..5a90c1769 100644 --- a/pages.it/linux/a2query.md +++ b/pages.it/linux/a2query.md @@ -1,7 +1,7 @@ # a2query > Recupera la configurazione di runtime da Apache su sistemi operativi basati su Debian. -> Maggiori informazioni: . +> Maggiori informazioni: . - Lista i moduli Apache attivi: diff --git a/pages.it/linux/add-apt-repository.md b/pages.it/linux/add-apt-repository.md index f22d89fd3..416046389 100644 --- a/pages.it/linux/add-apt-repository.md +++ b/pages.it/linux/add-apt-repository.md @@ -1,13 +1,13 @@ # add-apt-repository -> Gestisce le definizioni di repository apt. +> Gestisce le definizioni di repository APT. > Maggiori informazioni: . -- Aggiunge un nuovo repository apt: +- Aggiunge un nuovo repository APT: `add-apt-repository {{identificativo_del_repository}}` -- Rimuove un repository apt: +- Rimuove un repository APT: `add-apt-repository --remove {{identificativo_del_repository}}` diff --git a/pages.it/linux/adduser.md b/pages.it/linux/adduser.md index e9f32c556..9be6dfe19 100644 --- a/pages.it/linux/adduser.md +++ b/pages.it/linux/adduser.md @@ -1,7 +1,7 @@ # adduser > Servizio per aggiungere utenti. -> Maggiori informazioni: . +> Maggiori informazioni: . - Crea un nuovo utente con una directory home predefinita e richiede all'utente di impostare una password: diff --git a/pages.it/linux/apt-add-repository.md b/pages.it/linux/apt-add-repository.md index 14ac6fd65..759041b2f 100644 --- a/pages.it/linux/apt-add-repository.md +++ b/pages.it/linux/apt-add-repository.md @@ -1,13 +1,13 @@ # apt-add-repository -> Gestisce le definizioni di repository apt. -> Maggiori informazioni: . +> Gestisce le definizioni di repository APT. +> Maggiori informazioni: . -- Aggiunge un nuovo repository apt: +- Aggiunge un nuovo repository APT: `apt-add-repository {{identificativo_del_repository}}` -- Rimuove un repository apt: +- Rimuove un repository APT: `apt-add-repository --remove {{identificativo_del_repository}}` diff --git a/pages.it/linux/apt-cache.md b/pages.it/linux/apt-cache.md index f7493de67..d3d3a9075 100644 --- a/pages.it/linux/apt-cache.md +++ b/pages.it/linux/apt-cache.md @@ -1,7 +1,7 @@ # apt-cache > Strumenti di Debian e Ubuntu per richiedere informazioni sui pacchetti. -> Maggiori informazioni: . +> Maggiori informazioni: . - Cerca un pacchetto nelle sorgenti attuali: diff --git a/pages.it/linux/apt-file.md b/pages.it/linux/apt-file.md index bb1f8097b..41716869a 100644 --- a/pages.it/linux/apt-file.md +++ b/pages.it/linux/apt-file.md @@ -1,7 +1,7 @@ # apt-file -> Cerca un file dentro un pacchetto apt, includendo quelli non ancora installati. -> Maggiori informazioni: . +> Cerca un file dentro un pacchetto APT, includendo quelli non ancora installati. +> Maggiori informazioni: . - Aggiorna il database dei metadati: diff --git a/pages.it/linux/apt-get.md b/pages.it/linux/apt-get.md index 4719b3fc4..5a8982228 100644 --- a/pages.it/linux/apt-get.md +++ b/pages.it/linux/apt-get.md @@ -2,7 +2,7 @@ > Servizio di gestione dei pacchetti per Debian e Ubuntu. > Cerca i pacchetti usando `apt-cache`. -> Maggiori informazioni: . +> Maggiori informazioni: . - Aggiorna la lista dei pacchetti e delle loro versioni disponibili (è consigliato eseguire questo comando prima di altri comandi `apt-get`): diff --git a/pages.it/linux/apt-key.md b/pages.it/linux/apt-key.md index 8460ab438..dda61ad93 100644 --- a/pages.it/linux/apt-key.md +++ b/pages.it/linux/apt-key.md @@ -1,7 +1,7 @@ # apt-key > Servizio di gestione delle chiavi per il gestore di pacchetti APT su Debian ed Ubuntu. -> Maggiori informazioni: . +> Maggiori informazioni: . - Elenca le chiavi fidate: @@ -19,6 +19,6 @@ `wget -qO - {{https://indirizzo.tld/filename.key}} | apt-key add -` -- Aggiunge una chiave da un server di chiavi con il solo id della chiave: +- Aggiunge una chiave da un server di chiavi con il solo ID della chiave: `apt-key adv --keyserver {{pgp.mit.edu}} --recv {{ID_DELLA_CHIAVE}}` diff --git a/pages.it/linux/apt-mark.md b/pages.it/linux/apt-mark.md index ef8ec8768..92358ea44 100644 --- a/pages.it/linux/apt-mark.md +++ b/pages.it/linux/apt-mark.md @@ -1,7 +1,7 @@ # apt-mark > Servizio per cambiare lo stato di un pacchetto installato. -> Maggiori informazioni: . +> Maggiori informazioni: . - Contrassegna un pacchetto come installato automaticamente: diff --git a/pages.it/linux/apt.md b/pages.it/linux/apt.md index 82e177587..9d963a1e6 100644 --- a/pages.it/linux/apt.md +++ b/pages.it/linux/apt.md @@ -2,7 +2,7 @@ > Servizio di gestione dei pacchetti per distribuzioni basate su Debian. > Rimpiazzo raccomandato di `apt-get` quando usato interattivamente su Ubuntu 16.04 e versioni successive. -> Maggiori informazioni: . +> Maggiori informazioni: . - Aggiorna la lista dei pacchetti e delle loro versioni disponibili (è consigliato eseguire questo comando prima di altri comandi `apt`): diff --git a/pages.it/linux/deluser.md b/pages.it/linux/deluser.md index cfa52f9b4..a2d561787 100644 --- a/pages.it/linux/deluser.md +++ b/pages.it/linux/deluser.md @@ -1,7 +1,7 @@ # deluser > Rimuovi un account utente o un utente da un gruppo. -> Maggiori informazioni: . +> Maggiori informazioni: . - Rimuovi un utente: diff --git a/pages.it/linux/dpkg-deb.md b/pages.it/linux/dpkg-deb.md index c33264ac9..a1b59b98c 100644 --- a/pages.it/linux/dpkg-deb.md +++ b/pages.it/linux/dpkg-deb.md @@ -1,7 +1,7 @@ # dpkg-deb > Impacchetta, spacchetta e fornisce informazioni su archivi Debian. -> Maggiori informazioni: . +> Maggiori informazioni: . - Mostra le informazioni riguardo ad un pacchetto: diff --git a/pages.it/linux/dpkg-query.md b/pages.it/linux/dpkg-query.md index 342183c37..7a30a2592 100644 --- a/pages.it/linux/dpkg-query.md +++ b/pages.it/linux/dpkg-query.md @@ -1,7 +1,7 @@ # dpkg-query > Uno strumento che mostra informazioni sui pacchetti installati. -> Maggiori informazioni: . +> Maggiori informazioni: . - Elenca tutti i pacchetti installati: diff --git a/pages.it/linux/dpkg.md b/pages.it/linux/dpkg.md index c4a94a2b5..90731c720 100644 --- a/pages.it/linux/dpkg.md +++ b/pages.it/linux/dpkg.md @@ -2,7 +2,7 @@ > Gestore di pacchetti Debian. > Alcuni comandi aggiuntivi, come `dpkg deb`, hanno la propria documentazione. -> Maggiori informazioni: . +> Maggiori informazioni: . - Installa un pacchetto: diff --git a/pages.it/linux/ip-route-list.md b/pages.it/linux/ip-route-list.md index 9dce3a6ef..94a389d46 100644 --- a/pages.it/linux/ip-route-list.md +++ b/pages.it/linux/ip-route-list.md @@ -1,6 +1,6 @@ -# ip-route-list +# ip route list -> Questo comando è un alias per `ip-route-show`. +> Questo comando è un alias per `ip route show`. - Consulta la documentazione del comando originale: diff --git a/pages.it/linux/ip.md b/pages.it/linux/ip.md index b14b2f949..eaa3d51d2 100644 --- a/pages.it/linux/ip.md +++ b/pages.it/linux/ip.md @@ -2,7 +2,7 @@ > Mostra / manipola routing, dispositivi, criteri di routing e tunnel. > Alcuni sottocomandi, come `ip address`, hanno una propria documentazione d'uso. -> Maggiori informazioni: . +> Maggiori informazioni: . - Elenca le interfacce con informazioni dettagliate: diff --git a/pages.it/linux/lsusb.md b/pages.it/linux/lsusb.md index 08106791a..c89409031 100644 --- a/pages.it/linux/lsusb.md +++ b/pages.it/linux/lsusb.md @@ -15,6 +15,6 @@ `lsusb --verbose` -- Elenca solamente i dispositivi con un certo id fornitore e id prodotto: +- Elenca solamente i dispositivi con un certo id fornitore e ID prodotto: `lsusb -d {{fornitore}}:{{prodotto}}` diff --git a/pages.it/linux/poweroff.md b/pages.it/linux/poweroff.md index 096cd09c5..67a9f1149 100644 --- a/pages.it/linux/poweroff.md +++ b/pages.it/linux/poweroff.md @@ -1,7 +1,7 @@ # poweroff > Chiude il sistema. -> Maggiori informazioni: . +> Maggiori informazioni: . - Spegne il sistema: diff --git a/pages.it/osx/as.md b/pages.it/osx/as.md index c2562db1b..043755691 100644 --- a/pages.it/osx/as.md +++ b/pages.it/osx/as.md @@ -6,16 +6,16 @@ - Assembla un file, scrivendo l'output su a.out: -`as {{file.s}}` +`as {{percorso/del/file.s}}` - Assembla l'output nel file dato: -`as {{file.s}} -o {{out.o}}` +`as {{percorso/del/file.s}} -o {{percorso/del/out.o}}` - Genera l'output più velocemente saltando gli spazi e senza preprocessare i commenti. (Questo comando dovrebbe essere utilizzato solo con compilatori fidati): -`as -f {{file.s}}` +`as -f {{percorso/del/file.s}}` - Includi un percorso dato alla lista delle directory in cui cercare i file specificati nelle direttive `.include`: -`as -I {{percorso/della/directory}} {{file.s}}` +`as -I {{percorso/della/directory}} {{percorso/del/file.s}}` diff --git a/pages.it/windows/logoff.md b/pages.it/windows/logoff.md index 97255f4f9..869b864ec 100644 --- a/pages.it/windows/logoff.md +++ b/pages.it/windows/logoff.md @@ -7,7 +7,7 @@ `logoff` -- Termina una sessione con il suo nome o id: +- Termina una sessione con il suo nome o ID: `logoff {{nome_sessione|id_sessione}}` diff --git a/pages.it/windows/mount.md b/pages.it/windows/mount.md index f77a49087..2a8b8eb9a 100644 --- a/pages.it/windows/mount.md +++ b/pages.it/windows/mount.md @@ -17,7 +17,7 @@ - Monta una share e riprova fino a 10 volte se fallisce: -`mount -o retry={{numero_di_ripetizioni}} \\{{nome_del_computer}}\{{nome_della_share}} {{Z:}}` +`mount -o retry=10 \\{{nome_del_computer}}\{{nome_della_share}} {{Z:}}` - Monta una share forzando la distinzione tra maiuscole e minuscole: diff --git a/pages.ja/common/7zr.md b/pages.ja/common/7zr.md index 4cdb22ad5..7cc8fe812 100644 --- a/pages.ja/common/7zr.md +++ b/pages.ja/common/7zr.md @@ -1,7 +1,7 @@ # 7zr > 圧縮率の高いファイルアーカイバです。 -> `7z` と似ていますが、 `7zr` は `.7z` 形式のみをサポートしています。 +> `7z` と似ていますが、 `7zr` は 7z 形式のみをサポートしています。 > 詳しくはこちら: - ファイルまたはディレクトリを圧縮する: diff --git a/pages.ja/common/[.md b/pages.ja/common/[.md index 102f58735..bbb98e83d 100644 --- a/pages.ja/common/[.md +++ b/pages.ja/common/[.md @@ -2,7 +2,7 @@ > 条件を評価します。 > 条件が真と評価された場合は 0 を、偽と評価された場合は 1 を返します。 -> 詳しくはこちら: +> 詳しくはこちら: - 与えられた変数が与えられた文字列と等しいかどうかをテスト: diff --git a/pages.ja/common/bc.md b/pages.ja/common/bc.md index 5ed330d00..34c9acd43 100644 --- a/pages.ja/common/bc.md +++ b/pages.ja/common/bc.md @@ -2,7 +2,7 @@ > 任意の精度で計算を行える言語です。 > `dc`も参照してください。 -> 詳しくはこちら: +> 詳しくはこちら: - 対話モードのセッションを開始する: diff --git a/pages.ja/common/bundler.md b/pages.ja/common/bundler.md deleted file mode 100644 index b73a82f61..000000000 --- a/pages.ja/common/bundler.md +++ /dev/null @@ -1,8 +0,0 @@ -# bundler - -> このコマンドは `bundle` のエイリアスです。 -> 詳しくはこちら: - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr bundle` diff --git a/pages.ja/common/cat.md b/pages.ja/common/cat.md index 8597dd0cf..3905d583a 100644 --- a/pages.ja/common/cat.md +++ b/pages.ja/common/cat.md @@ -1,7 +1,7 @@ # cat > ファイルの出力と連結を行います。 -> 詳しくはこちら: +> 詳しくはこちら: - ファイルの内容を標準出力に出力する: diff --git a/pages.ja/common/clamav.md b/pages.ja/common/clamav.md index ffd9c41ca..248b4c901 100644 --- a/pages.ja/common/clamav.md +++ b/pages.ja/common/clamav.md @@ -1,4 +1,4 @@ -# clamav +# ClamAV > このコマンドは `clamdscan` のエイリアスです。 > 詳しくはこちら: diff --git a/pages.ja/common/cron.md b/pages.ja/common/cron.md deleted file mode 100644 index 7aa4e4f7f..000000000 --- a/pages.ja/common/cron.md +++ /dev/null @@ -1,7 +0,0 @@ -# cron - -> このコマンドは `crontab` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr crontab` diff --git a/pages.ja/common/docker-build.md b/pages.ja/common/docker-build.md index 3b9984668..8435ced53 100644 --- a/pages.ja/common/docker-build.md +++ b/pages.ja/common/docker-build.md @@ -1,7 +1,7 @@ # docker build > Dockerfileからイメージを構築します。 -> 詳しくはこちら: +> 詳しくはこちら: - カレントディレクトリ内のDockerfileを使ってDockerイメージを構築する: diff --git a/pages.ja/common/docker-compose.md b/pages.ja/common/docker-compose.md index 815ab345a..a5eabfb7e 100644 --- a/pages.ja/common/docker-compose.md +++ b/pages.ja/common/docker-compose.md @@ -1,7 +1,7 @@ # docker compose > 複数コンテナを持つDockerアプリケーションの実行と管理をします。 -> 詳しくはこちら: +> 詳しくはこちら: - 実行中のコンテナ全てをリスト表示する: diff --git a/pages.ja/common/docker-ps.md b/pages.ja/common/docker-ps.md index c0cc3e52a..fe5941286 100644 --- a/pages.ja/common/docker-ps.md +++ b/pages.ja/common/docker-ps.md @@ -1,7 +1,7 @@ # docker ps > Dockerコンテナ一覧を表示します。 -> 詳しくはこちら: +> 詳しくはこちら: - 現在実行中のdockerコンテナ一覧を表示する: @@ -17,7 +17,7 @@ - コンテナ名に指定の部分文字列を含むコンテナのみになるようにフィルタリングする: -`docker ps --filter="name={{コンテナ名}}"` +`docker ps --filter "name={{コンテナ名}}"` - 指定したイメージを原型(ancestor)として共有するコンテナのみになるようにフィルタリングする: @@ -25,12 +25,12 @@ - 終了コードでコンテナをフィルタリングする: -`docker ps --all --filter="exited={{コード}}"` +`docker ps --all --filter "exited={{コード}}"` - 以下のいずれかのステータスでフィルタリングする(created, running, removing, paused, exited, dead): -`docker ps --filter="status={{ステータス}}"` +`docker ps --filter "status={{ステータス}}"` - 特定のボリュームをマウントしている、または特定のパスにボリュームがマウントされているコンテナをフィルタリングする: -`docker ps --filter="volume={{ディレクトリパス}}" --format "table {{.ID}}\t{{.Image}}\t{{.Names}}\t{{.Mounts}}"` +`docker ps --filter "volume={{ディレクトリパス}}" --format "table {{.ID}}\t{{.Image}}\t{{.Names}}\t{{.Mounts}}"` diff --git a/pages.ja/common/docker-system.md b/pages.ja/common/docker-system.md index df68eb770..ff16679c0 100644 --- a/pages.ja/common/docker-system.md +++ b/pages.ja/common/docker-system.md @@ -21,7 +21,7 @@ - 不使用データのうち指定時間より前に作成されたものを削除する: -`docker system prune --filter="until={{時}}h{{分}}m"` +`docker system prune --filter "until={{時}}h{{分}}m"` - Dockerデーモンからのリアルタイムイベントを表示する: diff --git a/pages.ja/common/fossil-ci.md b/pages.ja/common/fossil-ci.md index a1b084fe2..eef9f6a2c 100644 --- a/pages.ja/common/fossil-ci.md +++ b/pages.ja/common/fossil-ci.md @@ -1,6 +1,6 @@ -# fossil-ci +# fossil ci -> このコマンドは `fossil-commit` のエイリアスです。 +> このコマンドは `fossil commit`.のエイリアスです。 > 詳しくはこちら: - オリジナルのコマンドのドキュメントを表示する: diff --git a/pages.ja/common/fossil-delete.md b/pages.ja/common/fossil-delete.md index ed6672d3a..7048702b1 100644 --- a/pages.ja/common/fossil-delete.md +++ b/pages.ja/common/fossil-delete.md @@ -1,4 +1,4 @@ -# fossil-delete +# fossil delete > このコマンドは `fossil rm` のエイリアスです。 > 詳しくはこちら: diff --git a/pages.ja/common/fossil-forget.md b/pages.ja/common/fossil-forget.md index 9deb7780a..38844c768 100644 --- a/pages.ja/common/fossil-forget.md +++ b/pages.ja/common/fossil-forget.md @@ -1,4 +1,4 @@ -# fossil-forget +# fossil forget > このコマンドは `fossil rm` のエイリアスです。 > 詳しくはこちら: diff --git a/pages.ja/common/fossil-new.md b/pages.ja/common/fossil-new.md index fd67ee0eb..4567c4255 100644 --- a/pages.ja/common/fossil-new.md +++ b/pages.ja/common/fossil-new.md @@ -1,6 +1,6 @@ -# fossil-new +# fossil new -> このコマンドは `fossil-init` のエイリアスです。 +> このコマンドは `fossil init`.のエイリアスです。 > 詳しくはこちら: - オリジナルのコマンドのドキュメントを表示する: diff --git a/pages.ja/common/gh-cs.md b/pages.ja/common/gh-cs.md index 0ad5d4729..2ece419a6 100644 --- a/pages.ja/common/gh-cs.md +++ b/pages.ja/common/gh-cs.md @@ -1,6 +1,6 @@ -# gh-cs +# gh cs -> このコマンドは `gh-codespace` のエイリアスです。 +> このコマンドは `gh codespace`.のエイリアスです。 > 詳しくはこちら: - オリジナルのコマンドのドキュメントを表示する: diff --git a/pages.ja/common/gnmic-sub.md b/pages.ja/common/gnmic-sub.md index d6a7703f6..98bae4a09 100644 --- a/pages.ja/common/gnmic-sub.md +++ b/pages.ja/common/gnmic-sub.md @@ -1,4 +1,4 @@ -# gnmic-sub +# gnmic sub > このコマンドは `gnmic subscribe` のエイリアスです。 > 詳しくはこちら: diff --git a/pages.ja/common/google-chrome.md b/pages.ja/common/google-chrome.md deleted file mode 100644 index e67830cf3..000000000 --- a/pages.ja/common/google-chrome.md +++ /dev/null @@ -1,8 +0,0 @@ -# google-chrome - -> このコマンドは `chromium` のエイリアスです。 -> 詳しくはこちら: - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr chromium` diff --git a/pages.ja/common/history.md b/pages.ja/common/history.md index 41fe3f8bb..0c2de4d1f 100644 --- a/pages.ja/common/history.md +++ b/pages.ja/common/history.md @@ -7,15 +7,15 @@ `history` -- 直近の20個のコマンドを表示する (`zsh` では20個目から始まるすべてのコマンドを表示する): +- 直近の20個のコマンドを表示する (Zsh では20個目から始まるすべてのコマンドを表示する): `history {{20}}` -- コマンド履歴のリストを消去する (現在の `bash` シェルに対してのみ): +- コマンド履歴のリストを消去する (現在の Bash シェルに対してのみ): `history -c` -- コマンド履歴ファイルを現在の `bash` シェルのコマンド履歴で上書きする (履歴を削除するために `history -c` と組み合わせることがよくあります): +- コマンド履歴ファイルを現在の Bash シェルのコマンド履歴で上書きする (履歴を削除するために `history -c` と組み合わせることがよくあります): `history -w` diff --git a/pages.ja/common/hx.md b/pages.ja/common/hx.md deleted file mode 100644 index f010c50da..000000000 --- a/pages.ja/common/hx.md +++ /dev/null @@ -1,7 +0,0 @@ -# hx - -> このコマンドは `helix` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr helix` diff --git a/pages.ja/common/kafkacat.md b/pages.ja/common/kafkacat.md deleted file mode 100644 index ae9940356..000000000 --- a/pages.ja/common/kafkacat.md +++ /dev/null @@ -1,7 +0,0 @@ -# kafkacat - -> このコマンドは `kcat` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr kcat` diff --git a/pages.ja/common/lzcat.md b/pages.ja/common/lzcat.md deleted file mode 100644 index b3cfe39a3..000000000 --- a/pages.ja/common/lzcat.md +++ /dev/null @@ -1,8 +0,0 @@ -# lzcat - -> このコマンドは `xz` のエイリアスです。 -> 詳しくはこちら: - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr xz` diff --git a/pages.ja/common/lzma.md b/pages.ja/common/lzma.md deleted file mode 100644 index 5090cd3ec..000000000 --- a/pages.ja/common/lzma.md +++ /dev/null @@ -1,8 +0,0 @@ -# lzma - -> このコマンドは `xz` のエイリアスです。 -> 詳しくはこちら: - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr xz` diff --git a/pages.ja/common/nm-classic.md b/pages.ja/common/nm-classic.md deleted file mode 100644 index 050c6fd90..000000000 --- a/pages.ja/common/nm-classic.md +++ /dev/null @@ -1,7 +0,0 @@ -# nm-classic - -> このコマンドは `nm` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr nm` diff --git a/pages.ja/common/ntl.md b/pages.ja/common/ntl.md deleted file mode 100644 index 3f83c4cb0..000000000 --- a/pages.ja/common/ntl.md +++ /dev/null @@ -1,8 +0,0 @@ -# ntl - -> このコマンドは `netlify` のエイリアスです。 -> 詳しくはこちら: - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr netlify` diff --git a/pages.ja/common/pio-init.md b/pages.ja/common/pio-init.md index ca32b0875..1b3a3b070 100644 --- a/pages.ja/common/pio-init.md +++ b/pages.ja/common/pio-init.md @@ -1,4 +1,4 @@ -# pio-init +# pio init > このコマンドは `pio project` のエイリアスです。 diff --git a/pages.ja/common/ptpython3.md b/pages.ja/common/ptpython3.md deleted file mode 100644 index fe51467e3..000000000 --- a/pages.ja/common/ptpython3.md +++ /dev/null @@ -1,7 +0,0 @@ -# ptpython3 - -> このコマンドは `ptpython` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr ptpython` diff --git a/pages.ja/common/python3.md b/pages.ja/common/python3.md deleted file mode 100644 index 22ab637a9..000000000 --- a/pages.ja/common/python3.md +++ /dev/null @@ -1,7 +0,0 @@ -# python3 - -> このコマンドは `python` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr python` diff --git a/pages.ja/common/rcat.md b/pages.ja/common/rcat.md deleted file mode 100644 index 981c48b71..000000000 --- a/pages.ja/common/rcat.md +++ /dev/null @@ -1,7 +0,0 @@ -# rcat - -> このコマンドは `rc` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr rc` diff --git a/pages.ja/common/ripgrep.md b/pages.ja/common/ripgrep.md deleted file mode 100644 index c2c40b6ba..000000000 --- a/pages.ja/common/ripgrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# ripgrep - -> このコマンドは `rg` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr rg` diff --git a/pages.ja/common/sed.md b/pages.ja/common/sed.md index 3114c76d7..db890f27b 100644 --- a/pages.ja/common/sed.md +++ b/pages.ja/common/sed.md @@ -1,7 +1,7 @@ # sed > スクリプトによるテキスト編集。 -> 詳しくはこちら: +> 詳しくはこちら: - ファイルの各行で正規表現の最初の出現箇所を置換し、その結果を表示する: diff --git a/pages.ja/common/tlmgr-arch.md b/pages.ja/common/tlmgr-arch.md index c33318078..fad945614 100644 --- a/pages.ja/common/tlmgr-arch.md +++ b/pages.ja/common/tlmgr-arch.md @@ -1,4 +1,4 @@ -# tlmgr-arch +# tlmgr arch > このコマンドは `tlmgr platform` のエイリアスです。 > 詳しくはこちら: diff --git a/pages.ja/common/todoman.md b/pages.ja/common/todoman.md deleted file mode 100644 index 98d7f94de..000000000 --- a/pages.ja/common/todoman.md +++ /dev/null @@ -1,8 +0,0 @@ -# todoman - -> このコマンドは `todo` のエイリアスです。 -> 詳しくはこちら: - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr todo` diff --git a/pages.ja/common/transmission.md b/pages.ja/common/transmission.md deleted file mode 100644 index cdb2e3117..000000000 --- a/pages.ja/common/transmission.md +++ /dev/null @@ -1,8 +0,0 @@ -# transmission - -> このコマンドは `transmission-daemon` のエイリアスです。 -> 詳しくはこちら: - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr transmission-daemon` diff --git a/pages.ja/common/unlzma.md b/pages.ja/common/unlzma.md deleted file mode 100644 index a5f65c026..000000000 --- a/pages.ja/common/unlzma.md +++ /dev/null @@ -1,8 +0,0 @@ -# unlzma - -> このコマンドは `xz` のエイリアスです。 -> 詳しくはこちら: - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr xz` diff --git a/pages.ja/common/unxz.md b/pages.ja/common/unxz.md deleted file mode 100644 index e34d23d58..000000000 --- a/pages.ja/common/unxz.md +++ /dev/null @@ -1,8 +0,0 @@ -# unxz - -> このコマンドは `xz` のエイリアスです。 -> 詳しくはこちら: - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr xz` diff --git a/pages.ja/common/xzcat.md b/pages.ja/common/xzcat.md deleted file mode 100644 index 07199f585..000000000 --- a/pages.ja/common/xzcat.md +++ /dev/null @@ -1,8 +0,0 @@ -# xzcat - -> このコマンドは `xz` のエイリアスです。 -> 詳しくはこちら: - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr xz` diff --git a/pages.ja/linux/alternatives.md b/pages.ja/linux/alternatives.md deleted file mode 100644 index 986c2fb81..000000000 --- a/pages.ja/linux/alternatives.md +++ /dev/null @@ -1,8 +0,0 @@ -# alternatives - -> このコマンドは `update-alternatives` のエイリアスです。 -> 詳しくはこちら: - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr update-alternatives` diff --git a/pages.ja/linux/apt.md b/pages.ja/linux/apt.md index 97094b944..fe16a3d2e 100644 --- a/pages.ja/linux/apt.md +++ b/pages.ja/linux/apt.md @@ -2,7 +2,7 @@ > Debian系ディストリビューションで使われるパッケージ管理システムです。 > Ubuntuのバージョンが16.04か、それ以降で対話モードを使う場合`apt-get`の代わりとして使用します。 -> 詳しくはこちら: +> 詳しくはこちら: - 利用可能なパーケージとバージョンのリストの更新(他の`apt`コマンドの前での実行を推奨): diff --git a/pages.ja/linux/batcat.md b/pages.ja/linux/batcat.md deleted file mode 100644 index 1ed8ec77a..000000000 --- a/pages.ja/linux/batcat.md +++ /dev/null @@ -1,8 +0,0 @@ -# batcat - -> このコマンドは `bat` のエイリアスです。 -> 詳しくはこちら: - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr bat` diff --git a/pages.ja/linux/bspwm.md b/pages.ja/linux/bspwm.md deleted file mode 100644 index 916ecfb67..000000000 --- a/pages.ja/linux/bspwm.md +++ /dev/null @@ -1,8 +0,0 @@ -# bspwm - -> このコマンドは `bspc` のエイリアスです。 -> 詳しくはこちら: - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr bspc` diff --git a/pages.ja/linux/cc.md b/pages.ja/linux/cc.md deleted file mode 100644 index c25c4d9cb..000000000 --- a/pages.ja/linux/cc.md +++ /dev/null @@ -1,8 +0,0 @@ -# cc - -> このコマンドは `gcc` のエイリアスです。 -> 詳しくはこちら: - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr gcc` diff --git a/pages.ja/linux/cgroups.md b/pages.ja/linux/cgroups.md deleted file mode 100644 index 76a2fb433..000000000 --- a/pages.ja/linux/cgroups.md +++ /dev/null @@ -1,8 +0,0 @@ -# cgroups - -> このコマンドは `cgclassify` のエイリアスです。 -> 詳しくはこちら: - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr cgclassify` diff --git a/pages.ja/linux/ip-route-list.md b/pages.ja/linux/ip-route-list.md index c41c49808..059420ec0 100644 --- a/pages.ja/linux/ip-route-list.md +++ b/pages.ja/linux/ip-route-list.md @@ -1,6 +1,6 @@ -# ip-route-list +# ip route list -> このコマンドは `ip-route-show` のエイリアスです。 +> このコマンドは `ip route show`.のエイリアスです。 - オリジナルのコマンドのドキュメントを表示する: diff --git a/pages.ja/linux/megadl.md b/pages.ja/linux/megadl.md deleted file mode 100644 index 2f99c622f..000000000 --- a/pages.ja/linux/megadl.md +++ /dev/null @@ -1,8 +0,0 @@ -# megadl - -> このコマンドは `megatools-dl` のエイリアスです。 -> 詳しくはこちら: - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr megatools-dl` diff --git a/pages.ja/linux/ubuntu-bug.md b/pages.ja/linux/ubuntu-bug.md deleted file mode 100644 index dab067461..000000000 --- a/pages.ja/linux/ubuntu-bug.md +++ /dev/null @@ -1,8 +0,0 @@ -# ubuntu-bug - -> このコマンドは `apport-bug` のエイリアスです。 -> 詳しくはこちら: - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr apport-bug` diff --git a/pages.ja/osx/aa.md b/pages.ja/osx/aa.md deleted file mode 100644 index 340aabd48..000000000 --- a/pages.ja/osx/aa.md +++ /dev/null @@ -1,7 +0,0 @@ -# aa - -> このコマンドは `yaa` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr yaa` diff --git a/pages.ja/osx/g[.md b/pages.ja/osx/g[.md deleted file mode 100644 index f46433a6e..000000000 --- a/pages.ja/osx/g[.md +++ /dev/null @@ -1,7 +0,0 @@ -# g[ - -> このコマンドは `-p linux [` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux [` diff --git a/pages.ja/osx/gawk.md b/pages.ja/osx/gawk.md deleted file mode 100644 index b894c0592..000000000 --- a/pages.ja/osx/gawk.md +++ /dev/null @@ -1,7 +0,0 @@ -# gawk - -> このコマンドは `-p linux awk` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux awk` diff --git a/pages.ja/osx/gb2sum.md b/pages.ja/osx/gb2sum.md deleted file mode 100644 index d9c87061d..000000000 --- a/pages.ja/osx/gb2sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gb2sum - -> このコマンドは `-p linux b2sum` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux b2sum` diff --git a/pages.ja/osx/gbase32.md b/pages.ja/osx/gbase32.md deleted file mode 100644 index 88ee28f78..000000000 --- a/pages.ja/osx/gbase32.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbase32 - -> このコマンドは `-p linux base32` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux base32` diff --git a/pages.ja/osx/gbase64.md b/pages.ja/osx/gbase64.md deleted file mode 100644 index b4a582a5c..000000000 --- a/pages.ja/osx/gbase64.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbase64 - -> このコマンドは `-p linux base64` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux base64` diff --git a/pages.ja/osx/gbasename.md b/pages.ja/osx/gbasename.md deleted file mode 100644 index 6141a688a..000000000 --- a/pages.ja/osx/gbasename.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbasename - -> このコマンドは `-p linux basename` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux basename` diff --git a/pages.ja/osx/gbasenc.md b/pages.ja/osx/gbasenc.md deleted file mode 100644 index 624d1501b..000000000 --- a/pages.ja/osx/gbasenc.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbasenc - -> このコマンドは `-p linux basenc` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux basenc` diff --git a/pages.ja/osx/gcat.md b/pages.ja/osx/gcat.md deleted file mode 100644 index 11d3be9b9..000000000 --- a/pages.ja/osx/gcat.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcat - -> このコマンドは `-p linux cat` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux cat` diff --git a/pages.ja/osx/gchcon.md b/pages.ja/osx/gchcon.md deleted file mode 100644 index 5fbb7d48d..000000000 --- a/pages.ja/osx/gchcon.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchcon - -> このコマンドは `-p linux chcon` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux chcon` diff --git a/pages.ja/osx/gchgrp.md b/pages.ja/osx/gchgrp.md deleted file mode 100644 index 72bd2af5c..000000000 --- a/pages.ja/osx/gchgrp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchgrp - -> このコマンドは `-p linux chgrp` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux chgrp` diff --git a/pages.ja/osx/gchmod.md b/pages.ja/osx/gchmod.md deleted file mode 100644 index 1ebe106c5..000000000 --- a/pages.ja/osx/gchmod.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchmod - -> このコマンドは `-p linux chmod` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux chmod` diff --git a/pages.ja/osx/gchown.md b/pages.ja/osx/gchown.md deleted file mode 100644 index b13b8c226..000000000 --- a/pages.ja/osx/gchown.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchown - -> このコマンドは `-p linux chown` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux chown` diff --git a/pages.ja/osx/gchroot.md b/pages.ja/osx/gchroot.md deleted file mode 100644 index c971228a0..000000000 --- a/pages.ja/osx/gchroot.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchroot - -> このコマンドは `-p linux chroot` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux chroot` diff --git a/pages.ja/osx/gcksum.md b/pages.ja/osx/gcksum.md deleted file mode 100644 index 3bef43abe..000000000 --- a/pages.ja/osx/gcksum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcksum - -> このコマンドは `-p linux cksum` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux cksum` diff --git a/pages.ja/osx/gcomm.md b/pages.ja/osx/gcomm.md deleted file mode 100644 index 1658b03fc..000000000 --- a/pages.ja/osx/gcomm.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcomm - -> このコマンドは `-p linux comm` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux comm` diff --git a/pages.ja/osx/gcp.md b/pages.ja/osx/gcp.md deleted file mode 100644 index 32588ea9d..000000000 --- a/pages.ja/osx/gcp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcp - -> このコマンドは `-p linux cp` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux cp` diff --git a/pages.ja/osx/gcsplit.md b/pages.ja/osx/gcsplit.md deleted file mode 100644 index d26b7654f..000000000 --- a/pages.ja/osx/gcsplit.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcsplit - -> このコマンドは `-p linux csplit` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux csplit` diff --git a/pages.ja/osx/gcut.md b/pages.ja/osx/gcut.md deleted file mode 100644 index 3bb7be043..000000000 --- a/pages.ja/osx/gcut.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcut - -> このコマンドは `-p linux cut` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux cut` diff --git a/pages.ja/osx/gdate.md b/pages.ja/osx/gdate.md deleted file mode 100644 index 829738a6e..000000000 --- a/pages.ja/osx/gdate.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdate - -> このコマンドは `-p linux date` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux date` diff --git a/pages.ja/osx/gdd.md b/pages.ja/osx/gdd.md deleted file mode 100644 index 186be4ff9..000000000 --- a/pages.ja/osx/gdd.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdd - -> このコマンドは `-p linux dd` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux dd` diff --git a/pages.ja/osx/gdf.md b/pages.ja/osx/gdf.md deleted file mode 100644 index cb6050231..000000000 --- a/pages.ja/osx/gdf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdf - -> このコマンドは `-p linux df` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux df` diff --git a/pages.ja/osx/gdir.md b/pages.ja/osx/gdir.md deleted file mode 100644 index 99e8a45a3..000000000 --- a/pages.ja/osx/gdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdir - -> このコマンドは `-p linux dir` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux dir` diff --git a/pages.ja/osx/gdircolors.md b/pages.ja/osx/gdircolors.md deleted file mode 100644 index 9df1008ee..000000000 --- a/pages.ja/osx/gdircolors.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdircolors - -> このコマンドは `-p linux dircolors` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux dircolors` diff --git a/pages.ja/osx/gdirname.md b/pages.ja/osx/gdirname.md deleted file mode 100644 index 6445cd791..000000000 --- a/pages.ja/osx/gdirname.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdirname - -> このコマンドは `-p linux dirname` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux dirname` diff --git a/pages.ja/osx/gdnsdomainname.md b/pages.ja/osx/gdnsdomainname.md deleted file mode 100644 index 2bb991fed..000000000 --- a/pages.ja/osx/gdnsdomainname.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdnsdomainname - -> このコマンドは `-p linux dnsdomainname` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux dnsdomainname` diff --git a/pages.ja/osx/gecho.md b/pages.ja/osx/gecho.md deleted file mode 100644 index 0ddc6d43d..000000000 --- a/pages.ja/osx/gecho.md +++ /dev/null @@ -1,7 +0,0 @@ -# gecho - -> このコマンドは `-p linux echo` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux echo` diff --git a/pages.ja/osx/ged.md b/pages.ja/osx/ged.md deleted file mode 100644 index 5d3a8d03a..000000000 --- a/pages.ja/osx/ged.md +++ /dev/null @@ -1,7 +0,0 @@ -# ged - -> このコマンドは `-p linux ed` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux ed` diff --git a/pages.ja/osx/gegrep.md b/pages.ja/osx/gegrep.md deleted file mode 100644 index 8392bb9ba..000000000 --- a/pages.ja/osx/gegrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# gegrep - -> このコマンドは `-p linux egrep` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux egrep` diff --git a/pages.ja/osx/genv.md b/pages.ja/osx/genv.md deleted file mode 100644 index 75296ea40..000000000 --- a/pages.ja/osx/genv.md +++ /dev/null @@ -1,7 +0,0 @@ -# genv - -> このコマンドは `-p linux env` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux env` diff --git a/pages.ja/osx/gexpand.md b/pages.ja/osx/gexpand.md deleted file mode 100644 index ea9a681e4..000000000 --- a/pages.ja/osx/gexpand.md +++ /dev/null @@ -1,7 +0,0 @@ -# gexpand - -> このコマンドは `-p linux expand` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux expand` diff --git a/pages.ja/osx/gexpr.md b/pages.ja/osx/gexpr.md deleted file mode 100644 index 56d21b3ed..000000000 --- a/pages.ja/osx/gexpr.md +++ /dev/null @@ -1,7 +0,0 @@ -# gexpr - -> このコマンドは `-p linux expr` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux expr` diff --git a/pages.ja/osx/gfactor.md b/pages.ja/osx/gfactor.md deleted file mode 100644 index c5e9f105c..000000000 --- a/pages.ja/osx/gfactor.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfactor - -> このコマンドは `-p linux factor` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux factor` diff --git a/pages.ja/osx/gfalse.md b/pages.ja/osx/gfalse.md deleted file mode 100644 index b2275f3ed..000000000 --- a/pages.ja/osx/gfalse.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfalse - -> このコマンドは `-p linux false` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux false` diff --git a/pages.ja/osx/gfgrep.md b/pages.ja/osx/gfgrep.md deleted file mode 100644 index 1fdfe58ab..000000000 --- a/pages.ja/osx/gfgrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfgrep - -> このコマンドは `-p linux fgrep` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux fgrep` diff --git a/pages.ja/osx/gfind.md b/pages.ja/osx/gfind.md deleted file mode 100644 index 09250f3c6..000000000 --- a/pages.ja/osx/gfind.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfind - -> このコマンドは `-p linux find` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux find` diff --git a/pages.ja/osx/gfmt.md b/pages.ja/osx/gfmt.md deleted file mode 100644 index 6728ff10a..000000000 --- a/pages.ja/osx/gfmt.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfmt - -> このコマンドは `-p linux fmt` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux fmt` diff --git a/pages.ja/osx/gfold.md b/pages.ja/osx/gfold.md deleted file mode 100644 index 548c78449..000000000 --- a/pages.ja/osx/gfold.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfold - -> このコマンドは `-p linux fold` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux fold` diff --git a/pages.ja/osx/gftp.md b/pages.ja/osx/gftp.md deleted file mode 100644 index b35b71308..000000000 --- a/pages.ja/osx/gftp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gftp - -> このコマンドは `-p linux ftp` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux ftp` diff --git a/pages.ja/osx/ggrep.md b/pages.ja/osx/ggrep.md deleted file mode 100644 index df39d34ab..000000000 --- a/pages.ja/osx/ggrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# ggrep - -> このコマンドは `-p linux grep` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux grep` diff --git a/pages.ja/osx/ggroups.md b/pages.ja/osx/ggroups.md deleted file mode 100644 index 856114f52..000000000 --- a/pages.ja/osx/ggroups.md +++ /dev/null @@ -1,7 +0,0 @@ -# ggroups - -> このコマンドは `-p linux groups` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux groups` diff --git a/pages.ja/osx/ghead.md b/pages.ja/osx/ghead.md deleted file mode 100644 index a804edb92..000000000 --- a/pages.ja/osx/ghead.md +++ /dev/null @@ -1,7 +0,0 @@ -# ghead - -> このコマンドは `-p linux head` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux head` diff --git a/pages.ja/osx/ghostid.md b/pages.ja/osx/ghostid.md deleted file mode 100644 index 3c6dce72d..000000000 --- a/pages.ja/osx/ghostid.md +++ /dev/null @@ -1,7 +0,0 @@ -# ghostid - -> このコマンドは `-p linux hostid` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux hostid` diff --git a/pages.ja/osx/ghostname.md b/pages.ja/osx/ghostname.md deleted file mode 100644 index 72efe91bf..000000000 --- a/pages.ja/osx/ghostname.md +++ /dev/null @@ -1,7 +0,0 @@ -# ghostname - -> このコマンドは `-p linux hostname` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux hostname` diff --git a/pages.ja/osx/gid.md b/pages.ja/osx/gid.md deleted file mode 100644 index c107320f2..000000000 --- a/pages.ja/osx/gid.md +++ /dev/null @@ -1,7 +0,0 @@ -# gid - -> このコマンドは `-p linux id` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux id` diff --git a/pages.ja/osx/gifconfig.md b/pages.ja/osx/gifconfig.md deleted file mode 100644 index d52fb8920..000000000 --- a/pages.ja/osx/gifconfig.md +++ /dev/null @@ -1,7 +0,0 @@ -# gifconfig - -> このコマンドは `-p linux ifconfig` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux ifconfig` diff --git a/pages.ja/osx/gindent.md b/pages.ja/osx/gindent.md deleted file mode 100644 index 94b064921..000000000 --- a/pages.ja/osx/gindent.md +++ /dev/null @@ -1,7 +0,0 @@ -# gindent - -> このコマンドは `-p linux indent` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux indent` diff --git a/pages.ja/osx/ginstall.md b/pages.ja/osx/ginstall.md deleted file mode 100644 index a6b003881..000000000 --- a/pages.ja/osx/ginstall.md +++ /dev/null @@ -1,7 +0,0 @@ -# ginstall - -> このコマンドは `-p linux install` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux install` diff --git a/pages.ja/osx/gjoin.md b/pages.ja/osx/gjoin.md deleted file mode 100644 index b49163d83..000000000 --- a/pages.ja/osx/gjoin.md +++ /dev/null @@ -1,7 +0,0 @@ -# gjoin - -> このコマンドは `-p linux join` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux join` diff --git a/pages.ja/osx/gkill.md b/pages.ja/osx/gkill.md deleted file mode 100644 index 62d14c038..000000000 --- a/pages.ja/osx/gkill.md +++ /dev/null @@ -1,7 +0,0 @@ -# gkill - -> このコマンドは `-p linux kill` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux kill` diff --git a/pages.ja/osx/glibtool.md b/pages.ja/osx/glibtool.md deleted file mode 100644 index 800b784a2..000000000 --- a/pages.ja/osx/glibtool.md +++ /dev/null @@ -1,7 +0,0 @@ -# glibtool - -> このコマンドは `-p linux libtool` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux libtool` diff --git a/pages.ja/osx/glibtoolize.md b/pages.ja/osx/glibtoolize.md deleted file mode 100644 index c4b0a0940..000000000 --- a/pages.ja/osx/glibtoolize.md +++ /dev/null @@ -1,7 +0,0 @@ -# glibtoolize - -> このコマンドは `-p linux libtoolize` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux libtoolize` diff --git a/pages.ja/osx/glink.md b/pages.ja/osx/glink.md deleted file mode 100644 index b5ff2cd1a..000000000 --- a/pages.ja/osx/glink.md +++ /dev/null @@ -1,7 +0,0 @@ -# glink - -> このコマンドは `-p linux link` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux link` diff --git a/pages.ja/osx/gln.md b/pages.ja/osx/gln.md deleted file mode 100644 index fd602509d..000000000 --- a/pages.ja/osx/gln.md +++ /dev/null @@ -1,7 +0,0 @@ -# gln - -> このコマンドは `-p linux ln` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux ln` diff --git a/pages.ja/osx/glocate.md b/pages.ja/osx/glocate.md deleted file mode 100644 index 4b789551e..000000000 --- a/pages.ja/osx/glocate.md +++ /dev/null @@ -1,7 +0,0 @@ -# glocate - -> このコマンドは `-p linux locate` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux locate` diff --git a/pages.ja/osx/glogger.md b/pages.ja/osx/glogger.md deleted file mode 100644 index 45947aaff..000000000 --- a/pages.ja/osx/glogger.md +++ /dev/null @@ -1,7 +0,0 @@ -# glogger - -> このコマンドは `-p linux logger` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux logger` diff --git a/pages.ja/osx/glogname.md b/pages.ja/osx/glogname.md deleted file mode 100644 index 24ede51d9..000000000 --- a/pages.ja/osx/glogname.md +++ /dev/null @@ -1,7 +0,0 @@ -# glogname - -> このコマンドは `-p linux logname` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux logname` diff --git a/pages.ja/osx/gls.md b/pages.ja/osx/gls.md deleted file mode 100644 index ffc59ab9d..000000000 --- a/pages.ja/osx/gls.md +++ /dev/null @@ -1,7 +0,0 @@ -# gls - -> このコマンドは `-p linux ls` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux ls` diff --git a/pages.ja/osx/gmake.md b/pages.ja/osx/gmake.md deleted file mode 100644 index c711d6b24..000000000 --- a/pages.ja/osx/gmake.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmake - -> このコマンドは `-p linux make` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux make` diff --git a/pages.ja/osx/gmd5sum.md b/pages.ja/osx/gmd5sum.md deleted file mode 100644 index 4151970fc..000000000 --- a/pages.ja/osx/gmd5sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmd5sum - -> このコマンドは `-p linux md5sum` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux md5sum` diff --git a/pages.ja/osx/gmkdir.md b/pages.ja/osx/gmkdir.md deleted file mode 100644 index 5866faa76..000000000 --- a/pages.ja/osx/gmkdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmkdir - -> このコマンドは `-p linux mkdir` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux mkdir` diff --git a/pages.ja/osx/gmkfifo.md b/pages.ja/osx/gmkfifo.md deleted file mode 100644 index f29628f82..000000000 --- a/pages.ja/osx/gmkfifo.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmkfifo - -> このコマンドは `-p linux mkfifo` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux mkfifo` diff --git a/pages.ja/osx/gmknod.md b/pages.ja/osx/gmknod.md deleted file mode 100644 index b6c28c243..000000000 --- a/pages.ja/osx/gmknod.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmknod - -> このコマンドは `-p linux mknod` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux mknod` diff --git a/pages.ja/osx/gmktemp.md b/pages.ja/osx/gmktemp.md deleted file mode 100644 index 15dea8738..000000000 --- a/pages.ja/osx/gmktemp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmktemp - -> このコマンドは `-p linux mktemp` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux mktemp` diff --git a/pages.ja/osx/gmv.md b/pages.ja/osx/gmv.md deleted file mode 100644 index 0d1571248..000000000 --- a/pages.ja/osx/gmv.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmv - -> このコマンドは `-p linux mv` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux mv` diff --git a/pages.ja/osx/gnice.md b/pages.ja/osx/gnice.md deleted file mode 100644 index c6eadad46..000000000 --- a/pages.ja/osx/gnice.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnice - -> このコマンドは `-p linux nice` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux nice` diff --git a/pages.ja/osx/gnl.md b/pages.ja/osx/gnl.md deleted file mode 100644 index 5bfb692ed..000000000 --- a/pages.ja/osx/gnl.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnl - -> このコマンドは `-p linux nl` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux nl` diff --git a/pages.ja/osx/gnohup.md b/pages.ja/osx/gnohup.md deleted file mode 100644 index b6e381494..000000000 --- a/pages.ja/osx/gnohup.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnohup - -> このコマンドは `-p linux nohup` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux nohup` diff --git a/pages.ja/osx/gnproc.md b/pages.ja/osx/gnproc.md deleted file mode 100644 index e0b5da9cd..000000000 --- a/pages.ja/osx/gnproc.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnproc - -> このコマンドは `-p linux nproc` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux nproc` diff --git a/pages.ja/osx/gnumfmt.md b/pages.ja/osx/gnumfmt.md deleted file mode 100644 index 5d68f773d..000000000 --- a/pages.ja/osx/gnumfmt.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnumfmt - -> このコマンドは `-p linux numfmt` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux numfmt` diff --git a/pages.ja/osx/god.md b/pages.ja/osx/god.md deleted file mode 100644 index 925b7adfd..000000000 --- a/pages.ja/osx/god.md +++ /dev/null @@ -1,7 +0,0 @@ -# god - -> このコマンドは `-p linux od` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux od` diff --git a/pages.ja/osx/gpaste.md b/pages.ja/osx/gpaste.md deleted file mode 100644 index 993ae86f2..000000000 --- a/pages.ja/osx/gpaste.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpaste - -> このコマンドは `-p linux paste` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux paste` diff --git a/pages.ja/osx/gpathchk.md b/pages.ja/osx/gpathchk.md deleted file mode 100644 index 2bf5df82f..000000000 --- a/pages.ja/osx/gpathchk.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpathchk - -> このコマンドは `-p linux pathchk` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux pathchk` diff --git a/pages.ja/osx/gping.md b/pages.ja/osx/gping.md deleted file mode 100644 index f607a2f8e..000000000 --- a/pages.ja/osx/gping.md +++ /dev/null @@ -1,7 +0,0 @@ -# gping - -> このコマンドは `-p linux ping` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux ping` diff --git a/pages.ja/osx/gping6.md b/pages.ja/osx/gping6.md deleted file mode 100644 index 57430423a..000000000 --- a/pages.ja/osx/gping6.md +++ /dev/null @@ -1,7 +0,0 @@ -# gping6 - -> このコマンドは `-p linux ping6` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux ping6` diff --git a/pages.ja/osx/gpinky.md b/pages.ja/osx/gpinky.md deleted file mode 100644 index 4ab4a428e..000000000 --- a/pages.ja/osx/gpinky.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpinky - -> このコマンドは `-p linux pinky` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux pinky` diff --git a/pages.ja/osx/gpr.md b/pages.ja/osx/gpr.md deleted file mode 100644 index a2c2770b0..000000000 --- a/pages.ja/osx/gpr.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpr - -> このコマンドは `-p linux pr` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux pr` diff --git a/pages.ja/osx/gprintenv.md b/pages.ja/osx/gprintenv.md deleted file mode 100644 index 5afeb61cf..000000000 --- a/pages.ja/osx/gprintenv.md +++ /dev/null @@ -1,7 +0,0 @@ -# gprintenv - -> このコマンドは `-p linux printenv` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux printenv` diff --git a/pages.ja/osx/gprintf.md b/pages.ja/osx/gprintf.md deleted file mode 100644 index dc792d3c1..000000000 --- a/pages.ja/osx/gprintf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gprintf - -> このコマンドは `-p linux printf` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux printf` diff --git a/pages.ja/osx/gptx.md b/pages.ja/osx/gptx.md deleted file mode 100644 index d4f4a8798..000000000 --- a/pages.ja/osx/gptx.md +++ /dev/null @@ -1,7 +0,0 @@ -# gptx - -> このコマンドは `-p linux ptx` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux ptx` diff --git a/pages.ja/osx/gpwd.md b/pages.ja/osx/gpwd.md deleted file mode 100644 index 0b4d6c081..000000000 --- a/pages.ja/osx/gpwd.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpwd - -> このコマンドは `-p linux pwd` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux pwd` diff --git a/pages.ja/osx/grcp.md b/pages.ja/osx/grcp.md deleted file mode 100644 index f770c0eba..000000000 --- a/pages.ja/osx/grcp.md +++ /dev/null @@ -1,7 +0,0 @@ -# grcp - -> このコマンドは `-p linux rcp` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux rcp` diff --git a/pages.ja/osx/greadlink.md b/pages.ja/osx/greadlink.md deleted file mode 100644 index 3f8faf69b..000000000 --- a/pages.ja/osx/greadlink.md +++ /dev/null @@ -1,7 +0,0 @@ -# greadlink - -> このコマンドは `-p linux readlink` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux readlink` diff --git a/pages.ja/osx/grealpath.md b/pages.ja/osx/grealpath.md deleted file mode 100644 index 5a751eb7e..000000000 --- a/pages.ja/osx/grealpath.md +++ /dev/null @@ -1,7 +0,0 @@ -# grealpath - -> このコマンドは `-p linux realpath` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux realpath` diff --git a/pages.ja/osx/grexec.md b/pages.ja/osx/grexec.md deleted file mode 100644 index 009b50d2a..000000000 --- a/pages.ja/osx/grexec.md +++ /dev/null @@ -1,7 +0,0 @@ -# grexec - -> このコマンドは `-p linux rexec` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux rexec` diff --git a/pages.ja/osx/grlogin.md b/pages.ja/osx/grlogin.md deleted file mode 100644 index fd14458d0..000000000 --- a/pages.ja/osx/grlogin.md +++ /dev/null @@ -1,7 +0,0 @@ -# grlogin - -> このコマンドは `-p linux rlogin` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux rlogin` diff --git a/pages.ja/osx/grm.md b/pages.ja/osx/grm.md deleted file mode 100644 index cbd3c49f1..000000000 --- a/pages.ja/osx/grm.md +++ /dev/null @@ -1,7 +0,0 @@ -# grm - -> このコマンドは `-p linux rm` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux rm` diff --git a/pages.ja/osx/grmdir.md b/pages.ja/osx/grmdir.md deleted file mode 100644 index 1fe41a0ab..000000000 --- a/pages.ja/osx/grmdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# grmdir - -> このコマンドは `-p linux rmdir` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux rmdir` diff --git a/pages.ja/osx/grsh.md b/pages.ja/osx/grsh.md deleted file mode 100644 index 658aab734..000000000 --- a/pages.ja/osx/grsh.md +++ /dev/null @@ -1,7 +0,0 @@ -# grsh - -> このコマンドは `-p linux rsh` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux rsh` diff --git a/pages.ja/osx/gruncon.md b/pages.ja/osx/gruncon.md deleted file mode 100644 index 4b71e7f03..000000000 --- a/pages.ja/osx/gruncon.md +++ /dev/null @@ -1,7 +0,0 @@ -# gruncon - -> このコマンドは `-p linux runcon` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux runcon` diff --git a/pages.ja/osx/gsed.md b/pages.ja/osx/gsed.md deleted file mode 100644 index 4877d877d..000000000 --- a/pages.ja/osx/gsed.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsed - -> このコマンドは `-p linux sed` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux sed` diff --git a/pages.ja/osx/gseq.md b/pages.ja/osx/gseq.md deleted file mode 100644 index 3e2dbf9f5..000000000 --- a/pages.ja/osx/gseq.md +++ /dev/null @@ -1,7 +0,0 @@ -# gseq - -> このコマンドは `-p linux seq` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux seq` diff --git a/pages.ja/osx/gsha1sum.md b/pages.ja/osx/gsha1sum.md deleted file mode 100644 index 5c8991082..000000000 --- a/pages.ja/osx/gsha1sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha1sum - -> このコマンドは `-p linux sha1sum` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux sha1sum` diff --git a/pages.ja/osx/gsha224sum.md b/pages.ja/osx/gsha224sum.md deleted file mode 100644 index 5442f2d0b..000000000 --- a/pages.ja/osx/gsha224sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha224sum - -> このコマンドは `-p linux sha224sum` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux sha224sum` diff --git a/pages.ja/osx/gsha256sum.md b/pages.ja/osx/gsha256sum.md deleted file mode 100644 index 6e42c3d80..000000000 --- a/pages.ja/osx/gsha256sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha256sum - -> このコマンドは `-p linux sha256sum` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux sha256sum` diff --git a/pages.ja/osx/gsha384sum.md b/pages.ja/osx/gsha384sum.md deleted file mode 100644 index de3382c93..000000000 --- a/pages.ja/osx/gsha384sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha384sum - -> このコマンドは `-p linux sha384sum` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux sha384sum` diff --git a/pages.ja/osx/gsha512sum.md b/pages.ja/osx/gsha512sum.md deleted file mode 100644 index ee7b1d20c..000000000 --- a/pages.ja/osx/gsha512sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha512sum - -> このコマンドは `-p linux sha512sum` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux sha512sum` diff --git a/pages.ja/osx/gshred.md b/pages.ja/osx/gshred.md deleted file mode 100644 index 56e05fa0d..000000000 --- a/pages.ja/osx/gshred.md +++ /dev/null @@ -1,7 +0,0 @@ -# gshred - -> このコマンドは `-p linux shred` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux shred` diff --git a/pages.ja/osx/gshuf.md b/pages.ja/osx/gshuf.md deleted file mode 100644 index 1bc1f5082..000000000 --- a/pages.ja/osx/gshuf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gshuf - -> このコマンドは `-p linux shuf` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux shuf` diff --git a/pages.ja/osx/gsleep.md b/pages.ja/osx/gsleep.md deleted file mode 100644 index 8cc95a738..000000000 --- a/pages.ja/osx/gsleep.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsleep - -> このコマンドは `-p linux sleep` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux sleep` diff --git a/pages.ja/osx/gsort.md b/pages.ja/osx/gsort.md deleted file mode 100644 index 30d125e8b..000000000 --- a/pages.ja/osx/gsort.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsort - -> このコマンドは `-p linux sort` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux sort` diff --git a/pages.ja/osx/gsplit.md b/pages.ja/osx/gsplit.md deleted file mode 100644 index 16d192094..000000000 --- a/pages.ja/osx/gsplit.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsplit - -> このコマンドは `-p linux split` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux split` diff --git a/pages.ja/osx/gstat.md b/pages.ja/osx/gstat.md deleted file mode 100644 index efbcde384..000000000 --- a/pages.ja/osx/gstat.md +++ /dev/null @@ -1,7 +0,0 @@ -# gstat - -> このコマンドは `-p linux stat` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux stat` diff --git a/pages.ja/osx/gstdbuf.md b/pages.ja/osx/gstdbuf.md deleted file mode 100644 index 781369dc2..000000000 --- a/pages.ja/osx/gstdbuf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gstdbuf - -> このコマンドは `-p linux stdbuf` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux stdbuf` diff --git a/pages.ja/osx/gstty.md b/pages.ja/osx/gstty.md deleted file mode 100644 index 7e31ccac9..000000000 --- a/pages.ja/osx/gstty.md +++ /dev/null @@ -1,7 +0,0 @@ -# gstty - -> このコマンドは `-p linux stty` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux stty` diff --git a/pages.ja/osx/gsum.md b/pages.ja/osx/gsum.md deleted file mode 100644 index 095ba7085..000000000 --- a/pages.ja/osx/gsum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsum - -> このコマンドは `-p linux sum` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux sum` diff --git a/pages.ja/osx/gsync.md b/pages.ja/osx/gsync.md deleted file mode 100644 index 98c367838..000000000 --- a/pages.ja/osx/gsync.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsync - -> このコマンドは `-p linux sync` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux sync` diff --git a/pages.ja/osx/gtac.md b/pages.ja/osx/gtac.md deleted file mode 100644 index b5c24cb5f..000000000 --- a/pages.ja/osx/gtac.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtac - -> このコマンドは `-p linux tac` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux tac` diff --git a/pages.ja/osx/gtail.md b/pages.ja/osx/gtail.md deleted file mode 100644 index bb9bc620e..000000000 --- a/pages.ja/osx/gtail.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtail - -> このコマンドは `-p linux tail` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux tail` diff --git a/pages.ja/osx/gtalk.md b/pages.ja/osx/gtalk.md deleted file mode 100644 index b69585fc3..000000000 --- a/pages.ja/osx/gtalk.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtalk - -> このコマンドは `-p linux talk` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux talk` diff --git a/pages.ja/osx/gtar.md b/pages.ja/osx/gtar.md deleted file mode 100644 index 6a110b27f..000000000 --- a/pages.ja/osx/gtar.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtar - -> このコマンドは `-p linux tar` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux tar` diff --git a/pages.ja/osx/gtee.md b/pages.ja/osx/gtee.md deleted file mode 100644 index 60f2c597a..000000000 --- a/pages.ja/osx/gtee.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtee - -> このコマンドは `-p linux tee` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux tee` diff --git a/pages.ja/osx/gtelnet.md b/pages.ja/osx/gtelnet.md deleted file mode 100644 index dac7b031c..000000000 --- a/pages.ja/osx/gtelnet.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtelnet - -> このコマンドは `-p linux telnet` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux telnet` diff --git a/pages.ja/osx/gtest.md b/pages.ja/osx/gtest.md deleted file mode 100644 index 0f3de5810..000000000 --- a/pages.ja/osx/gtest.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtest - -> このコマンドは `-p linux test` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux test` diff --git a/pages.ja/osx/gtftp.md b/pages.ja/osx/gtftp.md deleted file mode 100644 index 8ca65b4e8..000000000 --- a/pages.ja/osx/gtftp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtftp - -> このコマンドは `-p linux tftp` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux tftp` diff --git a/pages.ja/osx/gtime.md b/pages.ja/osx/gtime.md deleted file mode 100644 index 765fc9843..000000000 --- a/pages.ja/osx/gtime.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtime - -> このコマンドは `-p linux time` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux time` diff --git a/pages.ja/osx/gtimeout.md b/pages.ja/osx/gtimeout.md deleted file mode 100644 index ad5c32c70..000000000 --- a/pages.ja/osx/gtimeout.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtimeout - -> このコマンドは `-p linux timeout` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux timeout` diff --git a/pages.ja/osx/gtouch.md b/pages.ja/osx/gtouch.md deleted file mode 100644 index 25643f631..000000000 --- a/pages.ja/osx/gtouch.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtouch - -> このコマンドは `-p linux touch` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux touch` diff --git a/pages.ja/osx/gtr.md b/pages.ja/osx/gtr.md deleted file mode 100644 index 1cf45133b..000000000 --- a/pages.ja/osx/gtr.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtr - -> このコマンドは `-p linux tr` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux tr` diff --git a/pages.ja/osx/gtraceroute.md b/pages.ja/osx/gtraceroute.md deleted file mode 100644 index e277ad3eb..000000000 --- a/pages.ja/osx/gtraceroute.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtraceroute - -> このコマンドは `-p linux traceroute` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux traceroute` diff --git a/pages.ja/osx/gtrue.md b/pages.ja/osx/gtrue.md deleted file mode 100644 index 20878ab67..000000000 --- a/pages.ja/osx/gtrue.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtrue - -> このコマンドは `-p linux true` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux true` diff --git a/pages.ja/osx/gtruncate.md b/pages.ja/osx/gtruncate.md deleted file mode 100644 index 20e2b3b39..000000000 --- a/pages.ja/osx/gtruncate.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtruncate - -> このコマンドは `-p linux truncate` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux truncate` diff --git a/pages.ja/osx/gtsort.md b/pages.ja/osx/gtsort.md deleted file mode 100644 index 704f1056b..000000000 --- a/pages.ja/osx/gtsort.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtsort - -> このコマンドは `-p linux tsort` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux tsort` diff --git a/pages.ja/osx/gtty.md b/pages.ja/osx/gtty.md deleted file mode 100644 index b643e81a0..000000000 --- a/pages.ja/osx/gtty.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtty - -> このコマンドは `-p linux tty` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux tty` diff --git a/pages.ja/osx/guname.md b/pages.ja/osx/guname.md deleted file mode 100644 index c21983202..000000000 --- a/pages.ja/osx/guname.md +++ /dev/null @@ -1,7 +0,0 @@ -# guname - -> このコマンドは `-p linux uname` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux uname` diff --git a/pages.ja/osx/gunexpand.md b/pages.ja/osx/gunexpand.md deleted file mode 100644 index 35cae3278..000000000 --- a/pages.ja/osx/gunexpand.md +++ /dev/null @@ -1,7 +0,0 @@ -# gunexpand - -> このコマンドは `-p linux unexpand` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux unexpand` diff --git a/pages.ja/osx/guniq.md b/pages.ja/osx/guniq.md deleted file mode 100644 index 2925a2a52..000000000 --- a/pages.ja/osx/guniq.md +++ /dev/null @@ -1,7 +0,0 @@ -# guniq - -> このコマンドは `-p linux uniq` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux uniq` diff --git a/pages.ja/osx/gunits.md b/pages.ja/osx/gunits.md deleted file mode 100644 index 61562bc09..000000000 --- a/pages.ja/osx/gunits.md +++ /dev/null @@ -1,7 +0,0 @@ -# gunits - -> このコマンドは `-p linux units` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux units` diff --git a/pages.ja/osx/gunlink.md b/pages.ja/osx/gunlink.md deleted file mode 100644 index 95bf47a16..000000000 --- a/pages.ja/osx/gunlink.md +++ /dev/null @@ -1,7 +0,0 @@ -# gunlink - -> このコマンドは `-p linux unlink` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux unlink` diff --git a/pages.ja/osx/gupdatedb.md b/pages.ja/osx/gupdatedb.md deleted file mode 100644 index fcadfc6be..000000000 --- a/pages.ja/osx/gupdatedb.md +++ /dev/null @@ -1,7 +0,0 @@ -# gupdatedb - -> このコマンドは `-p linux updatedb` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux updatedb` diff --git a/pages.ja/osx/guptime.md b/pages.ja/osx/guptime.md deleted file mode 100644 index ee878ae18..000000000 --- a/pages.ja/osx/guptime.md +++ /dev/null @@ -1,7 +0,0 @@ -# guptime - -> このコマンドは `-p linux uptime` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux uptime` diff --git a/pages.ja/osx/gusers.md b/pages.ja/osx/gusers.md deleted file mode 100644 index 75dc27caf..000000000 --- a/pages.ja/osx/gusers.md +++ /dev/null @@ -1,7 +0,0 @@ -# gusers - -> このコマンドは `-p linux users` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux users` diff --git a/pages.ja/osx/gvdir.md b/pages.ja/osx/gvdir.md deleted file mode 100644 index 54f8820cd..000000000 --- a/pages.ja/osx/gvdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# gvdir - -> このコマンドは `-p linux vdir` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux vdir` diff --git a/pages.ja/osx/gwc.md b/pages.ja/osx/gwc.md deleted file mode 100644 index 7d783a80e..000000000 --- a/pages.ja/osx/gwc.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwc - -> このコマンドは `-p linux wc` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux wc` diff --git a/pages.ja/osx/gwhich.md b/pages.ja/osx/gwhich.md deleted file mode 100644 index f8ceef01a..000000000 --- a/pages.ja/osx/gwhich.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwhich - -> このコマンドは `-p linux which` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux which` diff --git a/pages.ja/osx/gwho.md b/pages.ja/osx/gwho.md deleted file mode 100644 index 12db023ec..000000000 --- a/pages.ja/osx/gwho.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwho - -> このコマンドは `-p linux who` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux who` diff --git a/pages.ja/osx/gwhoami.md b/pages.ja/osx/gwhoami.md deleted file mode 100644 index dbc78a17e..000000000 --- a/pages.ja/osx/gwhoami.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwhoami - -> このコマンドは `-p linux whoami` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux whoami` diff --git a/pages.ja/osx/gwhois.md b/pages.ja/osx/gwhois.md deleted file mode 100644 index 0e9cd6759..000000000 --- a/pages.ja/osx/gwhois.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwhois - -> このコマンドは `-p linux whois` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux whois` diff --git a/pages.ja/osx/gxargs.md b/pages.ja/osx/gxargs.md deleted file mode 100644 index af381eb49..000000000 --- a/pages.ja/osx/gxargs.md +++ /dev/null @@ -1,7 +0,0 @@ -# gxargs - -> このコマンドは `-p linux xargs` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux xargs` diff --git a/pages.ja/osx/gyes.md b/pages.ja/osx/gyes.md deleted file mode 100644 index 41c6a5dc9..000000000 --- a/pages.ja/osx/gyes.md +++ /dev/null @@ -1,7 +0,0 @@ -# gyes - -> このコマンドは `-p linux yes` のエイリアスです。 - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr -p linux yes` diff --git a/pages.ja/osx/launchd.md b/pages.ja/osx/launchd.md deleted file mode 100644 index 9f6c9671c..000000000 --- a/pages.ja/osx/launchd.md +++ /dev/null @@ -1,8 +0,0 @@ -# launchd - -> このコマンドは `launchctl` のエイリアスです。 -> 詳しくはこちら: - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr launchctl` diff --git a/pages.ja/windows/chrome.md b/pages.ja/windows/chrome.md deleted file mode 100644 index 5dbe1470e..000000000 --- a/pages.ja/windows/chrome.md +++ /dev/null @@ -1,8 +0,0 @@ -# chrome - -> このコマンドは `chromium` のエイリアスです。 -> 詳しくはこちら: - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr chromium` diff --git a/pages.ja/windows/cpush.md b/pages.ja/windows/cpush.md deleted file mode 100644 index 2c6b2e13d..000000000 --- a/pages.ja/windows/cpush.md +++ /dev/null @@ -1,8 +0,0 @@ -# cpush - -> このコマンドは `choco-push` のエイリアスです。 -> 詳しくはこちら: - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr choco-push` diff --git a/pages.ja/windows/rd.md b/pages.ja/windows/rd.md deleted file mode 100644 index 1c9c1108f..000000000 --- a/pages.ja/windows/rd.md +++ /dev/null @@ -1,8 +0,0 @@ -# rd - -> このコマンドは `rmdir` のエイリアスです。 -> 詳しくはこちら: - -- オリジナルのコマンドのドキュメントを表示する: - -`tldr rmdir` diff --git a/pages.ko/android/logcat.md b/pages.ko/android/logcat.md index b00d9caf7..5d5ab2ed4 100644 --- a/pages.ko/android/logcat.md +++ b/pages.ko/android/logcat.md @@ -17,8 +17,8 @@ - 특정 PID에 대한 로그 표시: -`logcat --pid={{프로세스_id}}` +`logcat --pid {{프로세스_id}}` - 특정 패키지의 프로세스에 대한 로그 표시: -`logcat --pid=$(pidof -s {{패키지}})` +`logcat --pid $(pidof -s {{패키지}})` diff --git a/pages.ko/common/!.md b/pages.ko/common/!.md index a3d681095..52e312515 100644 --- a/pages.ko/common/!.md +++ b/pages.ko/common/!.md @@ -1,7 +1,7 @@ # Exclamation mark > 히스토리 명령에서 찾은 명령어로 대체하기 위해 Bash가 내장. -> 더 많은 정보: . +> 더 많은 정보: . - 이전에 실행했던 명령을 sudo 권한이 있는 상태로 대체: @@ -22,3 +22,7 @@ - 가장 최신 명령어의 인수로 대체: `{{명령어}} !*` + +- 가장 최근에 입력했던 명령의 마지막 인수로 대체: + +`{{명령어}} !$` diff --git a/pages.ko/common/2to3.md b/pages.ko/common/2to3.md index 4dac1b682..8f3799ba6 100644 --- a/pages.ko/common/2to3.md +++ b/pages.ko/common/2to3.md @@ -13,11 +13,11 @@ - 특정 파이썬 2 기능을 파이썬 3로 변경 (아래는 raw_input과 print를 수정하는 예): -`2to3 --write {{경로/파일.py}} --fix={{raw_input}} --fix={{print}}` +`2to3 --write {{경로/파일.py}} --fix {{raw_input}} --fix {{print}}` - 특정 기능을 제외한 모든 파이썬 2 기능을 파이썬 3로 변경: -`2to3 --write {{경로/파일.py}} --nofix={{has_key}} --nofix={{isinstance}}` +`2to3 --write {{경로/파일.py}} --nofix {{has_key}} --nofix {{isinstance}}` - 파이썬 2 에서 파이썬 3 로 변환할 수 있는 목록을 출력: @@ -25,8 +25,8 @@ - 디렉토리 안의 모든 파이썬 2 파일을 파이썬 3로 변경: -`2to3 --output-dir={{파이썬3/디렉토리/경로}} --write-unchanged-files --nobackups {{파이썬2/디렉토리/경로}}` +`2to3 --output-dir {{파이썬3/디렉토리/경로}} --write-unchanged-files --nobackups {{파이썬2/디렉토리/경로}}` - 2to3을 멀티쓰레드로 실행: -`2to3 --processes={{4}} --output-dir={{파이썬3/디렉토리/경로}} --write --nobackups --no-diff {{파이썬2/디렉토리/경로}}` +`2to3 --processes {{4}} --output-dir {{파이썬3/디렉토리/경로}} --write --nobackups --no-diff {{파이썬2/디렉토리/경로}}` diff --git a/pages.ko/common/7z.md b/pages.ko/common/7z.md index 11083852b..869ba8703 100644 --- a/pages.ko/common/7z.md +++ b/pages.ko/common/7z.md @@ -5,23 +5,23 @@ - 파일 또는 디렉토리 압축하기: -`7z a {{archived.7z}} {{경로/파일명_또는_디렉토리명}}` +`7z a {{경로/archived.7z}} {{경로/파일명_또는_디렉토리명}}` - 존재하는 압축파일 암호화(헤더를 포함한): -`7z a {{encrypted.7z}} -p{{비밀번호}} -mhe=on {{archived.7z}}` +`7z a {{경로/encrypted.7z}} -p{{비밀번호}} -mhe=on {{archived.7z}}` - 기본 디렉토리 구조로 존재하는 7z 파일 추출: -`7z x {{archived.7z}}` +`7z x {{경로/archived.7z}}` - 사용자정의 출력 경로로 압축 출력: -`7z x {{archived.7z}} -o{{경로/출력}}` +`7z x {{경로/archived.7z}} -o{{경로/출력}}` - 표준출력으로 압축 추출: -`7z x {{archived.7z}} -so` +`7z x {{경로/archived.7z}} -so` - 특정 압축 타입으로 추출: @@ -29,4 +29,8 @@ - 압축 파일의 내용 리스트: -`7z l {{archived.7z}}` +`7z l {{경로/archived.7z}}` + +- 압축 수준 설정(높을수록 압축률 상승, 속도는 감소): + +`7z a {{경로/archive.7z}} -mx={{0|1|3|5|7|9}} {{경로/파일명_또는_디렉토리명}}` diff --git a/pages.ko/common/7za.md b/pages.ko/common/7za.md index 0bbc56d1b..cf84356d7 100644 --- a/pages.ko/common/7za.md +++ b/pages.ko/common/7za.md @@ -6,28 +6,32 @@ - 파일이나 디렉토리 압축하기: -`7za a {{경로/archived.7z}} {{파일_혹은_디렉토리/의/경로}}` +`7za a {{경로/대상/압축파일.7z}} {{경로/대상/파일_혹은_디렉토리}}` - 압축파일 암호화 (including file names): -`7za a {{경로/encrypted.7z}} -p{{비밀번호}} -mhe=on {{경로/archive.7z}}` +`7za a {{경로/대상/압축파일.7z}} -p{{비밀번호}} -mhe={{on}} {{경로/대상/압축파일.7z}}` - 기존 디렉토리 경로에 존재하는 7z 파일 추출: -`7za x {{archive.7z}}` +`7za x {{경로/대상/압축파일.7z}}` - 특정 디렉토리에 압축파일 추출: -`7za x {{경로/archive.7z}} -o{{아웃풋/의/경로}}` +`7za x {{경로/대상/압축파일.7z}} -o{{경로/대상/결과물}}` - `stdout`에 압축파일 추출: -`7za x {{경로/archive.7z}} -so` +`7za x {{경로/대상/압축파일.7z}} -so` - 특정 압축 타입을 이용하여 추출하기: -`7za a -t{{zip|gzip|bzip2|tar}} {{archived}} {{path/to/file_or_directory}}` +`7za a -t{{zip|gzip|bzip2|tar}} {{archived}} {{경로/대상/파일명_또는_디렉터리명}}` -- 압축 파일의 내용 리스트: +- 압축 파일의 내용 목록: -`7za l {{경로/archive.7z}}` +`7za l {{경로/대상/압축파일.7z}}` + +- 압축 수준 설정(높을수록 압축률 상승, 속도는 감소): + +`7za a {{경로/대상/압축파일.7z}} -mx={{0|1|3|5|7|9}} {{경로/파일명_또는_디렉토리명}}` diff --git a/pages.ko/common/[.md b/pages.ko/common/[.md index da9c49891..c7b6b19f0 100644 --- a/pages.ko/common/[.md +++ b/pages.ko/common/[.md @@ -2,7 +2,7 @@ > 파일 형식 확인 및 값 비교. > 조건이 참이면 0을 반환하고, 거짓이면 1을 반환합니다. -> 더 많은 정보: . +> 더 많은 정보: . - 주어진 변수가 문자열과 같은지/다른지 비교: diff --git a/pages.ko/common/[[.md b/pages.ko/common/[[.md index 91cdbe748..3e2f6aa62 100644 --- a/pages.ko/common/[[.md +++ b/pages.ko/common/[[.md @@ -2,7 +2,7 @@ > 파일 형식 확인 및 값 비교. > 조건이 참이면 0을 반환하고, 거짓이면 1을 반환합니다. -> 더 많은 정보: . +> 더 많은 정보: . - 주어진 변수가 특정 문자열과 같은지/다른지 테스트: diff --git a/pages.ko/common/^.md b/pages.ko/common/^.md new file mode 100644 index 000000000..c903231dd --- /dev/null +++ b/pages.ko/common/^.md @@ -0,0 +1,17 @@ +# Caret + +> 전에 입력했던 명령의 문자열을 빠르게 대체해서 사용하고, 결과를 실행하기 위해 Bash에 내장되어 있습니다. +> `!!:s^문자열1^문자열2`와 동등합니다. +> 더 많은 정보: . + +- `문자열1`을 `문자열2`로 변경하고 이전 명령을 실행: + +`^{{문자열1}}^{{문자열2}}` + +- 이전 명령에서 `문자열1`을 제거: + +`^{{문자열1}}^` + +- 이전 명령에서 `문자열1`을 `문자열2`로 변경 후, 끝에 `문자열3`을 추가: + +`^{{문자열1}}^{{문자열2}}^{{문자열3}}` diff --git a/pages.ko/common/ab.md b/pages.ko/common/ab.md index 29375abb2..ce6798102 100644 --- a/pages.ko/common/ab.md +++ b/pages.ko/common/ab.md @@ -20,6 +20,10 @@ `ab -k {{url}}` -- 벤치마킹에 사용될 최대 시간(초) 설정: +- 벤치마킹에 사용될 최대 시간(초) 설정(기본 30초): `ab -t {{60}} {{url}}` + +- 결과를 CSV에 작성: + +`ab -e {{경로/대상/파일.csv}}` diff --git a/pages.ko/common/accelerate.md b/pages.ko/common/accelerate.md index 54c79c565..a449b9d31 100644 --- a/pages.ko/common/accelerate.md +++ b/pages.ko/common/accelerate.md @@ -1,4 +1,4 @@ -# Accelerate +# accelerate > Accelerate는 동일한 PyTorch 코드를 모든 분산 환경 구성에서 실행할 수 있게 해주는 라이브러리입니다. > 더 많은 정보: . diff --git a/pages.ko/common/ack.md b/pages.ko/common/ack.md index bb2afbfe6..e35c89801 100644 --- a/pages.ko/common/ack.md +++ b/pages.ko/common/ack.md @@ -1,24 +1,37 @@ # ack -> 프로그래머에게 최적화된 grep과 같은 검색툴. +> 프로그래머에게 최적화된 grep과 같은 검색 도구. +> 추가 정보: 훨씬 빠른 rg 명령어도 참고. > 더 많은 정보: . -- "foo"를 포함하고 있는 파일 검색: +- 현재 디렉토리에서 문자열 또는 정규 표현식이 포함된 파일을 재귀적으로 검색: -`ack {{foo}}` +`ack "{{검색_패턴}}"` -- 특정 타입의 파일 검색: +- 대소문자를 구분하지 않는 패턴 검색: -`ack --ruby {{foo}}` +`ack --ignore-case "{{검색_패턴}}"` -- "foo"라는 용어와 일치하는 총 합을 계산: +- 패턴과 일치하는 줄을 검색해, 검색되어 일치하는 텍스트만([o]nly) 인쇄: -`ack -ch {{foo}}` +`ack -o "{{검색_패턴}}"` -- "foo"를 포함하고있는 파일의 이름과 각각 파일에서 일치하는 수를 표시: +- 특정 타입을 가지는 파일로 검색을 제한: -`ack -cl {{foo}}` +`ack --type {{ruby}} "{{검색_패턴}}"` -- 모든 가능한 타입 리스트: +- 특정 타입을 가지는 파일을 검색하지 않음: + +`ack --type no{{ruby}} "{{검색_패턴}}"` + +- 패턴과 일치하는 총 항목 수를 계산: + +`ack --count --no-filename "{{검색_패턴}}"` + +- 각 파일에 대해서, 파일 이름과 일치하는 개수를 출력: + +`ack --count --files-with-matches "{{검색_패턴}}"` + +- `--type`과 함께 사용할 수 있는 모든 값을 나열: `ack --help-types` diff --git a/pages.ko/common/acme.sh-dns.md b/pages.ko/common/acme.sh-dns.md new file mode 100644 index 000000000..476b64e84 --- /dev/null +++ b/pages.ko/common/acme.sh-dns.md @@ -0,0 +1,24 @@ +# acme.sh --dns + +> TLS 인증서를 발급하려면 DNS-01 챌린지를 사용. +> 더 많은 정보: . + +- 자동 DNS API 모드를 사용해 인증서 발급: + +`acme.sh --issue --dns {{gnd_gd}} --domain {{example.com}}` + +- 자동 DNS API 모드를 사용하여 와일드카드 인증서 (별표로 표시) 발급: + +`acme.sh --issue --dns {{dns_namesilo}} --domain {{example.com}} --domain {{*.example.com}}` + +- DNS 별칭 모드를 사용해 인증서 발급: + +`acme.sh --issue --dns {{dns_cf}} --domain {{example.com}} --challenge-alias {{alias-for-example-validation.com}}` + +- 사용자 지정 대기 시간(초)을 지정해, DNS 레코드가 추가된 후 자동 Cloudflare 또는 Google DNS 폴링을 비활성화하는 동안 인증서를 발급: + +`acme.sh --issue --dns {{dns_namecheap}} --domain {{example.com}} --dnssleep {{300}}` + +- 수동 DNS 모드를 사용하여 인증서 발급: + +`acme.sh --issue --dns --domain {{example.com}} --yes-I-know-dns-manual-mode-enough-go-ahead-please` diff --git a/pages.ko/common/acme.sh.md b/pages.ko/common/acme.sh.md new file mode 100644 index 000000000..9968930e8 --- /dev/null +++ b/pages.ko/common/acme.sh.md @@ -0,0 +1,33 @@ +# acme.sh + +> `certbot`의 대안으로 ACME 클라이언트 프로토콜을 구현하는 쉘 스크립트. +> 참고: `acme.sh dns`. +> 더 많은 정보: . + +- webroot 모드를 사용해 인증서를 발급: + +`acme.sh --issue --domain {{example.com}} --webroot {{/경로/대상/웹루트}}` + +- 80번 포트와 독립 실행형 모드를 사용해 여러 도메인에 대한 인증서를 발급: + +`acme.sh --issue --standalone --domain {{example.com}} --domain {{www.example.com}}` + +- 443번 포트와 독립 실행형 TLS 모드를 사용해 인증서 발급: + +`acme.sh --issue --alpn --domain {{example.com}}` + +- 작동하는 Nginx 구성파일을 사용해 인증서 발급: + +`acme.sh --issue --nginx --domain {{example.com}}` + +- 작동하는 Apache 구성파일을 사용해 인증서 발급: + +`acme.sh --issue --apache --domain {{example.com}}` + +- 자동 DNS API 모드를 사용해 와일드카드 (\*) 인증서를 발급: + +`acme.sh --issue --dns {{dns_인증서}} --domain {{*.example.com}}` + +- 지정된 위치에 인증서 파일 설치 (자동 인증서 갱신에 장점이 있음): + +`acme.sh --install-cert -d {{example.com}} --key-file {{/경로/대상/example.com.key}} --fullchain-file {{/경로/대상/example.com.cer}} --reloadcmd {{"systemctl force-reload nginx"}}` diff --git a/pages.ko/common/adb-install.md b/pages.ko/common/adb-install.md new file mode 100644 index 000000000..e6c9d9ce7 --- /dev/null +++ b/pages.ko/common/adb-install.md @@ -0,0 +1,28 @@ +# adb install + +> 안드로이드 디버그 브릿지 설치: 안드로이드 에뮬레이터 인스턴스 또는 연결된 안드로이드 장치에 패키지를 삽입. +> 더 많은 정보: . + +- 에뮬레이터/장치에 안드로이드 애플리케이션 삽입: + +`adb install {{경로/대상/파일.apk}}` + +- 특정 에뮬레이터/장치에 안드로이드 애플리케이션 삽입 ( `$ANDROID_SERIAL`를 재정의): + +`adb -s {{시리얼_번호}} install {{경로/대상/파일.apk}}` + +- 데이터를 유지하면서, 기존 앱을 다시 설치([r]einstall): + +`adb install -r {{경로/대상/파일.apk}}` + +- 버전 코드 다운그레이드([d]owngrade)를 허용하는 안드로이드 애플리케이션 삽입(디버깅 가능한 패키지만 해당): + +`adb install -d {{경로/대상/파일.apk}}` + +- 애플리케이션 매니페스트에 나열된 모든 권한을 부여([g]rant): + +`adb install -g {{경로/대상/파일.apk}}` + +- 변경된 APK 부분만 업데이트하여, 설치된 패키지를 빠르게 업데이트: + +`adb install --fastdeploy {{경로/대상/파일.apk}}` diff --git a/pages.ko/common/adb-logcat.md b/pages.ko/common/adb-logcat.md new file mode 100644 index 000000000..f2d23119a --- /dev/null +++ b/pages.ko/common/adb-logcat.md @@ -0,0 +1,36 @@ +# adb logcat + +> 시스템 메시지의 로그 덤프. +> 더 많은 정보: . + +- 시스템 로그 표시: + +`adb logcat` + +- 정규 표현식([e]xpression)과 일치하는 행 표시: + +`adb logcat -e {{정규_표현식}}` + +- 특정 모드(상세 ([V]erbose), 디버그([D]ebug), 정보([I]nfo), 경고([W]arning), 에러([E]rror), 치명적 오류([F]atal), 무음([S]ilent))에서 태그에 대한 로그를 표시하고 다른 태그를 필터링: + +`adb logcat {{태그}}:{{모드}} *:S` + +- 다른 태그를 무음으로([S]ilencing), 상세 ([V]erbose) 모드에서 React Native 애플리케이션에 대한 로그를 표시: + +`adb logcat ReactNative:V ReactNativeJS:V *:S` + +- 우선순위 수준이 경고([W]arning) 이상인 모든 태그에 대한 로그 표시: + +`adb logcat *:W` + +- 특정 PID에 대한 로그 표시: + +`adb logcat --pid {{pid}}` + +- 특정 패키지의 프로세스에 대한 로그 표시: + +`adb logcat --pid $(adb shell pidof -s {{패키지}})` + +- 로그 색상 지정(보통 필터와 함께 사용): + +`adb logcat -v color` diff --git a/pages.ko/common/adb-reverse.md b/pages.ko/common/adb-reverse.md new file mode 100644 index 000000000..7c38f0cfd --- /dev/null +++ b/pages.ko/common/adb-reverse.md @@ -0,0 +1,20 @@ +# adb reverse + +> 안드로이드 디버그 브릿지 역방향: 안드로이드 에뮬레이터 인스턴스 또는 연결된 안드로이드 장치에서 소켓 연결을 역방향으로 수행 +> 더 많은 정보: . + +- 에뮬레이터 및 장치의 모든 역방향 소켓 연결을 나열: + +`adb reverse --list` + +- 에뮬레이터 또는 장치의 TCP 포트를 localhost로 전환: + +`adb reverse tcp:{{원격_포트}} tcp:{{로컬_포트}}` + +- 에뮬레이터 또는 장치에서 역방향 소켓 연결을 제거: + +`adb reverse --remove tcp:{{원격_포트}}` + +- 모든 에뮬레이터 또는 장치에서 역방향 소켓 연결을 제거: + +`adb reverse --remove-all` diff --git a/pages.ko/common/adb-shell.md b/pages.ko/common/adb-shell.md new file mode 100644 index 000000000..0d68152bf --- /dev/null +++ b/pages.ko/common/adb-shell.md @@ -0,0 +1,36 @@ +# adb shell + +> 안드로이드 디버그 브릿지 쉘: 안드로이드 에뮬레이터 인스턴스 또는 연결된 안드로이드 장치에서 원격 쉘 명령을 실행. +> 더 많은 정보: . + +- 에뮬레이터 또는 장치에서 원격 대화형 셸을 시작: + +`adb shell` + +- 에뮬레이터 또는 장치에서 모든 속성을 가져옴: + +`adb shell getprop` + +- 모든 런타임 권한을 기본 값으로 복구: + +`adb shell pm reset-permissions` + +- 애플리케이션에 대한 위험한 권한 취소: + +`adb shell pm revoke {{패키지}} {{권한}}` + +- 키보드 이벤트 트리거: + +`adb shell input keyevent {{키코드}}` + +- 에뮬레이터 또는 장치에서 애플리케이션 데이터 지우기: + +`adb shell pm clear {{패키지}}` + +- 에뮬레이터 또는 장치에서 액티비티 컴포넌트 시작: + +`adb shell am start -n {{패키지}}/{{활동}}` + +- 에뮬레이터 또는 기기에서 홈 액티비티 컴포넌트 시작: + +`adb shell am start -W -c android.intent.category.HOME -a android.intent.action.MAIN` diff --git a/pages.ko/common/adguardhome.md b/pages.ko/common/adguardhome.md new file mode 100644 index 000000000..6b654364d --- /dev/null +++ b/pages.ko/common/adguardhome.md @@ -0,0 +1,32 @@ +# AdGuardHome + +> 광고 및 추적을 차단하는 네트워크 소프트웨어. +> 더 많은 정보: . + +- AdGuard Home 실행: + +`AdGuardHome` + +- 구성 파일 지정: + +`AdGuardHome --config {{경로/대상/AdGuardHome.yaml}}` + +- 특정 작업 디렉터리에 데이터 저장: + +`AdGuardHome --work-dir {{경로/대상/디렉토리}}` + +- AdGuard Home을 서비스로 설치 또는 제거: + +`AdGuardHome --service {{install|uninstall}}` + +- AdGuard Home 서비스 시작: + +`AdGuardHome --service start` + +- AdGuard Home 서비스 구성 파일 리로드: + +`AdGuardHome --service reload` + +- AdGuard Home 서비스 중지 또는 재시작: + +`AdGuardHome --service {{stop|restart}}` diff --git a/pages.ko/common/age-keygen.md b/pages.ko/common/age-keygen.md new file mode 100644 index 000000000..a24e86076 --- /dev/null +++ b/pages.ko/common/age-keygen.md @@ -0,0 +1,13 @@ +# age-keygen + +> `age` 키 쌍을 생성합니다. +> 더 보기: 파일을 암호화/복호화하기 위한 `age` 명령어. +> 더 많은 정보: . + +- 키 쌍을 생성하고, 암호화되지 않은 파일에 저장한 후 공개키를 `stdout`에 인쇄: + +`age-keygen --output {{경로/대상/파일}}` + +- 인증 정보(identit[y])를 수신자로 변환하고, 공개 키를 `stdout`에 인쇄: + +`age-keygen -y {{경로/대상/파일}}` diff --git a/pages.ko/common/age.md b/pages.ko/common/age.md new file mode 100644 index 000000000..e64290ed7 --- /dev/null +++ b/pages.ko/common/age.md @@ -0,0 +1,25 @@ +# age + +> 간단하고, 현대적이며 안전한 파일 암호화 도구. +> 더 보기: 키의 쌍을 생성하기 위한 `age-keygen`. +> 더 많은 정보: . + +- 암호로 해독할 수 있는 암호화된 파일을 생성: + +`age --passphrase --output {{경로/대상/암호화된_파일}} {{경로/대상/복호화된_파일}}` + +- 문자로 입력된 하나 이상의 공개키로 파일을 암호화 (여러 공개키를 지정하려면, `--recipient` 플래그를 반복): + +`age --recipient {{공개키}} --output {{경로/대상/암호화된_파일}} {{경로/대상/복호화된_파일}}` + +- 파일에 지정된 공개키를 사용하여 한 명 이상의 수신자에게 파일을 암호화 (한 줄에 하나씩): + +`age --recipients-file {{경로/대상/수신자_파일}} --output {{경로/대상/암호화된_파일}} {{경로/대상/복호화된_파일}}` + +- 암호를 가지고 파일 해독: + +`age --decrypt --output {{경로/대상/복호화된_파일}} {{경로/대상/암호화된_파일}}` + +- 개인 키 파일을 사용해 파일을 해독: + +`age --decrypt --identity {{경로/대상/개인_키_파일}} --output {{경로/대상/복호화된_파일}} {{경로/대상/암호화된_파일}}` diff --git a/pages.ko/common/aircrack-ng.md b/pages.ko/common/aircrack-ng.md new file mode 100644 index 000000000..6c6071e54 --- /dev/null +++ b/pages.ko/common/aircrack-ng.md @@ -0,0 +1,17 @@ +# aircrack-ng + +> 수집된 패킷의 핸드셰이크 과정 중, WEP 및 WPA/WPA2 키를 크랙. +> Aircrack-ng 네트워크 소프트웨어 제품군의 일부. +> 더 많은 정보: . + +- [w]ordlist를 사용해 캡처 파일에서 크랙 키를 생성: + +`aircrack-ng -w {{경로/대상/wordlist.txt}} {{경로/대상/capture.cap}}` + +- [w]ordlist와 액세스 포인트의 [e]ssid를 사용하여 캡처 파일에서 키를 크랙: + +`aircrack-ng -w {{경로/대상/wordlist.txt}} -e {{essid}} {{경로/대상/capture.cap}}` + +- [w]ordlist와 액세스 포인트의 MAC 주소를 사용하여 캡처 파일에서 키를 크랙: + +`aircrack-ng -w {{경로/대상/wordlist.txt}} --bssid {{mac}} {{경로/대상/capture.cap}}` diff --git a/pages.ko/common/airdecap-ng.md b/pages.ko/common/airdecap-ng.md new file mode 100644 index 000000000..379d69dd8 --- /dev/null +++ b/pages.ko/common/airdecap-ng.md @@ -0,0 +1,25 @@ +# airdecap-ng + +> WEP, WPA 또는 WPA2로 암호화된 캡처 파일 해독. +> Aircrack-ng 네트워크 소프트웨어 제품군의 일부. +> 더 많은 정보: . + +- 열려있는 네트워크 캡처 파일에서 무선 헤더를 제거, 액세스 포인트의 MAC 주소를 사용해 필터링: + +`airdecap-ng -b {{ap_mac}} {{경로/대상/capture.cap}}` + +- 16진수 형식의 키를 사용하여 [w]EP 암호화된 캡처 파일을 해독: + +`airdecap-ng -w {{hex_key}} {{경로/대상/capture.cap}}` + +- 액세스 포인트의 [e]ssid 및 [p]assword를 사용하여 WPA/WPA2 암호화된 캡처 파일을 해독: + +`airdecap-ng -e {{essid}} -p {{비밀번호}} {{경로/대상/capture.cap}}` + +- 액세스 포인트의 [e]ssid 및 [p]assword를 사용하여 헤더를 보존하는, WPA/WPA2 암호화된 캡처 파일을 해독: + +`airdecap-ng -l -e {{essid}} -p {{비밀번호}} {{경로/대상/capture.cap}}` + +- 액세스 포인트의 [e]ssid 및 [p]assword를 사용하여 WPA/WPA2 암호화된 캡처 파일을 해독하고, 해당 MAC 주소를 사용하여 필터링: + +`airdecap-ng -b {{ap_mac}} -e {{essid}} -p {{비밀번호}} {{경로/대상/capture.cap}}` diff --git a/pages.ko/common/aireplay-ng.md b/pages.ko/common/aireplay-ng.md new file mode 100644 index 000000000..a0f9bff48 --- /dev/null +++ b/pages.ko/common/aireplay-ng.md @@ -0,0 +1,9 @@ +# aireplay-ng + +> 무선 네트워크에 패킷을 주입. +> `aircrack-ng`의 일부. +> 더 많은 정보: . + +- 액세스 포인트의 MAC 주소, 클라이언트의 MAC 주소 및 인터페이스가 주어지면, 특정 개수의 분리된 패킷을 전송: + +`sudo aireplay-ng --deauth {{count}} --bssid {{ap_mac}} --dmac {{client_mac}} {{interface}}` diff --git a/pages.ko/common/airmon-ng.md b/pages.ko/common/airmon-ng.md new file mode 100644 index 000000000..fe7d60719 --- /dev/null +++ b/pages.ko/common/airmon-ng.md @@ -0,0 +1,21 @@ +# airmon-ng + +> 무선 네트워크 장치에서 모니터 모드를 활성화. +> `aircrack-ng`의 일부. +> 더 많은 정보: . + +- 무선 장치 및 상태를 나열: + +`sudo airmon-ng` + +- 특정 장치에 대한 모니터 모드 실행: + +`sudo airmon-ng start {{wlan0}}` + +- 무선 장치를 사용하는 방해되는 프로세스를 종료: + +`sudo airmon-ng check kill` + +- 특정 네트워크 인터페이스에 대한 모니터 모드 종료: + +`sudo airmon-ng stop {{wlan0mon}}` diff --git a/pages.ko/common/airodump-ng.md b/pages.ko/common/airodump-ng.md new file mode 100644 index 000000000..daaff6bca --- /dev/null +++ b/pages.ko/common/airodump-ng.md @@ -0,0 +1,21 @@ +# airodump-ng + +> 패킷을 캡처하고, 무선 네트워크에 대한 정보를 표시. +> `aircrack-ng`의 일부. +> 더 많은 정보: . + +- 2.4GHz 대역의 무선 네트워크에 대한 패킷을 캡처하고 정보를 표시: + +`sudo airodump-ng {{인터페이스}}` + +- 5GHz 대역의 무선 네트워크에 대한 패킷을 캡처하고 정보를 표시: + +`sudo airodump-ng {{인터페이스}} --band a` + +- 2.4GHz 및 5GHz 대역 모두에서 무선 네트워크에 대한 패킷을 캡처하고 정보를 표시: + +`sudo airodump-ng {{인터페이스}} --band abg` + +- MAC 주소와 채널을 통해 패킷을 캡처하고, 무선 네트워크에 대한 정보를 표시 및 출력 결과를 파일에 저장: + +`sudo airodump-ng --channel {{channel}} --write {{path/to/file}} --bssid {{mac}} {{interface}}` diff --git a/pages.ko/common/alacritty.md b/pages.ko/common/alacritty.md index 5a4d79d76..62d343db1 100644 --- a/pages.ko/common/alacritty.md +++ b/pages.ko/common/alacritty.md @@ -15,10 +15,10 @@ `alacritty -e {{명령어}}` -- 대체 구성파일 지정 (기본값 : `$XDG_CONFIG_HOME/alacritty/alacritty.yml`): +- 대체 구성파일 지정 (기본값 : `$XDG_CONFIG_HOME/alacritty/alacritty.toml`): -`alacritty --config-file {{경로/config.yml}}` +`alacritty --config-file {{경로/config.toml}}` -- 재배치가 가능한 라이브 구성 설정으로 실행 (기본적으로 `alacritty.yml` 에서도 활성화 가능): +- 재배치가 가능한 라이브 구성 설정으로 실행 (기본적으로 `alacritty.toml` 에서도 활성화 가능): -`alacritty --live-config-reload --config-file {{경로/config.yml}}` +`alacritty --live-config-reload --config-file {{경로/config.toml}}` diff --git a/pages.ko/common/amass-enum.md b/pages.ko/common/amass-enum.md new file mode 100644 index 000000000..4ec292957 --- /dev/null +++ b/pages.ko/common/amass-enum.md @@ -0,0 +1,28 @@ +# amass enum + +> 도메인의 하위 도메인 찾기. +> 더 많은 정보: . + +- 도메인([d]omain)의 하위 도메인을 (수동적으로) 찾기: + +`amass enum -d {{도메인_이름}}` + +- 도메인([d]omain)의 하위 도메인을 찾아 발견된 하위 도메인을 해결하려고 시도하면서, 적극적으로 확인: + +`amass enum -active -d {{도메인_이름}} -p {{80,443,8080}}` + +- 하위 도메인(sub[d]omains)에 대한 무차별 대입 검색을 수행: + +`amass enum -brute -d {{도메인_이름}}` + +- 결과를 텍스트 파일에 저장: + +`amass enum -o {{출력_파일}} -d {{도메인_이름}}` + +- 터미널 출력을 파일에 저장하고 기타 자세한 출력을 디렉터리에 저장: + +`amass enum -o {{출력_파일}} -dir {{경로/대상/디렉터리}} -d {{도메인_이름}}` + +- 사용 가능한 모든 데이터 소스 나열: + +`amass enum -list` diff --git a/pages.ko/common/amass-intel.md b/pages.ko/common/amass-intel.md new file mode 100644 index 000000000..b0aa6c508 --- /dev/null +++ b/pages.ko/common/amass-intel.md @@ -0,0 +1,32 @@ +# amass intel + +> 루트 도메인 및 ASN과 같은 조직에 대한 오픈 소스 정보 수집. +> 더 많은 정보: . + +- IP 주소([addr]ess) 범위에서 루트 도메인 찾기: + +`amass intel -addr {{192.168.0.1-254}}` + +- 활성 정찰 방법을 사용: + +`amass intel -active -addr {{192.168.0.1-254}}` + +- 도메인([d]omain)과 관련된 루트 도메인 찾기: + +`amass intel -whois -d {{도메인_이름}}` + +- 조직([org]anisation)에 속하는 ASN 찾기: + +`amass intel -org {{조직_이름}}` + +- 주어진 자율 시스템 번호에 속하는 루트 도메인 찾기: + +`amass intel -asn {{asn}}` + +- 결과를 텍스트 파일에 저장: + +`amass intel -o {{출력_파일}} -whois -d {{도메인_이름}}` + +- 사용 가능한 모든 데이터 소스 나열: + +`amass intel -list` diff --git a/pages.ko/common/amass.md b/pages.ko/common/amass.md new file mode 100644 index 000000000..835fff6d5 --- /dev/null +++ b/pages.ko/common/amass.md @@ -0,0 +1,21 @@ +# amass + +> 심층 공격 표면 매핑 및 자산 검색 도구. +> `amass intel`과 같은 일부 하위 명령에는 자체적으로 사용 설명서가 존재. +> 더 많은 정보: . + +- Amass 하위 명령어 실행: + +`amass {{intel|enum}} {{options}}` + +- 도움말 표시: + +`amass -help` + +- Amass 하위 명령에 대한 도움말 표시: + +`amass {{intel|enum}} -help` + +- 버전 정보 표시: + +`amass -version` diff --git a/pages.ko/common/ani-cli.md b/pages.ko/common/ani-cli.md new file mode 100644 index 000000000..4065630ce --- /dev/null +++ b/pages.ko/common/ani-cli.md @@ -0,0 +1,28 @@ +# ani-cli + +> 애니메이션을 탐색하고 시청할 수 있는 커멘드라인 인터페이스. +> 더 많은 정보: . + +- 이름으로 애니메이션 검색: + +`ani-cli "{{애니메이션_이름}}"` + +- 에피소드 다운로드([d]ownload): + +`ani-cli -d "{{애니메이션_이름}}"` + +- 에피소드 다운로드 [v]LC를 미디어 플레이어로 사용: + +`ani-cli -v "{{애니메이션_이름}}"` + +- 특정 에피소드([e]pisode)를 시청: + +`ani-cli -e {{에피소드_숫자}} "{{애니메이션_이름}}"` + +- 기록에 있는 애니메이션을 계속해서([c]ontinue) 시청: + +`ani-cli -c` + +- `ani-cli` 업데이트([U]pdate): + +`ani-cli -U` diff --git a/pages.ko/common/ansible-doc.md b/pages.ko/common/ansible-doc.md new file mode 100644 index 000000000..2c6d00f81 --- /dev/null +++ b/pages.ko/common/ansible-doc.md @@ -0,0 +1,29 @@ +# ansible-doc + +> Ansible 라이브러리에 설치된 모듈에 대한 정보를 표시. +> 플러그인과 간단한 설명의 정리된 목록을 표시. +> 더 많은 정보: . + +- 사용 가능한 작업 플러그인(모듈) 목록: + +`ansible-doc --list` + +- 특정 유형의 사용 가능한 플러그인을 나열: + +`ansible-doc --type {{become|cache|callback|cliconf|connection|...}} --list` + +- 특정 작업 플러그인(모듈)에 대한 정보 표시: + +`ansible-doc {{plugin_name}}` + +- 특정 유형의 플러그인에 대한 정보 표시: + +`ansible-doc --type {{become|cache|callback|cliconf|connection|...}} {{플러그인_이름}}` + +- 액션 플러그인(모듈)에 대한 플레이북 스니펫 표시: + +`ansible-doc --snippet {{플러그인_이름}}` + +- 액션 플러그인(모듈)에 대한 정보를 JSON으로 표시: + +`ansible-doc --json {{플러그인_이름}}` diff --git a/pages.ko/common/ansible-galaxy.md b/pages.ko/common/ansible-galaxy.md index 7ba81c062..31a103075 100644 --- a/pages.ko/common/ansible-galaxy.md +++ b/pages.ko/common/ansible-galaxy.md @@ -1,15 +1,15 @@ # ansible-galaxy -> 수용 가능한 역할 생성 및 관리. +> Ansible 역할 생성 및 관리. > 더 많은 정보: . - 역할 설치: -`ansible-galaxy install {{사용자이름.역할_}}` +`ansible-galaxy install {{사용자명}}.{{역할_이름}}` - 역할 제거: -`ansible-galaxy remove {{사용자이름.역할_이름}}` +`ansible-galaxy remove {{사용자명}}.{{역할_이름}}` - 설치된 역할 리스트: @@ -22,3 +22,11 @@ - 새로운 역할 생성: `ansible-galaxy init {{역할_이름}}` + +- 사용자 역할에 해당하는 정보 가져오기: + +`ansible-galaxy role info {{사용자명}}.{{역할_이름}}` + +- 컬렉션에 대한 정보 가져오기: + +`ansible-galaxy collection info {{사용자명}}.{{컬렉션_이름}}` diff --git a/pages.ko/common/ansible-inventory.md b/pages.ko/common/ansible-inventory.md new file mode 100644 index 000000000..d83bdac28 --- /dev/null +++ b/pages.ko/common/ansible-inventory.md @@ -0,0 +1,21 @@ +# ansible-inventory + +> Ansible 인벤토리를 표시하거나 덤프. +> 또한, `ansible`을 참조하세요. +> 더 많은 정보: . + +- 기본 인벤토리를 표시: + +`ansible-inventory --list` + +- 사용자 지정 인벤토리를 표시: + +`ansible-inventory --list --inventory {{경로/대상/파일_또는_스크립트_또는_디렉토리}}` + +- YAML에서 기본 인벤토리를 표시: + +`ansible-inventory --list --yaml` + +- 기본 인벤토리를 파일에 덤프: + +`ansible-inventory --list --output {{경로/대상/파일}}` diff --git a/pages.ko/common/ansible-playbook.md b/pages.ko/common/ansible-playbook.md index a55de0609..0be00e283 100644 --- a/pages.ko/common/ansible-playbook.md +++ b/pages.ko/common/ansible-playbook.md @@ -11,10 +11,22 @@ `ansible-playbook {{playbook}} -i {{인벤토리_파일}}` -- 명령어 라인을 통해 정의된 추가 변수를 사용하여 playbook에서 작업 실행: +- 명령어로 정의된 추가 변수를 사용하여 playbook에서 작업 실행: `ansible-playbook {{playbook}} -e "{{변수1}}={{값1}} {{변수2}}={{값2}}"` - json 파일에 정의된 추가 변수를 사용하여 playbook에서 작업 실행: `ansible-playbook {{playbook}} -e "@{{변수.json}}"` + +- 지정된 태그에 대해 플레이북에서 작업 실행: + +`ansible-playbook {{playbook}} --tags {{태그1,태그2}}` + +- 특정 작업에서 시작하는 playbook에서 작업 실행: + +`ansible-playbook {{playbook}} --start-at {{작업_이름}}` + +- 변경사항을 적용하지 않고 플레이북에서 작업 실행(dry-run): + +`ansible-playbook {{playbook}} --check --diff` diff --git a/pages.ko/common/ansible-pull.md b/pages.ko/common/ansible-pull.md new file mode 100644 index 000000000..4bbef3498 --- /dev/null +++ b/pages.ko/common/ansible-pull.md @@ -0,0 +1,20 @@ +# ansible-pull + +> VCS 저장소에서 Ansible 플레이북을 가져와 로컬 호스트에서 실행. +> 더 많은 정보: . + +- VCS에서 플레이북을 가져와 기본 local.yml playbook을 실행: + +`ansible-pull -U {{저장소_url}}` + +- VCS에서 플레이북을 가져와 특정 플레이북을 실행: + +`ansible-pull -U {{저장소_url}} {{playbook}}` + +- 특정 지점의 VCS에서 플레이북을 가져와 특정 플레이북을 실행: + +`ansible-pull -U {{저장소_url}} -C {{branch}} {{playbook}}` + +- VCS에서 플레이북을 가져오고, 호스트 파일을 지정하고 특정 플레이북을 실행: + +`ansible-pull -U {{저장소_url}} -i {{hosts_file}} {{playbook}}` diff --git a/pages.ko/common/ansible-vault.md b/pages.ko/common/ansible-vault.md new file mode 100644 index 000000000..801437136 --- /dev/null +++ b/pages.ko/common/ansible-vault.md @@ -0,0 +1,28 @@ +# ansible-vault + +> Ansible 프로젝트 내에서 값, 데이터 구조 및 파일을 암호화하고 해독. +> 더 많은 정보: . + +- 비밀번호를 입력하라는 메시지가 표시된 새로운 암호화된 볼트 파일을 만듬: + +`ansible-vault create {{볼트_파일}}` + +- 볼트 키 파일을 사용하여, 암호화된 새 볼트 파일을 만듬: + +`ansible-vault create --vault-password-file {{비밀번호_파일}} {{볼트_파일}}` + +- 선택적 비밀번호 파일을 사용하여, 기존 파일을 암호화: + +`ansible-vault encrypt --vault-password-file {{비밀번호_파일}} {{볼트_파일}}` + +- Ansible의 암호화된 문자열 형식을 사용하여, 문자열을 암호화하고 대화형 프롬프트를 표시: + +`ansible-vault encrypt_string` + +- 암호 파일을 사용하여, 암호화된 파일을 해독하는 방법: + +`ansible-vault view --vault-password-file {{비밀번호_파일}} {{볼트_파일}}` + +- 이미 암호화된 볼트 파일을 새 암호 파일로 다시 키 지정: + +`ansible-vault rekey --vault-password-file {{예전_비밀번호_파일}} --new-vault-password-file {{새로운_비밀번호_파일}} {{볼트_파일}}` diff --git a/pages.ko/common/ansible.md b/pages.ko/common/ansible.md index c5dcbb2f7..ae17c3567 100644 --- a/pages.ko/common/ansible.md +++ b/pages.ko/common/ansible.md @@ -1,7 +1,7 @@ # ansible -> SSH를 통해 컴퓨터 그룹을 원격으로 관리. -> `/etc/ansible/hosts` 파일을 사용하여 새 그룹/호스트를 추가하십시오. +> SSH를 통해 컴퓨터 그룹을 원격으로 관리. (`/etc/ansible/hosts` 파일을 사용하여 새 그룹/호스트를 추가하십시오). +> `ansible galaxy`와 같은 일부 하위 명령에는 자체 사용 설명서가 있음. > 더 많은 정보: . - 그룹에 속한 호스트 목록: @@ -27,3 +27,7 @@ - 사용자 정의 인벤토리 파일을 사용하여 명령어 실행: `ansible {{그룹}} -i {{인벤토리_파일}} -m command -a '{{나의_명령어}}'` + +- 인벤토리의 그룹을 나열: + +`ansible localhost -m debug -a '{{var=groups.keys()}}'` diff --git a/pages.ko/common/apkleaks.md b/pages.ko/common/apkleaks.md new file mode 100644 index 000000000..5157b5d33 --- /dev/null +++ b/pages.ko/common/apkleaks.md @@ -0,0 +1,17 @@ +# apkleaks + +> APK 파일에서 URI, 엔드포인트, 비밀을 노출. +> 참고: APKLeaks는 `jadx` 디스어셈블러를 사용하여 APK 파일을 디컴파일. +> 더 많은 정보: . + +- APK 파일([f]ile)에서 URI, 엔드포인트, 비밀을 스캔: + +`apkleaks --file {{경로/대상/파일.apk}}` + +- 출력([o]utput)을 스캔하여 특정 파일에 저장: + +`apkleaks --file {{경로/대상/파일.apk}} --output {{경로/대상/출력파일.txt}}` + +- `jadx` 디스어셈블러 인수([a]rguments) 전달: + +`apkleaks --file {{경로/대상/파일.apk}} --args "{{--threads-count 5 --deobf}}"` diff --git a/pages.ko/common/archwiki-rs.md b/pages.ko/common/archwiki-rs.md new file mode 100644 index 000000000..fb1e188b5 --- /dev/null +++ b/pages.ko/common/archwiki-rs.md @@ -0,0 +1,20 @@ +# archwiki-rs + +> ArchWiki에서 페이지를 읽고 검색하고 다운로드. +> 더 많은 정보: . + +- ArchWiki에서 한 페이지를 읽어보기: + +`archwiki-rs read-page {{페이지_제목}}` + +- 지정된 형식으로 ArchWiki에서 페이지를 읽음: + +`archwiki-rs read-page {{페이지_제목}} --format {{plain-text|markdown|html}}` + +- 제공된 텍스트가 포함된 페이지를 ArchWiki에서 검색: + +`archwiki-rs search "{{검색_텍스트}}" --text-search` + +- 모든 ArchWiki 페이지의 로컬 복사본을 특정 디렉터리로 다운로드: + +`archwiki-rs local-wiki {{/경로/대상/로컬_위키}} --format {{plain-text|markdown|html}}` diff --git a/pages.ko/common/arduino-builder.md b/pages.ko/common/arduino-builder.md new file mode 100644 index 000000000..335d56396 --- /dev/null +++ b/pages.ko/common/arduino-builder.md @@ -0,0 +1,25 @@ +# arduino-builder + +> 아두이노 스케치 컴파일. +> 사용 중단 경고: 이 도구는 `arduino`로 인해 단계적으로 중단. +> 더 많은 정보: . + +- 스케치를 작성: + +`arduino-builder -compile {{경로/대상/sketch.ino}}` + +- 디버그 수준 지정 (기본값: 5): + +`arduino-builder -debug-level {{1..10}}` + +- 사용자 정의 빌드 디렉토리 지정: + +`arduino-builder -build-path {{경로/대상/빌드_디렉터리}}` + +- `-hardware`, `-tools` 등을 매번 수동으로 지정하는 대신, 빌드 옵션 파일을 사용: + +`arduino-builder -build-options-file {{경로/대상/build.options.json}}` + +- 상세 모드 활성화: + +`arduino-builder -verbose {{true}}` diff --git a/pages.ko/common/arduino.md b/pages.ko/common/arduino.md new file mode 100644 index 000000000..10ead8e10 --- /dev/null +++ b/pages.ko/common/arduino.md @@ -0,0 +1,36 @@ +# arduino + +> Arduino Studio - Arduino 플랫폼을 위한 통합 개발 환경. +> 더 많은 정보: . + +- 스케치 작성: + +`arduino --verify {{경로/대상/파일.ino}}` + +- 스케치를 작성하고 업로드: + +`arduino --upload {{경로/대상/파일.ino}}` + +- Atmega328p CPU가 장착된 Arduino Nano에 스케치를 빌드하고 업로드, 포트 `/dev/ttyACM0`에 연결됨: + +`arduino --board {{arduino:avr:nano:cpu=atmega328p}} --port {{/dev/ttyACM0}} --upload {{경로/대상/파일.ino}}` + +- 환경 설정 `name`을 주어진 `value`로 설정: + +`arduino --pref {{이름}}={{값}}` + +- 스케치를 빌드하고 빌드 결과를 빌드 디렉터리에 넣고, 해당 디렉토리에 있는 이전 빌드 결과를 재사용: + +`arduino --pref build.path={{경로/대상/빌드_디렉터리}} --verify {{경로/대상/파일.ino}}` + +- (변경된) 기본 설정을 `preferences.txt`에 저장: + +`arduino --save-prefs` + +- 최신 SAM 보드 설치: + +`arduino --install-boards "{{arduino:sam}}"` + +- Bridge 및 Servo 라이브러리 설치: + +`arduino --install-library "{{Bridge:1.0.0,Servo:1.2.0}}"` diff --git a/pages.ko/common/asciidoctor.md b/pages.ko/common/asciidoctor.md index df6c2e402..5563bd540 100644 --- a/pages.ko/common/asciidoctor.md +++ b/pages.ko/common/asciidoctor.md @@ -9,7 +9,7 @@ - 특정 `.adoc` 파일을 HTML로 변환하고 CSS 스타일시트 연결: -`asciidoctor -a stylesheet={{경로/대상/스타일시트.css}} {{경로/대상/파일.adoc}}` +`asciidoctor -a stylesheet {{경로/대상/스타일시트.css}} {{경로/대상/파일.adoc}}` - 특정 `.adoc` 파일을 포함 가능한 HTML로 변환하고, 본문을 제외한 모든 항목을 제거: @@ -17,4 +17,4 @@ - `asciidoctor-pdf` 라이브러리를 사용하여 특정 `.adoc` 파일을 PDF로 변환: -`asciidoctor --backend={{pdf}} --require={{asciidoctor-pdf}} {{경로/대상/파일.adoc}}` +`asciidoctor --backend {{pdf}} --require {{asciidoctor-pdf}} {{경로/대상/파일.adoc}}` diff --git a/pages.ko/common/aspell.md b/pages.ko/common/aspell.md new file mode 100644 index 000000000..6c4ecf42f --- /dev/null +++ b/pages.ko/common/aspell.md @@ -0,0 +1,24 @@ +# aspell + +> 대화형 맞춤법 검사기. +> 더 많은 정보: . + +- 단일 파일의 철자 검사: + +`aspell check {{경로/대상/파일}}` + +- `stdin`에서 철자가 틀린 단어를 나열: + +`cat {{경로/대상/파일}} | aspell list` + +- 사용 가능한 사전적 언어 표시: + +`aspell dicts` + +- 다른 언어로 `aspell`을 실행 (두 글자 ISO 639 언어 코드 사용): + +`aspell --lang={{cs}}` + +- `stdin`에서 철자가 틀린 단어를 나열하고, 개인 단어 목록에서 단어를 무시: + +`cat {{경로/대상/파일}} | aspell --personal={{personal-word-list.pws}} list` diff --git a/pages.ko/common/atktopbm.md b/pages.ko/common/atktopbm.md new file mode 100644 index 000000000..289e814e9 --- /dev/null +++ b/pages.ko/common/atktopbm.md @@ -0,0 +1,9 @@ +# atktopbm + +> Andrew Toolkit 래스터 객체를 PBM 이미지로 변환. +> `pbmtoatk` 명령어를 참고하세요. +> 더 많은 정보: . + +- Andrew Toolkit 래스터 객체를 PBM 이미지로 변환: + +`atktopbm {{경로/대상/image.atk}} > {{경로/대상/output.pbm}}` diff --git a/pages.ko/common/audtool.md b/pages.ko/common/audtool.md new file mode 100644 index 000000000..83913086d --- /dev/null +++ b/pages.ko/common/audtool.md @@ -0,0 +1,37 @@ +# audtool + +> 명령을 사용해 Audacious 제어. +> 참고: `audacious`. +> 더 많은 정보: . + +- 오디오 재생/일시 중지: + +`audtool playback-playpause` + +- 현재 재생 중인 노래의 아티스트, 앨범, 노래 제목을 출력: + +`audtool current-song` + +- 오디오 재생 볼륨 설정: + +`audtool set-volume {{100}}` + +- 다음 노래로 건너뛰기: + +`audtool playlist-advance` + +- 현재 노래의 비트레이트를 킬로비트 단위로 출력: + +`audtool current-song-bitrate-kbps` + +- 숨겨진 경우, 전체 화면으로 Audacious 열기: + +`audtool mainwin-show` + +- 도움말 표시: + +`audtool help` + +- 설정 표시: + +`audtool preferences-show` diff --git a/pages.ko/common/autojump.md b/pages.ko/common/autojump.md new file mode 100644 index 000000000..127e18562 --- /dev/null +++ b/pages.ko/common/autojump.md @@ -0,0 +1,25 @@ +# autojump + +> 가장 자주 방문하는 디렉토리 사이를 빠르게 이동. +> j 또는 jc와 같은 별칭은 타이핑을 줄이기 위해 제공. +> 더 많은 정보: . + +- 주어진 패턴이 포함된 디렉토리로 이동: + +`j {{패턴}}` + +- 주어진 패턴이 포함된 현재 디렉토리의 하위 디렉토리(자식)로 이동: + +`jc {{패턴}}` + +- 운영체제 파일 관리자에서 주어진 패턴이 포함된 디렉토리 열기: + +`jo {{패턴}}` + +- 자동 점프 데이터베이스에서 존재하지 않는 디렉토리 제거: + +`j --purge` + +- 자동 점프 데이터베이스의 항목을 표시: + +`j -s` diff --git a/pages.ko/common/autopep8.md b/pages.ko/common/autopep8.md new file mode 100644 index 000000000..cab1cac2a --- /dev/null +++ b/pages.ko/common/autopep8.md @@ -0,0 +1,20 @@ +# autopep8 + +> PEP 8 스타일 가이드에 따라 Python 코드 형식을 지정. +> 더 많은 정보: . + +- 사용자 정의 최대 줄 길이를 사용해, 파일을 `stdout`로 포맷: + +`autopep8 {{경로/대상/파일.py}} --max-line-length {{길이}}` + +- 변경 사항의 차이점을 표시하여, 파일을 포맷을 함: + +`autopep8 --diff {{경로/대상/파일}}` + +- 파일을 제자리에서, 포맷하고 변경 사항을 저장함: + +`autopep8 --in-place {{경로/대상/파일.py}}` + +- 디렉토리의 모든 파일을 재귀적으로 포맷하고, 변경 사항을 저장: + +`autopep8 --in-place --recursive {{경로/대상/디렉토리}}` diff --git a/pages.ko/common/autossh.md b/pages.ko/common/autossh.md index b96cc030a..bbd53473b 100644 --- a/pages.ko/common/autossh.md +++ b/pages.ko/common/autossh.md @@ -1,6 +1,6 @@ # autossh -> SSH 연결을 실행, 모니터링 및 재시작. port 재전송 tunnel을 유지하기 위해 자동 재연결. 모든 ssh 플래그 허용. +> SSH 연결을 실행, 모니터링 및 재시작. port 재전송 tunnel을 유지하기 위해 자동 재연결. 모든 SSH 플래그 허용. > 더 많은 정보: . - SSH session을 열고, 모니터링 포트가 데이터를 리턴하지 못하면 다시 시작: diff --git a/pages.ko/common/aws-accessanalyzer.md b/pages.ko/common/aws-accessanalyzer.md new file mode 100644 index 000000000..2118fa8d5 --- /dev/null +++ b/pages.ko/common/aws-accessanalyzer.md @@ -0,0 +1,36 @@ +# aws accessanalyzer + +> 잠재적인 보안 위험을 파악하기 위해, 리소스 정책을 분석하고 검토. +> 더 많은 정보: . + +- 새로운 Access Analyzer 생성: + +`aws accessanalyzer create-analyzer --analyzer-name {{분석기_이름}} --type {{타입}} --tags {{태그}}` + +- 기존 Access Analyzer 삭제: + +`aws accessanalyzer delete-analyzer --analyzer-arn {{analyzer_arn}}` + +- 특정 Access Analyzer 세부 정보 출력: + +`aws accessanalyzer get-analyzer --analyzer-arn {{analyzer_arn}}` + +- 모든 Access Analyzers 나열: + +`aws accessanalyzer list-analyzers` + +- Access Analyzer 설정 업데이트: + +`aws accessanalyzer update-analyzer --analyzer-arn {{analyzer_arn}} --tags {{new_tags}}` + +- 새로운 Access Analyzer 아카이브 규칙 생성: + +`aws accessanalyzer create-archive-rule --analyzer-arn {{analyzer_arn}} --rule-name {{규칙_이름}} --filter {{filter}}` + +- Access Analyzer 아카이브 규칙 삭제: + +`aws accessanalyzer delete-archive-rule --analyzer-arn {{analyzer_arn}} --rule-name {{rule_name}}` + +- 모든 Access Analyzer 아카이브 규칙 나열: + +`aws accessanalyzer list-archive-rules --analyzer-arn {{analyzer_arn}}` diff --git a/pages.ko/common/aws-acm-pca.md b/pages.ko/common/aws-acm-pca.md new file mode 100644 index 000000000..4b997a38b --- /dev/null +++ b/pages.ko/common/aws-acm-pca.md @@ -0,0 +1,36 @@ +# aws acm-pca + +> AWS 인증서 관리자 개인 인증 기관. +> 더 많은 정보: . + +- 개인 인증 기관 생성: + +`aws acm-pca create-certificate-authority --certificate-authority-configuration {{ca_config}} --idempotency-token {{token}} --permanent-deletion-time-in-days {{number}}` + +- 개인 인증 기관 정보 표시: + +`aws acm-pca describe-certificate-authority --certificate-authority-arn {{ca_arn}}` + +- 개인 인증 기관 목록: + +`aws acm-pca list-certificate-authorities` + +- 인증 기관 업데이트: + +`aws acm-pca update-certificate-authority --certificate-authority-arn {{ca_arn}} --certificate-authority-configuration {{ca_config}} --status {{status}}` + +- 개인 인증 기관 삭제: + +`aws acm-pca delete-certificate-authority --certificate-authority-arn {{ca_arn}}` + +- 인증서 발행: + +`aws acm-pca issue-certificate --certificate-authority-arn {{ca_arn}} --certificate-signing-request {{cert_signing_request}} --signing-algorithm {{algorithm}} --validity {{validity}}` + +- 인증서 취소: + +`aws acm-pca revoke-certificate --certificate-authority-arn {{ca_arn}} --certificate-serial {{serial}} --reason {{reason}}` + +- 인증서 세부사항 출력: + +`aws acm-pca get-certificate --certificate-authority-arn {{ca_arn}} --certificate-arn {{cert_arn}}` diff --git a/pages.ko/common/aws-acm.md b/pages.ko/common/aws-acm.md new file mode 100644 index 000000000..2ae1575b5 --- /dev/null +++ b/pages.ko/common/aws-acm.md @@ -0,0 +1,36 @@ +# aws acm + +> AWS 인증서 관리자. +> 더 많은 정보: . + +- 인증서 가져오기: + +`aws acm import-certificate --certificate-arn {{certificate_arn}} --certificate {{인증서}} --private-key {{개인_키}} --certificate-chain {{인증서_체인}}` + +- 인증서 나열: + +`aws acm list-certificates` + +- 인증서 설명 확인: + +`aws acm describe-certificate --certificate-arn {{certificate_arn}}` + +- 인증서 요청: + +`aws acm request-certificate --domain-name {{도메인_이름}} --validation-method {{검증_방법}}` + +- 인증서 삭제: + +`aws acm delete-certificate --certificate-arn {{certificate_arn}}` + +- 인증서 검증 방법 나열: + +`aws acm list-certificates --certificate-statuses {{status}}` + +- 인증서 세부 정보 출력: + +`aws acm get-certificate --certificate-arn {{certificate_arn}}` + +- 인증서 옵션 업데이트: + +`aws acm update-certificate-options --certificate-arn {{certificate_arn}} --options {{옵션}}` diff --git a/pages.ko/common/aws-amplify.md b/pages.ko/common/aws-amplify.md new file mode 100644 index 000000000..0e39c3115 --- /dev/null +++ b/pages.ko/common/aws-amplify.md @@ -0,0 +1,36 @@ +# aws amplify + +> 안전하고, 확장 가능한 모바일 및 웹 애플리케이션을 구축하기 위한 개발 플랫폼. +> 더 많은 정보: . + +- 새로운 Amplify 앱 생성: + +`aws amplify create-app --name {{앱_이름}} --description {{세부정보}} --repository {{레포지토리_주소}} --platform {{플랫폼}} --environment-variables {{환경_변수}} --tags {{태그}}` + +- 기존 Amplify 앱 삭제: + +`aws amplify delete-app --app-id {{앱_아이디}}` + +- 특정 Amplify 앱 세부정보 가져오기: + +`aws amplify get-app --app-id {{앱_아이디}}` + +- 모든 Amplify 앱 나열: + +`aws amplify list-apps` + +- Amplify 앱 설정 업데이트: + +`aws amplify update-app --app-id {{앱_아이디}} --name {{새로운_이름}} --description {{새로운_세부정보}} --repository {{새로운_레포지토리_주소}} --environment-variables {{새로운_환경_변수}} --tags {{새로운_태그}}` + +- Amplify 앱에 새로운 백엔드 환경 추가: + +`aws amplify create-backend-environment --app-id {{앱_아이디}} --environment-name {{환경변수_이름}} --deployment-artifacts {{artifacts}}` + +- Amplify 앱에서 백엔드 환경 제거: + +`aws amplify delete-backend-environment --app-id {{앱_아이디}} --environment-name {{환경변수_이름}}` + +- Amplify 앱의 모든 백엔드 환경 나열: + +`aws amplify list-backend-environments --app-id {{앱_아이디}}` diff --git a/pages.ko/common/aws-ce.md b/pages.ko/common/aws-ce.md new file mode 100644 index 000000000..5dae5ad6e --- /dev/null +++ b/pages.ko/common/aws-ce.md @@ -0,0 +1,36 @@ +# aws-ce + +> 클라우드 환경에서 액세스 제어 및 보안 설정 분석 및 관리. +> 더 많은 정보: . + +- 새로운 접근 제어 분석기 생성: + +`awe-ce create-analyzer --analyzer-name {{분석기_이름}} --type {{타입}} --tags {{태그}}` + +- 존재하는 접근 제어 분석기 삭제: + +`awe-ce delete-analyzer --analyzer-arn {{analyzer_arn}}` + +- 특정 접근 제어 분석기 세부 정보 얻기: + +`awe-ce get-analyzer --analyzer-arn {{analyzer_arn}}` + +- 모든 접근 제어 분석기 나열: + +`awe-ce list-analyzers` + +- 접근 제어 분석기 설정 업데이트: + +`awe-ce update-analyzer --analyzer-arn {{analyzer_arn}} --tags {{새로운_태그}}` + +- 새로운 접근 제어 분석기 아카이브 규칙 생성: + +`awe-ce create-archive-rule --analyzer-arn {{analyzer_arn}} --rule-name {{규칙_이름}} --filter {{필터}}` + +- 접근 제어 분석기 아카이브 규칙 삭제: + +`awe-ce delete-archive-rule --analyzer-arn {{analyzer_arn}} --rule-name {{규칙_이름}}` + +- 모든 접근 제어 분석기 아카이브 규칙 나열: + +`awe-ce list-archive-rules --analyzer-arn {{analyzer_arn}}` diff --git a/pages.ko/common/az-account.md b/pages.ko/common/az-account.md new file mode 100644 index 000000000..d52456360 --- /dev/null +++ b/pages.ko/common/az-account.md @@ -0,0 +1,25 @@ +# az account + +> Azure 구독 정보를 관리. +> `azure-cli`의 일부 (`az`라고도 함). +> 더 많은 정보: . + +- 로그인한 계정의 모든 구독을 나열: + +`az account list` + +- `구독`을 햔재 활성 구독으로 설정: + +`az account set --subscription {{구독_아이디}}` + +- 현재 활성 구독이 지원되는 지역을 나열: + +`az account list-locations` + +- `MS Graph API`와 함께 사용할 액세스 토큰을 인쇄: + +`az account get-access-token --resource-type {{ms-graph}}` + +- 현재 활성화된 구독의 세부 정보를 특정 형식으로 출력: + +`az account show --output {{json|tsv|table|yaml}}` diff --git a/pages.ko/common/az-acr.md b/pages.ko/common/az-acr.md new file mode 100644 index 000000000..547b699f1 --- /dev/null +++ b/pages.ko/common/az-acr.md @@ -0,0 +1,37 @@ +# az acr + +> Azure Container Registries를 사용해 프라이빗 레지스트리를 관리. +> `azure-cli`의 일부 (`az`라고도 함). +> 더 많은 정보: . + +- 관리형 컨테이너 레지스트리를 생성: + +`az acr create --name {{레지스트리_이름}} --resource-group {{리소스_그룹}} --sku {{sku}}` + +- 레지스트리에 로그인: + +`az acr login --name {{레지스트리_이름}}` + +- ACR용 로컬 이미지에 태그를 지정: + +`docker tag {{이미지_이름}} {{레지스트리_이름}}.azurecr.io/{{이미지_이름}}:{{태그}}` + +- 이미지를 레지스트리에 푸시: + +`docker push {{레지스트리_이름}}.azurecr.io/{{이미지_이름}}:{{태그}}` + +- 레지스트리에서 이미지를 가져옴: + +`docker pull {{레지스트리_이름}}.azurecr.io/{{이미지_이름}}:{{태그}}` + +- 레지스트리에서 이미지 삭제: + +`az acr repository delete --name {{레지스트리_이름}} --repository {{이미지_이름}}:{{태그}}` + +- 관리형 컨테이너 레지스트리를 삭제: + +`az acr delete --name {{레지스트리_이름}} --resource-group {{리소스_그룹}} --yes` + +- 레지스트리 내의 이미지 목록 나열: + +`az acr repository list --name {{레지스트리_이름}} --output table` diff --git a/pages.ko/common/az-advisor.md b/pages.ko/common/az-advisor.md new file mode 100644 index 000000000..f95790845 --- /dev/null +++ b/pages.ko/common/az-advisor.md @@ -0,0 +1,25 @@ +# az advisor + +> Azure 구독 정보를 관리. +> `azure-cli`의 일부 (`az`라고도 함). +> 더 많은 정보: . + +- 전체 구독에 대한 Azure Advisor 구성을 나열: + +`az advisor configuration list` + +- 지정된 구독 또는 리소스 그룹에 대한 Azure Advisor 구성을 표시: + +`az advisor configuration show --resource_group {{리소스_그룹}}` + +- Azure Advisor 권장사항 나열: + +`az advisor recommendation list` + +- Azure Advisor 권장사항 활성화: + +`az advisor recommendation enable --resource_group {{리소스_그룹}}` + +- Azure Advisor 권장사항 비활성화: + +`az advisor recommendation disable --resource_group {{리소스_그룹}}` diff --git a/pages.ko/common/az-aks.md b/pages.ko/common/az-aks.md new file mode 100644 index 000000000..6788b12c4 --- /dev/null +++ b/pages.ko/common/az-aks.md @@ -0,0 +1,25 @@ +# az aks + +> Azure Kubernetes Service (AKS) 클러스터 관리. +> `azure-cli`의 일부 (`az`라고도 함). +> 더 많은 정보: . + +- AKS 클러스터 나열: + +`az aks list --resource-group {{리소스_그룹}}` + +- 새로운 AKS 클러스터 생성: + +`az aks create --resource-group {{리소스_그룹}} --name {{이름}} --node-count {{개수}} --node-vm-size {{크기}}` + +- AKS 클러스터 삭제: + +`az aks delete --resource-group {{리소스_그룹}} --name {{이름}}` + +- AKS 클러스터에 대한 접근 자격 증명을 가져옴: + +`az aks get-credentials --resource-group {{리소스_그룹}} --name {{이름}}` + +- AKS 클러스터에 사용할 수 있는 업그레이드 버전 가져오기: + +`az aks get-upgrades --resource-group {{리소스_그룹}} --name {{이름}}` diff --git a/pages.ko/common/az-apim.md b/pages.ko/common/az-apim.md new file mode 100644 index 000000000..451733884 --- /dev/null +++ b/pages.ko/common/az-apim.md @@ -0,0 +1,25 @@ +# az apim + +> Azure API Management 서비스를 관리. +> `azure-cli`의 일부 (`az`라고도 함). +> 더 많은 정보: . + +- 리소스 그룹 내 API Management 서비스를 나열: + +`az apim list --resource-group {{리소스_그룹}}` + +- API Management 서비스 인스턴스 생성: + +`az apim create --name {{이름}} --resource-group {{리소스_그룹}} --publisher-email {{이메일}} --publisher-name {{이름}}` + +- API Management 서비스 삭제: + +`az apim delete --name {{이름}} --resource-group {{리소스_그룹}}` + +- API Management 서비스 인스턴스의 세부정보 표시: + +`az apim show --name {{이름}} --resource-group {{리소스_그룹}}` + +- API Management 서비스 인스턴스 업데이트: + +`az apim update --name {{이름}} --resource-group {{리소스_그룹}}` diff --git a/pages.ko/common/az-appconfig.md b/pages.ko/common/az-appconfig.md new file mode 100644 index 000000000..86960f1eb --- /dev/null +++ b/pages.ko/common/az-appconfig.md @@ -0,0 +1,29 @@ +# az appconfig + +> Azure에서 앱 구성을 관리. +> `azure-cli`의 일부 (`az`라고도 함). +> 더 많은 정보: . + +- 앱 구성 만들기: + +`az appconfig create --name {{이름}} --resource-group {{그룹_이름}} --location {{위치}}` + +- 특정 앱 구성 삭제: + +`az appconfig delete --resource-group {{리소스그룹_이름}} --name {{앱구성파일_이름}}` + +- 현재 구독 아래의 모든 앱 구성을 나열: + +`az appconfig list` + +- 특정 리소스 그룹 아래 모든 앱 구성을 나열: + +`az appconfig list --resource-group {{리소스그룹_이름}}` + +- 앱 구성의 속성 표시: + +`az appconfig show --name {{앱구성파일_이름}}` + +- 특정 앱 구성 업데이트: + +`az appconfig update --resource-group {{리소스그룹_이름}} --name {{앱구성파일_이름}}` diff --git a/pages.ko/common/az-bicep.md b/pages.ko/common/az-bicep.md new file mode 100644 index 000000000..fa4b5df21 --- /dev/null +++ b/pages.ko/common/az-bicep.md @@ -0,0 +1,33 @@ +# az bicep + +> Bicep CLI 명령어 집합. +> `azure-cli`의 일부 (`az`라고도 함). +> 더 많은 정보: . + +- Bicep CLI 설치: + +`az bicep install` + +- Bicep 파일 빌드: + +`az bicep build --file {{경로/대상/파일.bicep}}` + +- ARM 템플릿 파일을 Bicep 파일로 디컴파일 하려고 시도: + +`az bicep decompile --file {{경로/대상/템플릿_파일.json}}` + +- Bicep CLI를 최신 버전으로 업그레이드: + +`az bicep upgrade` + +- 설치된 Bicep CLI 버전을 표시: + +`az bicep version` + +- 사용 가능한 모든 Bicep CLI 버전 나열: + +`az bicep list-versions` + +- Bicep CLI 설치 삭제: + +`az bicep uninstall` diff --git a/pages.ko/common/az-config.md b/pages.ko/common/az-config.md new file mode 100644 index 000000000..d44622806 --- /dev/null +++ b/pages.ko/common/az-config.md @@ -0,0 +1,21 @@ +# az config + +> Azure CLI 구성을 관리. +> `azure-cli`의 일부 (`az`라고도 함). +> 더 많은 정보: . + +- 모든 구성 설정을 출력: + +`az config get` + +- 특정 섹션에 대한 구성 설정 출력: + +`az config get {{섹션_이름}}` + +- 구성을 설정: + +`az config set {{구성_이름}}={{값}}` + +- 구성 설정을 해제: + +`az config unset {{구성_이름}}` diff --git a/pages.ko/common/az-devops.md b/pages.ko/common/az-devops.md new file mode 100644 index 000000000..ef03870b8 --- /dev/null +++ b/pages.ko/common/az-devops.md @@ -0,0 +1,25 @@ +# az devops + +> Azure DevOps 조직을 관리. +> `azure-cli`의 일부 (`az`라고도 함). +> 더 많은 정보: . + +- 특정 조직에 로그인하려면 개인 액세스 토큰(PAT)을 설정: + +`az devops login --organization {{조직_url}}` + +- 브라우저에서 프로젝트를 열기: + +`az devops project show --project {{프로젝트_이름}} --open` + +- 특정 프로젝트에 참여하는 특정 팀의 구성원을 나열: + +`az devops team list-member --project {{프로젝트_이름}} --team {{팀_이름}}` + +- Azure DevOps CLI 현재 구성을 확인: + +`az devops configure --list` + +- 기본 프로젝트와 기본 조직을 설정하여 Azure DevOps CLI 동작을 구성: + +`az devops configure --defaults project={{프로젝트_이름}} organization={{조직_url}}` diff --git a/pages.ko/common/az-feedback.md b/pages.ko/common/az-feedback.md new file mode 100644 index 000000000..c25daf73e --- /dev/null +++ b/pages.ko/common/az-feedback.md @@ -0,0 +1,9 @@ +# az feedback + +> Azure CLI 팀에 피드백을 전송. +> `azure-cli`의 일부 (`az`라고도 함). +> 더 많은 정보: . + +- Azure CLI 팀에 피드백 보내기: + +`az feedback` diff --git a/pages.ko/common/bash.md b/pages.ko/common/bash.md index 66d712dbb..9439ec836 100644 --- a/pages.ko/common/bash.md +++ b/pages.ko/common/bash.md @@ -28,6 +28,6 @@ `bash -e {{경로/대상/script.sh}}` -- `stdin`에서 bash 실행하기: +- `stdin`에서 Bash 실행하기: `{{echo "echo 'bash가 실행되었습니다'"}} | bash` diff --git a/pages.ko/common/bc.md b/pages.ko/common/bc.md index 435299b5d..a9f8a1ed6 100644 --- a/pages.ko/common/bc.md +++ b/pages.ko/common/bc.md @@ -1,7 +1,7 @@ # bc > 계산기의 기능을 수행합니다. -> 더 많은 정보: . +> 더 많은 정보: . - 표준 Math 라이브러리를 사용한 대화형 모드에서 계산기 실행하기: diff --git a/pages.ko/common/bosh.md b/pages.ko/common/bosh.md index 4d67d7d3e..23d9a5bb7 100644 --- a/pages.ko/common/bosh.md +++ b/pages.ko/common/bosh.md @@ -23,7 +23,7 @@ `bosh -e {{환경}} vms -d {{전개}}` -- 가상 머신의 ssh: +- 가상 머신의 SSH: `bosh -e {{환경}} ssh {{가상머신}} -d {{전개}}` diff --git a/pages.ko/common/browser-sync.md b/pages.ko/common/browser-sync.md index ebf989dc1..08dbb5e1a 100644 --- a/pages.ko/common/browser-sync.md +++ b/pages.ko/common/browser-sync.md @@ -7,7 +7,7 @@ `browser-sync start --server {{디렉토리/의/경로}} --files {{디렉토리/의/경로}}` -- 로컬 디렉토리에서 서버 시작, 일부 디렉토리에서 모든 css파일 확인: +- 로컬 디렉토리에서 서버 시작, 일부 디렉토리에서 모든 CSS파일 확인: `browser-sync start --server --files '{{디렉토리/의/경로/*.css}}'` diff --git a/pages.ko/common/cabal.md b/pages.ko/common/cabal.md index 85a079573..d7e555e98 100644 --- a/pages.ko/common/cabal.md +++ b/pages.ko/common/cabal.md @@ -2,7 +2,7 @@ > Haskell 패키지 인프라 (Cabal)에 대한 명령어 라인 인터페이스. > Hackage 패키지 저장소에서 Haskell 프로젝트 및 Cabal패키지 관리. -> 더 많은 정보: . +> 더 많은 정보: . - Hackage에서 패키지 검색 및 리스트: diff --git a/pages.ko/common/cat.md b/pages.ko/common/cat.md index 5208f26f6..34f318205 100644 --- a/pages.ko/common/cat.md +++ b/pages.ko/common/cat.md @@ -1,16 +1,24 @@ # cat > 파일 출력 및 연결. -> 더 많은 정보: . +> 더 많은 정보: . -- 표준출력으로 파일 내용 출력: +- 파일 내용을 `stdout`으로 출력: -`cat {{파일명}}` +`cat {{경로/대상/파일}}` -- 여러 파일을 대상 파일에 연결: +- 여러 파일을 출력 파일로 연결: -`cat {{파일명1 파일명2 ...}} > {{대상_파일명}}` +`cat {{경로/대상/파일1 경로/대상/파일2 ...}} > {{경로/대상/출력_파일}}` -- 대상 파일에 여러 파일 내용 추가: +- 여러 파일을 출력 파일에 추가: -`cat {{파일명1 파일명2 ...}} >> {{대상_파일명}}` +`cat {{경로/대상/파일1 경로/대상/파일2 ...}} >> {{경로/대상/출력_파일}}` + +- 버퍼링 없이 파일 내용을 출력 파일로 복사: + +`cat -u {{/dev/tty12}} > {{/dev/tty13}}` + +- `stdin`을 파일로 쓰기: + +`cat - > {{경로/대상/파일}}` diff --git a/pages.ko/common/clamav.md b/pages.ko/common/clamav.md index 013a7cb5d..e1f9e8071 100644 --- a/pages.ko/common/clamav.md +++ b/pages.ko/common/clamav.md @@ -1,4 +1,4 @@ -# clamav +# ClamAV > 이 명령은 `clamdscan` 의 에일리어스 (별칭) 입니다. > 더 많은 정보: . diff --git a/pages.ko/common/clear.md b/pages.ko/common/clear.md index b4da4d487..0f030439f 100644 --- a/pages.ko/common/clear.md +++ b/pages.ko/common/clear.md @@ -3,6 +3,6 @@ > 터미널 화면을 지웁니다(clear). > 더 많은 정보: . -- 터미널 화면을 지웁니다 (bash 쉘에서 Control-L을 누르는 것과 같은 기능입니다): +- 터미널 화면을 지웁니다 (Bash 쉘에서 Control-L을 누르는 것과 같은 기능입니다): `clear` diff --git a/pages.ko/common/clementine.md b/pages.ko/common/clementine.md index e39d47753..53206b992 100644 --- a/pages.ko/common/clementine.md +++ b/pages.ko/common/clementine.md @@ -1,7 +1,7 @@ # clementine > 현대적인 음악 플레이어이자 라이브러리 생성자. -> 더 많은 정보: . +> 더 많은 정보: . - Clementine 열기: diff --git a/pages.ko/common/column.md b/pages.ko/common/column.md index 2b95be647..3c08f7e88 100644 --- a/pages.ko/common/column.md +++ b/pages.ko/common/column.md @@ -12,7 +12,7 @@ `printf "header1 header2\nbar foo\n" | column --table` -- -t 옵션(예: "", csv)에 대한 열 구분 기호 문자를 지정; 기본값은 공백입니다: +- -t 옵션(예: "", CSV)에 대한 열 구분 기호 문자를 지정; 기본값은 공백입니다: `printf "header1,header2\nbar,foo\n" | column --table --separator {{,}}` diff --git a/pages.ko/common/convert.md b/pages.ko/common/convert.md deleted file mode 100644 index f48cb3afe..000000000 --- a/pages.ko/common/convert.md +++ /dev/null @@ -1,32 +0,0 @@ -# convert - -> ImageMagick 이미지 변환 도구. -> 더 많은 정보: . - -- JPG이미지를 PNG이미지로 변환: - -`convert {{이미지.jpg}} {{이미지.png}}` - -- 이미지를 원래 크기의 50%로 조정: - -`convert {{이미지.png}} -resize 50% {{이미지2.png}}` - -- 원래 종횡비를 유지하면서 이미지를 최대 640x480 크기로 조정: - -`convert {{이미지.png}} -resize 640x480 {{이미지2.png}}` - -- 이미지를 가로로 추가: - -`convert {{이미지1.png}} {{이미지2.png}} {{이미지3.png}} +append {{이미지123.png}}` - -- 이미지를 세로로 추가: - -`convert {{이미지1.png}} {{이미지2.png}} {{이미지3.png}} -append {{이미지123.png}}` - -- 100ms 지연된 일련의 이미지에서 GIF 만들기: - -`convert {{이미지1.png}} {{이미지2.png}} {{이미지3.png}} -delay {{100}} {{애니메이션.gif}}` - -- 단색 배경만으로 이미지 만들기: - -`convert -size {{800x600}} "xc:{{#ff0000}}" {{이미지.png}}` diff --git a/pages.ko/common/diff.md b/pages.ko/common/diff.md index 1b9afed5a..f1c74437c 100644 --- a/pages.ko/common/diff.md +++ b/pages.ko/common/diff.md @@ -1,7 +1,7 @@ # diff > 파일들과 디렉토리들을 비교한다. -> 더 많은 정보: . +> 더 많은 정보: . - 파일들 비교하기 (`이전_파일명`을 `새_파일명`으로 바꾸는 변경점들 목록): diff --git a/pages.ko/common/docker-build.md b/pages.ko/common/docker-build.md index 66824ab0d..0c364e6cf 100644 --- a/pages.ko/common/docker-build.md +++ b/pages.ko/common/docker-build.md @@ -1,7 +1,7 @@ # docker build > 도커파일로부터 이미지 빌드. -> 더 많은 정보: . +> 더 많은 정보: . - 현재 디렉토리 안의 도커파일을 이용해 도커 이미지 빌드: diff --git a/pages.ko/common/docker-compose.md b/pages.ko/common/docker-compose.md index 35dc0c212..63f6ae6c0 100644 --- a/pages.ko/common/docker-compose.md +++ b/pages.ko/common/docker-compose.md @@ -1,7 +1,7 @@ # docker compose > 다중 컨테이너 도커 어플리케이션 실행 및 관리. -> 더 많은 정보: . +> 더 많은 정보: . - 실행 중인 모든 컨테이너 목록 보기: diff --git a/pages.ko/common/docker-machine.md b/pages.ko/common/docker-machine.md index ec40effc3..59bfbdc68 100644 --- a/pages.ko/common/docker-machine.md +++ b/pages.ko/common/docker-machine.md @@ -1,7 +1,7 @@ # docker-machine > 도커를 실행하는 머신들을 생성하고 관리한다. -> 더 많은 정보: . +> 더 많은 정보: . - 현재 실행중인 도커 머신들 목록보기: diff --git a/pages.ko/common/exa.md b/pages.ko/common/exa.md new file mode 100644 index 000000000..413d6cc7d --- /dev/null +++ b/pages.ko/common/exa.md @@ -0,0 +1,36 @@ +# exa + +> `ls`의 현대적인 대체품 (디렉토리 내용 나열). +> 더 많은 정보: . + +- 파일을 한 줄에 하나씩 나열: + +`exa --oneline` + +- 숨김 파일을 포함한 모든 파일 나열: + +`exa --all` + +- 모든 파일의 긴 형식 목록 (권한, 소유권, 크기 및 수정 날짜): + +`exa --long --all` + +- 가장 큰 파일을 맨 위에 나열: + +`exa --reverse --sort={{size}}` + +- 파일 트리를 3단계 깊이로 표시: + +`exa --long --tree --level={{3}}` + +- 수정 날짜순으로 파일 나열 (오래된 것부터): + +`exa --long --sort={{modified}}` + +- 헤더, 아이콘 및 Git 상태와 함께 파일 나열: + +`exa --long --header --icons --git` + +- `.gitignore`에 언급된 파일은 나열하지 않음: + +`exa --git-ignore` diff --git a/pages.ko/common/eza.md b/pages.ko/common/eza.md new file mode 100644 index 000000000..132a5f0f0 --- /dev/null +++ b/pages.ko/common/eza.md @@ -0,0 +1,36 @@ +# eza + +> `exa`를 기반으로 한 `ls`의 현대적이고 유지 관리되는 대체품. +> 더 많은 정보: . + +- 파일을 한 줄에 하나씩 나열: + +`eza --oneline` + +- 숨김 파일을 포함한 모든 파일 나열: + +`eza --all` + +- 모든 파일의 긴 형식 목록 (권한, 소유권, 크기 및 수정 날짜): + +`eza --long --all` + +- 가장 큰 파일을 맨 위에 나열: + +`eza --reverse --sort={{size}}` + +- 파일 트리를 3단계 깊이로 표시: + +`eza --long --tree --level={{3}}` + +- 수정 날짜순으로 파일 나열 (오래된 것부터): + +`eza --long --sort={{modified}}` + +- 헤더, 아이콘 및 Git 상태와 함께 파일 나열: + +`eza --long --header --icons --git` + +- `.gitignore`에 언급된 파일은 나열하지 않음: + +`eza --git-ignore` diff --git a/pages.ko/common/find.md b/pages.ko/common/find.md new file mode 100644 index 000000000..f07335376 --- /dev/null +++ b/pages.ko/common/find.md @@ -0,0 +1,36 @@ +# find + +> 디렉토리 트리 아래에서 파일 또는 폴더를 재귀적으로 찾습니다. +> 더 많은 정보: . + +- 확장자로 파일 찾기: + +`find {{루트_경로}} -name '{{*.ext}}'` + +- 여러 경로/이름 패턴에 맞는 파일 찾기: + +`find {{루트_경로}} -path '{{**/경로/**/*.ext}}' -or -name '{{*패턴*}}'` + +- 대소문자를 구분하지 않고 주어진 이름에 맞는 디렉토리 찾기: + +`find {{루트_경로}} -type d -iname '{{*lib*}}'` + +- 주어진 패턴에 맞는 파일을 특정 경로를 제외하고 찾기: + +`find {{루트_경로}} -name '{{*.py}}' -not -path '{{*/site-packages/*}}'` + +- 주어진 크기 범위에 맞는 파일을 찾고 재귀 깊이를 "1"로 제한: + +`find {{루트_경로}} -maxdepth 1 -size {{+500k}} -size {{-10M}}` + +- 각 파일에 대해 명령 실행 (명령 내에서 파일명을 액세스하려면 `{}` 사용): + +`find {{루트_경로}} -name '{{*.ext}}' -exec {{wc -l}} {} \;` + +- 오늘 수정된 모든 파일을 찾아 결과를 단일 명령에 인수로 전달: + +`find {{루트_경로}} -daystart -mtime {{-1}} -exec {{tar -cvf archive.tar}} {} \+` + +- 빈 (0 바이트) 파일을 찾아 삭제: + +`find {{루트_경로}} -type {{f}} -empty -delete` diff --git a/pages.ko/common/fossil-ci.md b/pages.ko/common/fossil-ci.md index 2f8a097f3..220ac6dda 100644 --- a/pages.ko/common/fossil-ci.md +++ b/pages.ko/common/fossil-ci.md @@ -1,6 +1,6 @@ -# fossil-ci +# fossil ci -> 이 명령은 `fossil-commit` 의 에일리어스 (별칭) 입니다. +> 이 명령은 `fossil commit`.의 에일리어스 (별칭) 입니다. > 더 많은 정보: . - 원본 명령의 도큐멘테이션 (설명서) 보기: diff --git a/pages.ko/common/fossil-delete.md b/pages.ko/common/fossil-delete.md index 11e44da2e..5a6560fcd 100644 --- a/pages.ko/common/fossil-delete.md +++ b/pages.ko/common/fossil-delete.md @@ -1,4 +1,4 @@ -# fossil-delete +# fossil delete > 이 명령은 `fossil rm` 의 에일리어스 (별칭) 입니다. > 더 많은 정보: . diff --git a/pages.ko/common/fossil-forget.md b/pages.ko/common/fossil-forget.md index 059749d93..515667c21 100644 --- a/pages.ko/common/fossil-forget.md +++ b/pages.ko/common/fossil-forget.md @@ -1,4 +1,4 @@ -# fossil-forget +# fossil forget > 이 명령은 `fossil rm` 의 에일리어스 (별칭) 입니다. > 더 많은 정보: . diff --git a/pages.ko/common/fossil-new.md b/pages.ko/common/fossil-new.md index 1abd963af..82bcb8462 100644 --- a/pages.ko/common/fossil-new.md +++ b/pages.ko/common/fossil-new.md @@ -1,6 +1,6 @@ -# fossil-new +# fossil new -> 이 명령은 `fossil-init` 의 에일리어스 (별칭) 입니다. +> 이 명령은 `fossil init`.의 에일리어스 (별칭) 입니다. > 더 많은 정보: . - 원본 명령의 도큐멘테이션 (설명서) 보기: diff --git a/pages.ko/common/gh-cs.md b/pages.ko/common/gh-cs.md index 360393b37..f5439fcd0 100644 --- a/pages.ko/common/gh-cs.md +++ b/pages.ko/common/gh-cs.md @@ -1,6 +1,6 @@ -# gh-cs +# gh cs -> 이 명령은 `gh-codespace` 의 에일리어스 (별칭) 입니다. +> 이 명령은 `gh codespace`.의 에일리어스 (별칭) 입니다. > 더 많은 정보: . - 원본 명령의 도큐멘테이션 (설명서) 보기: diff --git a/pages.ko/common/git-add.md b/pages.ko/common/git-add.md index f56632a20..86f47af44 100644 --- a/pages.ko/common/git-add.md +++ b/pages.ko/common/git-add.md @@ -1,32 +1,32 @@ # git add -> 변경된 파일들을 인덱스에 추가합니다. +> 변경된 파일을 색인에 추가합니다. > 더 많은 정보: . -- 인덱스에 파일 추가: +- 파일을 색인에 추가: -`git add {{파일/의/경로}}` +`git add {{경로/대상/파일}}` -- 모든 파일 추가 (추적된 파일과 추적되지 않은 파일 모두): +- 모든 파일 추가 (추적된 파일 및 추적되지 않은 파일 모두): `git add -A` -- 이미 추적된 파일만 추가: +- 이미 추적 중인 파일만 추가: `git add -u` -- 무시되는 파일 추가: +- 무시된 파일도 추가: `git add -f` -- 파일의 일부분을 대화식으로 추가: +- 파일 일부를 대화적으로 스테이징: `git add -p` -- 주어진 파일의 일부분을 대화식으로 추가: +- 특정 파일의 일부를 대화적으로 스테이징: -`git add -p {{파일/의/경로}}` +`git add -p {{경로/대상/파일}}` -- 대화식으로 파일을 추가: +- 파일을 대화적으로 스테이징: `git add -i` diff --git a/pages.ko/common/git-bisect.md b/pages.ko/common/git-bisect.md new file mode 100644 index 000000000..2a95a0501 --- /dev/null +++ b/pages.ko/common/git-bisect.md @@ -0,0 +1,25 @@ +# git bisect + +> 버그를 도입한 커밋을 찾기 위해 이진 탐색을 사용합니다. +> Git은 자동적으로 커밋 그래프를 왔다갔다하면서 결함이 있는 커밋을 점차적으로 좁힙니다. +> 더 많은 정보: . + +- 알려진 버그가 있는 커밋과 알려진 깨끗한 (일반적으로 이전) 커밋으로 제한된 커밋 범위에서 bisect 세션 시작: + +`git bisect start {{bad_commit}} {{good_commit}}` + +- `git bisect`가 선택한 각 커밋에 대해 이슈를 테스트한 후 "good" 또는 "bad"로 표시: + +`git bisect {{good|bad}}` + +- `git bisect`가 결함이 있는 커밋을 정확히 찾으면 bisect 세션을 종료하고 이전 브랜치로 돌아가기: + +`git bisect reset` + +- bisect 중 커밋 건너뛰기 (예: 다른 이슈로 인해 테스트가 실패하는 커밋): + +`git bisect skip` + +- 지금까지 수행된 작업에 대한 로그 표시: + +`git bisect log` diff --git a/pages.ko/common/git-branch.md b/pages.ko/common/git-branch.md new file mode 100644 index 000000000..99eda5747 --- /dev/null +++ b/pages.ko/common/git-branch.md @@ -0,0 +1,36 @@ +# git branch + +> 브랜치 작업을 위한 주요 Git 명령어. +> 더 많은 정보: . + +- 모든 브랜치(로컬 및 원격; 현재 브랜치는 `*`로 강조됨) 나열: + +`git branch --all` + +- 특정 Git 커밋을 기록에 포함하는 브랜치 나열: + +`git branch --all --contains {{커밋_해시}}` + +- 현재 브랜치의 이름 표시: + +`git branch --show-current` + +- 현재 커밋을 기반으로 새로운 브랜치 생성: + +`git branch {{브랜치_이름}}` + +- 특정 커밋을 기반으로 새로운 브랜치 생성: + +`git branch {{브랜치_이름}} {{커밋_해시}}` + +- 브랜치 이름 변경 (체크아웃되지 않은 상태여야 함): + +`git branch -m {{이전_브랜치_이름}} {{새로운_브랜치_이름}}` + +- 로컬 브랜치 삭제 (체크아웃되지 않은 상태여야 함): + +`git branch -d {{브랜치_이름}}` + +- 원격 브랜치 삭제: + +`git push {{원격_이름}} --delete {{원격_브랜치_이름}}` diff --git a/pages.ko/common/git-checkout.md b/pages.ko/common/git-checkout.md new file mode 100644 index 000000000..9298bcf6a --- /dev/null +++ b/pages.ko/common/git-checkout.md @@ -0,0 +1,36 @@ +# git checkout + +> 브랜치 또는 작업 트리로 경로를 체크아웃합니다. +> 더 많은 정보: . + +- 새로운 브랜치를 생성하고 체크아웃: + +`git checkout -b {{브랜치_이름}}` + +- 특정 참조를 기반으로 새로운 브랜치를 생성하고 체크아웃 (브랜치, remote/branch, tag가 유효한 참조 예시입니다): + +`git checkout -b {{브랜치_이름}} {{참조}}` + +- 기존 로컬 브랜치로 체크아웃: + +`git checkout {{브랜치_이름}}` + +- 이전에 체크아웃한 브랜치로 체크아웃: + +`git checkout -` + +- 기존 원격 브랜치로 체크아웃: + +`git checkout --track {{원격_이름}}/{{브랜치_이름}}` + +- 현재 디렉토리에서 모든 스테이징되지 않은 변경 사항을 삭제 (더 많은 취소 유사 명령은 `git reset`을 참조하십시오): + +`git checkout .` + +- 특정 파일의 스테이징되지 않은 변경 사항 삭제: + +`git checkout {{경로/대상/파일}}` + +- 현재 디렉토리에 있는 파일을 주어진 브랜치에서 커밋된 버전으로 대체: + +`git checkout {{브랜치_이름}} -- {{경로/대상/파일}}` diff --git a/pages.ko/common/git-clone.md b/pages.ko/common/git-clone.md index b250851d9..7389d941d 100644 --- a/pages.ko/common/git-clone.md +++ b/pages.ko/common/git-clone.md @@ -1,36 +1,36 @@ # git clone -> 이미 존재하는 레포지토리를 복제. +> 기존 저장소를 복제합니다. > 더 많은 정보: . -- 이미 존재하는 레포지토리를 특정 디렉토리에 복제: +- 기존 저장소를 새 디렉토리로 복제 (기본 디렉토리는 저장소 이름): -`git clone {{원격_레포지토리_경로}} {{경로/대상/디렉터리}}` +`git clone {{원격_저장소_위치}} {{경로/대상/폴더}}` -- 이미 존재하는 레포지토리를 그 서브모듈을 복제: +- 기존 저장소 및 그 하위 모듈 복제: -`git clone --recursive {{원격_레포지토리_경로}}` +`git clone --recursive {{원격_저장소_위치}}` -- 기존 저장소의 `.git` 디렉토리를 복제: +- 기존 저장소의 `.git` 디렉토리만 복제: -`git clone --no-checkout {{원격_레포지토리_경로}}` +`git clone --no-checkout {{원격_저장소_위치}}` -- 로컬 레포지토리를 복제: +- 로컬 저장소 복제: -`git clone --local {{경로/대상/로컬/레포지토리}}` +`git clone --local {{경로/대상/로컬/저장소}}` -- 출력 없이 복제: +- 조용히 복제: -`git clone --quiet {{원격_레포지토리_경로}}` +`git clone --quiet {{원격_저장소_위치}}` -- 이미 존재하는 레포지토리를 최근 커밋 10개만 복제 (시간 절약에 좋음): +- 기존 저장소를 기본 브랜치에서 최근 커밋 10개만 복제 (시간 절약에 좋음): -`git clone --depth {{10}} {{원격_레포지토리_경로}}` +`git clone --depth {{10}} {{원격_저장소_위치}}` -- 이미 존재하는 레포지토리의 특정 브랜치만 복제: +- 기존 저장소의 특정 브랜치만 복제: -`git clone --branch {{브랜치_이름}} --single-branch {{원격_레포지토리_경로}}` +`git clone --branch {{이름}} --single-branch {{원격_저장소_위치}}` -- 특정 SSH 명령어를 사용하여 이미 존재하는 레포지토리 복제: +- 특정 SSH 명령을 사용하여 기존 저장소 복제: -`git clone --config core.sshCommand="{{ssh -i 경로/대상/개인_ssh_key}}" {{원격_레포지토리_경로}}` +`git clone --config core.sshCommand="{{ssh -i path/to/private_ssh_key}}" {{원격_저장소_위치}}` diff --git a/pages.ko/common/git-commit-graph.md b/pages.ko/common/git-commit-graph.md new file mode 100644 index 000000000..75dd4ef6a --- /dev/null +++ b/pages.ko/common/git-commit-graph.md @@ -0,0 +1,16 @@ +# git commit-graph + +> Git commit-graph 파일을 작성하고 검증합니다. +> 더 많은 정보: . + +- 저장소의 로컬 `.git` 디렉토리에 있는 모든 커밋들에 대한 commit-graph 파일 작성: + +`git commit-graph write` + +- 모든 브랜치와 태그에서 접근 가능한 커밋들을 포함하는 commit-graph 파일 작성: + +`git show-ref --hash | git commit-graph write --stdin-commits` + +- 현재 commit-graph 파일의 모든 커밋과 현재 `HEAD`에서 접근 가능한 커밋들을 포함하는 업데이트된 commit-graph 파일 작성: + +`git rev-parse {{HEAD}} | git commit-graph write --stdin-commits --append` diff --git a/pages.ko/common/git-commit-tree.md b/pages.ko/common/git-commit-tree.md new file mode 100644 index 000000000..daadf5d82 --- /dev/null +++ b/pages.ko/common/git-commit-tree.md @@ -0,0 +1,21 @@ +# git commit-tree + +> Git의 내부 동작을 직접 다루는 명령어로, 커밋 객체를 직접 생성합니다. +> 참조: `git commit`. +> 더 많은 정보: . + +- 지정된 메시지로 커밋 객체 생성: + +`git commit-tree {{tree}} -m "{{message}}"` + +- 지정된 파일의 내용을 커밋 메시지로 사용하여 커밋 객체 생성 (`stdin`의 경우 `-` 사용): + +`git commit-tree {{tree}} -F {{path/to/file}}` + +- GPG 키로 인증된 커밋 객체 생성: + +`git commit-tree {{tree}} -m "{{message}}" --gpg-sign` + +- 지정된 부모 커밋 객체를 가진 커밋 객체 생성: + +`git commit-tree {{tree}} -m "{{message}}" -p {{parent_commit_sha}}` diff --git a/pages.ko/common/git-commit.md b/pages.ko/common/git-commit.md new file mode 100644 index 000000000..e1611502c --- /dev/null +++ b/pages.ko/common/git-commit.md @@ -0,0 +1,32 @@ +# git commit + +> 파일을 저장소에 커밋합니다. +> 더 많은 정보: . + +- 스테이징된 파일을 메시지와 함께 저장소에 커밋: + +`git commit --message "{{메시지}}"` + +- 파일에서 읽은 메시지로 스테이징된 파일을 저장소에 커밋: + +`git commit --file {{파일/커밋_메시지_경로}}` + +- 수정 및 삭제된 모든 파일을 자동으로 스테이징하고 메시지와 함께 커밋: + +`git commit --all --message "{{메시지}}"` + +- 스테이징된 파일을 커밋하고 지정된 GPG 키로 서명합니다 (인수가 지정되지 않은 경우 구성 파일에 정의된 키 사용): + +`git commit --gpg-sign {{키_아이디}} --message "{{메시지}}"` + +- 현재 스테이징된 변경 사항을 추가하여 마지막 커밋을 업데이트하고 커밋의 해시를 변경합니다: + +`git commit --amend` + +- 특정 파일(이미 스테이징된)만 커밋: + +`git commit {{파일/경로1}} {{파일/경로2}}` + +- 스테이징된 파일이 없더라도 커밋 생성: + +`git commit --message "{{메시지}}" --allow-empty` diff --git a/pages.ko/common/git-config.md b/pages.ko/common/git-config.md new file mode 100644 index 000000000..13998837f --- /dev/null +++ b/pages.ko/common/git-config.md @@ -0,0 +1,37 @@ +# git config + +> Git 저장소의 사용자 지정 설정 옵션을 관리합니다. +> 이러한 설정은 개별 (현재 저장소) 또는 전역 (현재 사용자)용일 수 있습니다. +> 더 많은 정보: . + +- 전역으로 이름이나 이메일을 설정 (이 정보는 저장소에 커밋하는 데 필요하며 모든 커밋에 포함): + +`git config --global {{user.name|user.email}} "{{유저_이름|email@example.com}}"` + +- 개별 저장소 또는 전역 설정 항목을 나열: + +`git config --list --{{local|global}}` + +- 시스템 설정 항목만 나열하고(저장 위치: `/etc/gitconfig`), 파일 위치를 표시: + +`git config --list --system --show-origin` + +- 주어진 설정 항목의 값을 가져오기: + +`git config alias.unstage` + +- 주어진 설정 항목의 전역 값을 설정: + +`git config --global alias.unstage "reset HEAD --"` + +- 전역 설정 항목을 기본값으로 되돌리기: + +`git config --global --unset alias.unstage` + +- 개별 저장소의 Git 설정(`.git/config`)을 기본 편집기에서 편집: + +`git config --edit` + +- 전역 Git 설정(기본적으로 `~/.gitconfig` 또는 `$XDG_CONFIG_HOME/git/config` 파일이 존재하는 경우)을 기본 편집기에서 편집: + +`git config --global --edit` diff --git a/pages.ko/common/git-diff.md b/pages.ko/common/git-diff.md new file mode 100644 index 000000000..8d6000eca --- /dev/null +++ b/pages.ko/common/git-diff.md @@ -0,0 +1,36 @@ +# git diff + +> 추적된 파일의 변경 사항을 보여줍니다. +> 더 많은 정보: . + +- 스테이지되지 않은 변경 사항 표시: + +`git diff` + +- 모든 커밋되지 않은 변경 사항 표시 (스테이지된 것 포함): + +`git diff HEAD` + +- 오직 스테이지에 있는(추가되었지만 아직 커밋되지 않은) 변경 사항만 표시: + +`git diff --staged` + +- 특정 일자/시간 이후의 모든 커밋부터 변경 사항 표시 (일자 표현, 예: "1 주 2 일" 또는 ISO 일자): + +`git diff 'HEAD@{3 months|weeks|days|hours|seconds ago}'` + +- 특정 커밋 이후 변경된 파일 이름만 표시: + +`git diff --name-only {{커밋}}` + +- 특정 커밋 이후 파일 생성, 이름 변경 및 모드 변경 요약 표시: + +`git diff --summary {{커밋}}` + +- 두 브랜치 또는 커밋 사이의 단일 파일 비교: + +`git diff {{브랜치_1}}..{{브랜치_2}} [--] {{경로/대상/파일}}` + +- 현재 브랜치에서 다른 브랜치로부터 다른 파일 비교: + +`git diff {{브랜치}}:{{경로/대상/파일2}} {{경로/대상/파일}}` diff --git a/pages.ko/common/git-fetch.md b/pages.ko/common/git-fetch.md new file mode 100644 index 000000000..f65ec65cb --- /dev/null +++ b/pages.ko/common/git-fetch.md @@ -0,0 +1,24 @@ +# git fetch + +> 원격 저장소에서 객체와 참조를 다운로드합니다. +> 더 많은 정보: . + +- 기본 원격 업스트림 저장소로부터 최신 변경 사항 가져오기 (설정된 경우): + +`git fetch` + +- 특정 원격 업스트림 저장소에서 새 브랜치 가져오기: + +`git fetch {{remote_name}}` + +- 모든 원격 업스트림 저장소에서 최신 변경 사항 가져오기: + +`git fetch --all` + +- 원격 업스트림 저장소에서 태그도 함께 가져오기: + +`git fetch --tags` + +- 업스트림에서 삭제된 원격 브랜치에 대한 로컬 참조 삭제: + +`git fetch --prune` diff --git a/pages.ko/common/git-grep.md b/pages.ko/common/git-grep.md new file mode 100644 index 000000000..7014b6b24 --- /dev/null +++ b/pages.ko/common/git-grep.md @@ -0,0 +1,25 @@ +# git-grep + +> 저장소의 히스토리에서 파일 내의 문자열을 찾습니다. +> 일반 `grep`과 같은 많은 플래그를 수용합니다. +> 더 많은 정보: . + +- 추적된 파일에서 문자열 검색: + +`git grep {{검색_문자열}}` + +- 추적된 파일 중 일치하는 패턴의 파일에서 문자열 검색: + +`git grep {{검색_문자열}} -- {{파일_글로브_패턴}}` + +- 서브모듈을 포함하여 추적된 파일에서 문자열 검색: + +`git grep --recurse-submodules {{검색_문자열}}` + +- 특정 히스토리 지점에서 문자열 검색: + +`git grep {{검색_문자열}} {{HEAD~2}}` + +- 모든 브랜치에서 문자열 검색: + +`git grep {{검색_문자열}} $(git rev-list --all)` diff --git a/pages.ko/common/git-init.md b/pages.ko/common/git-init.md new file mode 100644 index 000000000..b5e9c7a0c --- /dev/null +++ b/pages.ko/common/git-init.md @@ -0,0 +1,20 @@ +# git init + +> 새로운 로컬 Git 저장소를 초기화합니다. +> 더 많은 정보: . + +- 새로운 로컬 저장소 초기화: + +`git init` + +- 초기 브랜치에 지정된 이름을 가진 저장소를 초기화: + +`git init --initial-branch={{branch_name}}` + +- 객체 해시로 SHA256를 사용하여 저장소 초기화 (Git 버전 2.29+ 이상 필요): + +`git init --object-format={{sha256}}` + +- SSH를 통해 원격으로 사용할 수 있는 베어본 저장소 초기화: + +`git init --bare` diff --git a/pages.ko/common/git-log.md b/pages.ko/common/git-log.md new file mode 100644 index 000000000..bd35c120f --- /dev/null +++ b/pages.ko/common/git-log.md @@ -0,0 +1,36 @@ +# git log + +> 커밋 이력을 보여줍니다. +> 더 많은 정보: . + +- 현재 작업 디렉토리의 Git 리포지토리에서 현재 커밋을 기준으로 역순으로 커밋 시퀀스 보기: + +`git log` + +- 변경 사항을 포함해, 특정 파일 또는 디렉토리의 이력 보기: + +`git log -p {{파일_또는_디렉토리_경로}}` + +- 각 커밋에서 어떤 파일이 변경되었는지 개요 보기: + +`git log --stat` + +- 현재 브랜치의 커밋 그래프를 첫 줄만 사용해 보기: + +`git log --oneline --graph` + +- 전체 리포지토리의 모든 커밋, 태그 및 브랜치의 그래프 보기: + +`git log --oneline --decorate --all --graph` + +- 특정 문자열이 포함된 커밋 메시지만 보기 (대소문자 구분 없이): + +`git log -i --grep {{검색_문자열}}` + +- 특정 작성자의 마지막 N개의 커밋 보기: + +`git log -n {{개수}} --author={{작성자}}` + +- 두 날짜(yyyy-mm-dd) 사이의 커밋 보기: + +`git log --before="{{2017-01-29}}" --after="{{2017-01-17}}"` diff --git a/pages.ko/common/git-ls-files.md b/pages.ko/common/git-ls-files.md new file mode 100644 index 000000000..0e346d80c --- /dev/null +++ b/pages.ko/common/git-ls-files.md @@ -0,0 +1,20 @@ +# git ls-files + +> 색인과 작업 트리의 파일 정보를 보여줍니다. +> 더 많은 정보: . + +- 삭제된 파일 보기: + +`git ls-files --deleted` + +- 수정되거나 삭제된 파일 보기: + +`git ls-files --modified` + +- .gitignore에 명시된 파일과 Git이 관리하지 않는 파일 보기: + +`git ls-files --others` + +- Git이 관리하지 않는 파일 중 .gitignore에 명시되지 않은 파일 보기: + +`git ls-files --others --exclude-standard` diff --git a/pages.ko/common/git-ls-remote.md b/pages.ko/common/git-ls-remote.md new file mode 100644 index 000000000..3456fd8cc --- /dev/null +++ b/pages.ko/common/git-ls-remote.md @@ -0,0 +1,25 @@ +# git ls-remote + +> 원격 저장소의 브랜치, 태그 등의 정보를 나열하는 Git 명령어입니다. +> 이름이나 URL이 주어지지 않으면 설정된 업스트림 브랜치를 사용하며, 업스트림이 설정되지 않은 경우 원격 origin을 사용합니다. +> 더 많은 정보: . + +- 기본 원격 저장소의 모든 브랜치와 태그 정보 보기: + +`git ls-remote` + +- 기본 원격 저장소의 브랜치 정보만 보기: + +`git ls-remote --heads` + +- 기본 원격 저장소의 태그 정보만 보기: + +`git ls-remote --tags` + +- 이름이나 URL을 기반으로 특정 원격 저장소의 모든 브랜치와 태그 정보 보기: + +`git ls-remote {{저장소_URL}}` + +- 특정 검색어와 일치하는 정보만 보기: + +`git ls-remote {{저장소_이름}} "{{브랜치_혹은_태그_이름}}"` diff --git a/pages.ko/common/git-ls-tree.md b/pages.ko/common/git-ls-tree.md new file mode 100644 index 000000000..7b5606cfb --- /dev/null +++ b/pages.ko/common/git-ls-tree.md @@ -0,0 +1,20 @@ +# git ls-tree + +> 트리 객체의 파일과 디렉토리 목록을 보여줍니다. +> 더 많은 정보: . + +- 특정 브랜치의 파일과 디렉토리 목록 보기: + +`git ls-tree {{브랜치_이름}}` + +- 특정 커밋의 파일과 디렉토리 목록을 하위 디렉토리까지 재귀적으로 보기: + +`git ls-tree -r {{커밋_해시}}` + +- 특정 커밋의 파일 이름만 보기: + +`git ls-tree --name-only {{커밋_해시}}` + +- 현재 브랜치의 최신 상태 파일과 디렉토리 목록을 트리 구조로 출력하기 (참고: `tree --fromfile`은 Windows에서 지원되지 않음): + +`git ls-tree -r --name-only HEAD | tree --fromfile` diff --git a/pages.ko/common/git-merge.md b/pages.ko/common/git-merge.md new file mode 100644 index 000000000..3b67d1485 --- /dev/null +++ b/pages.ko/common/git-merge.md @@ -0,0 +1,24 @@ +# git merge + +> 브랜치를 병합합니다. +> 더 많은 정보: . + +- 현재 브랜치에 브랜치 병합: + +`git merge {{브랜치_이름}}` + +- 병합 메시지 편집: + +`git merge --edit {{브랜치_이름}}` + +- 브랜치 병합 및 병합 커밋 생성: + +`git merge --no-ff {{브랜치_이름}}` + +- 충돌이 발생한 경우 병합 중단: + +`git merge --abort` + +- 특정 전략을 사용하여 병합: + +`git merge --strategy {{전략}} --strategy-option {{전략_옵션}} {{브랜치_이름}}` diff --git a/pages.ko/common/git-mv.md b/pages.ko/common/git-mv.md new file mode 100644 index 000000000..3939e8ddb --- /dev/null +++ b/pages.ko/common/git-mv.md @@ -0,0 +1,16 @@ +# git mv + +> 파일을 이동하거나 이름을 변경하고 Git 인덱스를 업데이트합니다. +> 더 많은 정보: . + +- 파일을 저장소 내에서 이동하고 해당 이동을 다음 커밋에 추가: + +`git mv {{경로/대상/파일}} {{새/경로/대상/파일}}` + +- 파일 또는 디렉토리의 이름을 변경하고 해당 변경 사항을 다음 커밋에 추가: + +`git mv {{경로/대상/파일_또는_디렉토리}} {{경로/대상/목적지}}` + +- 대상 경로에 파일 또는 디렉토리가 이미 존재하는 경우 덮어쓰기: + +`git mv --force {{경로/대상/파일_또는_디렉토리}} {{경로/대상/목적지}}` diff --git a/pages.ko/common/git-pull.md b/pages.ko/common/git-pull.md new file mode 100644 index 000000000..9d12ac438 --- /dev/null +++ b/pages.ko/common/git-pull.md @@ -0,0 +1,16 @@ +# git pull + +> 원격 저장소에서 브랜치를 가져와 로컬 저장소에 병합합니다. +> 더 많은 정보: . + +- 기본 원격 저장소에서 변경 사항 다운로드 및 병합: + +`git pull` + +- 기본 원격 저장소에서 변경 사항 다운로드 후 패스트-포워드 사용: + +`git pull --rebase` + +- 지정된 원격 저장소와 브랜치에서 변경 사항 다운로드 후 다음 HEAD에 병합: + +`git pull {{원격_이름}} {{브랜치}}` diff --git a/pages.ko/common/git-push.md b/pages.ko/common/git-push.md new file mode 100644 index 000000000..4600c2422 --- /dev/null +++ b/pages.ko/common/git-push.md @@ -0,0 +1,36 @@ +# git push + +> 로컬 커밋을 원격 저장소로 푸시합니다. +> 더 많은 정보: . + +- 현재 브랜치의 로컬 변경 사항을 기본 원격 상대 브랜치에 보내기: + +`git push` + +- 특정 로컬 브랜치에서 해당 원격 상대 브랜치로 변경 사항 보내기: + +`git push {{원격_이름}} {{로컬_브랜치}}` + +- 특정 로컬 브랜치에서 해당 원격 상대 브랜치로 변경 사항을 보내고, 원격 브랜치를 로컬 브랜치의 기본 푸시/풀 대상으로 설정: + +`git push -u {{원격_이름}} {{로컬_브랜치}}` + +- 특정 로컬 브랜치에서 특정 원격 브랜치로 변경 사항 보내기: + +`git push {{원격_이름}} {{로컬_브랜치}}:{{원격_브랜치}}` + +- 모든 로컬 브랜치의 변경 사항을 주어진 원격 저장소의 상대 브랜치로 보내기: + +`git push --all {{원격_이름}}` + +- 원격 저장소에서 브랜치 삭제: + +`git push {{원격_이름}} --delete {{원격_브랜치}}` + +- 로컬과 대응되는 원격 브랜치가 없는 원격 브랜치 제거: + +`git push --prune {{원격_이름}}` + +- 아직 원격 저장소에 없는 태그 게시: + +`git push --tags` diff --git a/pages.ko/common/git-rebase.md b/pages.ko/common/git-rebase.md new file mode 100644 index 000000000..9259cf429 --- /dev/null +++ b/pages.ko/common/git-rebase.md @@ -0,0 +1,37 @@ +# git rebase + +> 다른 브랜치 위에 있는 커밋을 다시 적용합니다. +> 주로 전체 브랜치를 다른 기저로 "이동"하여 새 위치에 커밋의 복사본을 만들 때 사용됩니다. +> 더 많은 정보: . + +- 현재 브랜치를 다른 지정된 브랜치 위에 리베이스: + +`git rebase {{새_기저_브랜치}}` + +- 커밋을 재배치, 생략, 결합 또는 수정할 수 있도록 하는 대화형 리베이스 시작: + +`git rebase -i {{대상_기저_브랜치_또는_커밋_해시}}` + +- 충돌하는 파일 편집 후, 병합 실패로 중단된 리베이스 계속하기: + +`git rebase --continue` + +- 충돌이 발생한 커밋을 건너뛸 때, 병합 충돌로 일시 중지된 리베이스를 건너뛰어서 계속하기: + +`git rebase --skip` + +- 진행 중인 리베이스 중단 (예: 병합 충돌로 인해 중단된 경우): + +`git rebase --abort` + +- 시작할 수 있는 오래된 베이스 제공 및 현재 브랜치 일부를 새 베이스로 이동: + +`git rebase --onto {{새_기저}} {{이전_기저}}` + +- 마지막 5개의 커밋을 그대로 다시 적용해, 재배치, 생략, 결합 또는 수정할 수 있도록 멈추기: + +`git rebase -i {{HEAD~5}}` + +- 작업 브랜치 버전을 우선하는 방식으로 모든 충돌을 자동으로 해결 (`theirs` 키워드는 이 경우 반대 의미를 갖습니다): + +`git rebase -X theirs {{브랜치_이름}}` diff --git a/pages.ko/common/git-reflog.md b/pages.ko/common/git-reflog.md new file mode 100644 index 000000000..b8b99a435 --- /dev/null +++ b/pages.ko/common/git-reflog.md @@ -0,0 +1,16 @@ +# git reflog + +> 로컬 Git 저장소의 브랜치, 태그, HEAD 등의 변경사항을 로그로 보여줍니다. +> 더 많은 정보: . + +- HEAD의 변경된 기록을 표시: + +`git reflog` + +- 지정된 브랜치의 변경된 기록을 표시: + +`git reflog {{브랜치_이름}}` + +- 변경된 기록의 최근 5개 항목만 표시: + +`git reflog -n {{5}}` diff --git a/pages.ko/common/git-remote.md b/pages.ko/common/git-remote.md new file mode 100644 index 000000000..7cbbe6690 --- /dev/null +++ b/pages.ko/common/git-remote.md @@ -0,0 +1,32 @@ +# git remote + +> 원격 저장소(remote repositories)를 관리하는 명령어입니다. +> 더 많은 정보: . + +- 이름과 URL을 포함한 기존 원격 저장소 목록 보기: + +`git remote -v` + +- 특정 원격 저장소에 대한 정보 표시: + +`git remote show {{원격_저장소_이름}}` + +- 원격 저장소 추가: + +`git remote add {{원격_저장소_이름}} {{원격_저장소_URL}}` + +- 원격 저장소의 URL 변경 (기존 URL을 유지하려면 --add 사용): + +`git remote set-url {{원격_저장소_이름}} {{새_URL}}` + +- 원격 저장소의 URL 표시: + +`git remote get-url {{원격_저장소_이름}}` + +- 원격 저장소 제거: + +`git remote remove {{원격_저장소_이름}}` + +- 원격 저장소 이름 변경: + +`git remote rename {{이전_이름}} {{새_이름}}` diff --git a/pages.ko/common/git-reset.md b/pages.ko/common/git-reset.md new file mode 100644 index 000000000..b2f590b21 --- /dev/null +++ b/pages.ko/common/git-reset.md @@ -0,0 +1,33 @@ +# git reset + +> 현재 Git HEAD를 지정된 상태로 재설정하여 커밋을 취소하거나 변경 사항의 스테이징을 취소합니다. +> 경로가 전달되면 "스테이징 해제"로 작동하고, 커밋 해시 또는 브랜치가 전달되면 "커밋 취소"로 작동합니다. +> 더 많은 정보: . + +- 모두 스테이징 해제: + +`git reset` + +- 특정 파일의 스테이징 해제: + +`git reset {{경로/대상/파일1 경로/대상/파일2 ...}}` + +- 파일 일부를 대화식으로 스테이징 해제: + +`git reset --patch {{경로/대상/파일}}` + +- 마지막 커밋을 취소하되 해당 변경 사항을 (그리고 추가로 커밋되지 않은 변경 사항들도) 파일 시스템에 유지: + +`git reset HEAD~` + +- 마지막 두 개의 커밋을 취소하고 해당 변경 사항을 인덱스에 추가하여 커밋할 준비 완료: + +`git reset --soft HEAD~2` + +- 커밋되지 않은 변경 사항을 모두 무시하고, staged 또는 unstaged 상태에 상관없이 삭제 (오직 unstaged 변경 사항인 경우 `git checkout` 사용): + +`git reset --hard` + +- 지정된 커밋으로 저장소를 재설정하여 해당 이후에 발생한 커밋, 스테이징 및 커밋되지 않은 변경 사항을 모두 삭제: + +`git reset --hard {{커밋}}` diff --git a/pages.ko/common/git-restore.md b/pages.ko/common/git-restore.md new file mode 100644 index 000000000..1b32029be --- /dev/null +++ b/pages.ko/common/git-restore.md @@ -0,0 +1,33 @@ +# git restore + +> 작업 트리 파일을 복원합니다. Git 버전 2.23+ 이상이 필요합니다. +> 같이 보기: `git checkout` 및 `git reset`. +> 더 많은 정보: . + +- 언스테이지된 파일을 현재 커밋 (HEAD)의 버전으로 복원: + +`git restore {{경로/대상/파일}}` + +- 언스테이지된 파일을 특정 커밋의 버전으로 복원: + +`git restore --source {{커밋}} {{경로/대상/파일}}` + +- 추적 중인 파일에 대한 모든 언스테이지된 변경 사항을 폐기: + +`git restore :/` + +- 파일의 스테이지를 내리기: + +`git restore --staged {{경로/대상/파일}}` + +- 모든 파일의 스테이지를 내리기: + +`git restore --staged :/` + +- 스테이지 및 언스테이지된 파일의 모든 변경 사항 폐기: + +`git restore --worktree --staged :/` + +- 파일의 섹션을 대화적으로 선택하여 복원: + +`git restore --patch` diff --git a/pages.ko/common/git-rm.md b/pages.ko/common/git-rm.md new file mode 100644 index 000000000..2c9da337c --- /dev/null +++ b/pages.ko/common/git-rm.md @@ -0,0 +1,16 @@ +# git rm + +> 저장소 인덱스와 로컬 파일 시스템에서 파일을 제거합니다. +> 더 많은 정보: . + +- 저장소 인덱스와 파일 시스템에서 파일 제거: + +`git rm {{경로/대상/파일}}` + +- 디렉토리 제거: + +`git rm -r {{경로/대상/폴더}}` + +- 저장소 인덱스에서 파일 제거하되 로컬에서는 그대로 유지: + +`git rm --cached {{경로/대상/파일}}` diff --git a/pages.ko/common/git-show.md b/pages.ko/common/git-show.md new file mode 100644 index 000000000..624d2c577 --- /dev/null +++ b/pages.ko/common/git-show.md @@ -0,0 +1,36 @@ +# git show + +> 다양한 종류의 Git 객체 (커밋, 태그 등)을 표시합니다. +> 더 많은 정보: . + +- 최신 커밋에 대한 정보 표시 (해시, 메시지, 변경 사항 및 기타 메타데이터): + +`git show` + +- 특정 커밋에 대한 정보 표시: + +`git show {{커밋}}` + +- 특정 태그와 관련된 커밋에 대한 정보 표시: + +`git show {{태그}}` + +- 브랜치의 HEAD로부터 3번째 커밋에 대한 정보 표시: + +`git show {{브랜치}}~{{3}}` + +- 커밋 메시지를 한 줄로 표시하고 diff 출력을 억제: + +`git show --oneline -s {{커밋}}` + +- 변경된 파일에 대한 추가/제거된 문자의 통계만 표시: + +`git show --stat {{커밋}}` + +- 추가, 이름 변경 또는 삭제된 파일 목록만 표시: + +`git show --summary {{커밋}}` + +- 파일의 내용을 특정 리비전 (예: 브랜치, 태그 또는 커밋)에서 표시: + +`git show {{리비전}}:{{경로/대상/파일}}` diff --git a/pages.ko/common/git-stash.md b/pages.ko/common/git-stash.md new file mode 100644 index 000000000..da99e666d --- /dev/null +++ b/pages.ko/common/git-stash.md @@ -0,0 +1,36 @@ +# git stash + +> 로컬 Git 변경사항을 임시 영역에 저장합니다. +> 더 많은 정보: . + +- 새롭게 생성한 (Git에서 관리하지 않는) 파일을 제외하고 현재 변경사항을 메시지와 함께 임시 저장: + +`git stash push --message {{optional_stash_message}}` + +- 새롭게 생성한 (Git에서 관리하지 않는) 파일을 포함하여 현재 변경사항을 임시 저장: + +`git stash --include-untracked` + +- 변경된 파일들의 특정 부분만 선택하여 임시 저장 (대화형 프롬프트): + +`git stash --patch` + +- 모든 임시 저장 목록 표시 (임시 저장 이름, 관련 브랜치 및 메시지 표시): + +`git stash list` + +- 임시 저장(기본값은 `stash@{0}`)과 해당 임시 저장이 생성된 시점의 커밋 사이의 변경 사항을 터미널에 상세히 표시: + +`git stash show --patch {{stash@{0}}}` + +- 임시 저장 적용 (기본값은 가장 최근 임시 저장인 stash@{0}): + +`git stash apply {{optional_stash_name_or_commit}}` + +- 임시 저장을 적용하고 (기본값은 stash@{0}), 적용 시 충돌이 없으면 임시 저장 목록에서 제거: + +`git stash pop {{optional_stash_name}}` + +- 모든 임시 저장 삭제: + +`git stash clear` diff --git a/pages.ko/common/git-status.md b/pages.ko/common/git-status.md new file mode 100644 index 000000000..4c6573fe3 --- /dev/null +++ b/pages.ko/common/git-status.md @@ -0,0 +1,29 @@ +# git status + +> Git 저장소의 파일 변경 사항을 표시합니다. +> 현재 체크아웃된 커밋과 비교하여 변경된, 추가된 및 삭제된 파일을 나열합니다. +> 더 많은 정보: . + +- 커밋할 파일로 아직 추가되지 않은 변경된 파일 보기: + +`git status` + +- [s]hort 형식으로 출력: + +`git status --short` + +- [b]ranch 및 추적 정보 표시: + +`git status --branch` + +- [s]hort 형식으로 출력하면서 [b]ranch 정보 표시: + +`git status --short --branch` + +- 현재 숨겨둔 엔트리의 수 표시: + +`git status --show-stash` + +- 출력에 추적되지 않는 파일을 표시하지 않기: + +`git status --untracked-files=no` diff --git a/pages.ko/common/git-switch.md b/pages.ko/common/git-switch.md new file mode 100644 index 000000000..5e253d3bd --- /dev/null +++ b/pages.ko/common/git-switch.md @@ -0,0 +1,29 @@ +# git switch + +> Git 브랜치 간 전환합니다. Git 버전 2.23+가 필요합니다. +> 같이 보기: `git checkout`. +> 더 많은 정보: . + +- 기존 브랜치로 전환: + +`git switch {{브랜치_이름}}` + +- 새 브랜치를 만들고 전환: + +`git switch --create {{브랜치_이름}}` + +- 기존 커밋을 기반으로 새 브랜치를 만들고 전환: + +`git switch --create {{브랜치_이름}} {{커밋}}` + +- 이전 브랜치로 전환: + +`git switch -` + +- 브랜치로 전환하고 모든 서브모듈을 일치하도록 업데이트: + +`git switch --recurse-submodules {{브랜치_이름}}` + +- 브랜치로 전환하고 현재 브랜치와 미커밋된 변경 사항을 자동으로 병합: + +`git switch --merge {{브랜치_이름}}` diff --git a/pages.ko/common/git-tag.md b/pages.ko/common/git-tag.md new file mode 100644 index 000000000..169d18d4d --- /dev/null +++ b/pages.ko/common/git-tag.md @@ -0,0 +1,33 @@ +# git tag + +> 태그를 생성하거나 나열하거나 삭제하거나 확인합니다. +> 태그는 커밋에 대한 정적 참조입니다. +> 더 많은 정보: . + +- 모든 태그 나열: + +`git tag` + +- 주어진 이름을 가진 태그를 현재 커밋을 가리키도록 생성: + +`git tag {{태그_이름}}` + +- 주어진 이름을 가진 태그를 주어진 커밋을 가리키도록 생성: + +`git tag {{태그_이름}} {{커밋}}` + +- 주어진 메시지로 주석이 달린 태그를 생성: + +`git tag {{태그_이름}} -m {{태그_메시지}}` + +- 주어진 이름을 가진 태그를 삭제: + +`git tag -d {{태그_이름}}` + +- 업스트림에서 업데이트된 태그 가져오기: + +`git fetch --tags` + +- 특정 커밋을 조상으로 포함하는 모든 태그 나열: + +`git tag --contains {{커밋}}` diff --git a/pages.ko/common/gnmic-sub.md b/pages.ko/common/gnmic-sub.md index 5ef6a777d..6811f321d 100644 --- a/pages.ko/common/gnmic-sub.md +++ b/pages.ko/common/gnmic-sub.md @@ -1,4 +1,4 @@ -# gnmic-sub +# gnmic sub > 이 명령은 `gnmic subscribe` 의 에일리어스 (별칭) 입니다. > 더 많은 정보: . diff --git a/pages.ko/common/grep.md b/pages.ko/common/grep.md index b2564a0b5..83c69c22b 100644 --- a/pages.ko/common/grep.md +++ b/pages.ko/common/grep.md @@ -9,28 +9,28 @@ - 정규표현식을 사용하지 않고 정확히 일치하는 문자열 검색: -`grep --fixed-strings "{{문자열}}" {{파일/의/경로}}` +`grep {{-F|--fixed-strings}} "{{문자열}}" {{파일/의/경로}}` - 재귀적으로 디렉토리 안의 바이너리 파일을 제외한 모든 파일 안에서 패턴을 검색하고, 일치하는 줄의 번호를 보여줌: -`grep --recursive --line-number --binary-files={{without-match}} "{{검색_패턴}}" {{디렉토리/의/경로}}` +`grep {{-r|--recursive}} {{-n|--line-number}} --binary-files={{without-match}} "{{검색_패턴}}" {{디렉토리/의/경로}}` - 대소문자를 구분하지 않는 모드에서 확장된 정규표현식 사용 (`?`, `+`, `{}`, `()` 그리고 `|` 를 지원): -`grep --extended-regexp --ignore-case "{{검색_패턴}}" {{파일/의/경로}}` +`grep {{-E|--extended-regexp}} {{-i|--ignore-case}} "{{검색_패턴}}" {{파일/의/경로}}` - 일치하는 문자열 주변, 이전 혹은 이후의 3줄을 출력: -`grep --{{context|before-context|after-context}}={{3}} "{{검색_패턴}}" {{파일/의/경로}}` +`grep --{{context|before-context|after-context}} 3 "{{검색_패턴}}" {{파일/의/경로}}` - 각각의 일치하는 문자열의 파일 이름과 줄 번호 출력: -`grep --with-filename --line-number --color=always "{{검색_패턴}}" {{파일/의/경로}}` +`grep {{-H|--with-filename}} {{-n|--line-number}} --color=always "{{검색_패턴}}" {{파일/의/경로}}` - 패턴과 일치하는 줄을 검색하고, 일치하는 문자만 출력: -`grep --only-matching "{{검색_패턴}}" {{파일/의/경로}}` +`grep {{-o|--only-matching}} "{{검색_패턴}}" {{파일/의/경로}}` - 패턴과 일치하지 않는 라인에 대한 `stdin` 검색: -`cat {{파일/의/경로}} | grep --invert-match "{{검색_패턴}}"` +`cat {{파일/의/경로}} | grep {{-v|--invert-match}} "{{검색_패턴}}"` diff --git a/pages.ko/common/magick-convert.md b/pages.ko/common/magick-convert.md new file mode 100644 index 000000000..2c5f0e560 --- /dev/null +++ b/pages.ko/common/magick-convert.md @@ -0,0 +1,32 @@ +# magick convert + +> ImageMagick 이미지 변환 도구. +> 더 많은 정보: . + +- JPG이미지를 PNG이미지로 변환: + +`magick convert {{이미지.jpg}} {{이미지.png}}` + +- 이미지를 원래 크기의 50%로 조정: + +`magick convert {{이미지.png}} -resize 50% {{이미지2.png}}` + +- 원래 종횡비를 유지하면서 이미지를 최대 640x480 크기로 조정: + +`magick convert {{이미지.png}} -resize 640x480 {{이미지2.png}}` + +- 이미지를 가로로 추가: + +`magick convert {{이미지1.png}} {{이미지2.png}} {{이미지3.png}} +append {{이미지123.png}}` + +- 이미지를 세로로 추가: + +`magick convert {{이미지1.png}} {{이미지2.png}} {{이미지3.png}} -append {{이미지123.png}}` + +- 100ms 지연된 일련의 이미지에서 GIF 만들기: + +`magick convert {{이미지1.png}} {{이미지2.png}} {{이미지3.png}} -delay {{100}} {{애니메이션.gif}}` + +- 단색 배경만으로 이미지 만들기: + +`magick convert -size {{800x600}} "xc:{{#ff0000}}" {{이미지.png}}` diff --git a/pages.ko/common/man.md b/pages.ko/common/man.md index 50319127e..f91ca96af 100644 --- a/pages.ko/common/man.md +++ b/pages.ko/common/man.md @@ -1,7 +1,7 @@ # man > 설명서 페이지 형식 지정 및 표시. -> 더 많은 정보: . +> 더 많은 정보: . - 명령에 대한 설명서 페이지를 표시: diff --git a/pages.ko/common/mkdir.md b/pages.ko/common/mkdir.md new file mode 100644 index 000000000..fe3559a32 --- /dev/null +++ b/pages.ko/common/mkdir.md @@ -0,0 +1,16 @@ +# mkdir + +> 디렉토리를 생성하고 해당 권한을 설정합니다. +> 더 많은 정보: . + +- 특정 디렉토리 생성: + +`mkdir {{경로/대상/폴더1 경로/대상/폴더2 ...}}` + +- 필요시 특정 디렉토리와 그 [상위] 디렉토리를 생성: + +`mkdir {{-p|--parents}} {{경로/대상/폴더1 경로/대상/폴더2 ...}}` + +- 특정 권한으로 디렉토리 생성: + +`mkdir {{-m|--mode}} {{rwxrw-r--}} {{경로/대상/폴더1 경로/대상/폴더2 ...}}` diff --git a/pages.ko/common/mv.md b/pages.ko/common/mv.md new file mode 100644 index 000000000..dfa761b5d --- /dev/null +++ b/pages.ko/common/mv.md @@ -0,0 +1,32 @@ +# mv + +> 파일 및 디렉토리를 이동하거나 이름을 변경합니다. +> 더 많은 정보: . + +- 대상이 기존 디렉토리가 아닌 경우 파일 또는 디렉토리 이름 변경: + +`mv {{경로/대상/원본}} {{경로/대상/목표}}` + +- 파일 또는 디렉토리를 기존 디렉토리로 이동: + +`mv {{경로/대상/원본}} {{경로/대상/기존_폴더}}` + +- 여러 파일을 기존 디렉토리로 이동하고 파일 이름은 그대로 유지: + +`mv {{경로/대상/원본1 경로/대상/원본2 ...}} {{경로/대상/기존_폴더}}` + +- 기존 파일을 덮어쓸 때 확인하지 않음: + +`mv -f {{경로/대상/원본}} {{경로/대상/목표}}` + +- 파일 권한과 관계없이 기존 파일을 덮어쓸 때 확인을 요청: + +`mv -i {{경로/대상/원본}} {{경로/대상/목표}}` + +- 대상 위치에 기존 파일이 있을 경우 덮어쓰지 않음: + +`mv -n {{경로/대상/원본}} {{경로/대상/목표}}` + +- 파일을 이동한 후에 파일을 표시하는 자세한 모드로 이동: + +`mv -v {{경로/대상/원본}} {{경로/대상/목표}}` diff --git a/pages.ko/common/nc.md b/pages.ko/common/nc.md index 92be38e43..75857a31a 100644 --- a/pages.ko/common/nc.md +++ b/pages.ko/common/nc.md @@ -1,7 +1,7 @@ # nc > Netcat은 TCP 또는 UDP 데이터 작업을 위한 다목적 유틸리티입니다. -> 더 많은 정보: . +> 더 많은 정보: . - 특정 포트에서 수신대기 및 수신한 데이터 출력: diff --git a/pages.ko/common/netstat.md b/pages.ko/common/netstat.md index 2b827ea27..370f4bb92 100644 --- a/pages.ko/common/netstat.md +++ b/pages.ko/common/netstat.md @@ -1,7 +1,7 @@ # netstat > 열린 연결 및 소켓 포트 등과 같은 네트워크 관련 정보를 표시합니다. -> 더 많은 정보: . +> 더 많은 정보: . - 모든 포트 나열: diff --git a/pages.ko/common/npm.md b/pages.ko/common/npm.md index 4ec2db781..556dcbce4 100644 --- a/pages.ko/common/npm.md +++ b/pages.ko/common/npm.md @@ -18,11 +18,11 @@ - 최신 버전의 패키지를 다운로드하여 `package.json`의 개발 의존성 목록에 추가: -`npm install {{패키지_이름}} --save-dev` +`npm install {{패키지_이름}} {{-D|--save-dev}}` - 최신 버전의 패키지를 다운로드하여 전역적으로 설치: -`npm install --global {{패키지_이름}}` +`npm install {{-g|--global}} {{패키지_이름}}` - 패키지를 제거하고 `package.json`의 의존성 목록에서 제거: @@ -34,4 +34,4 @@ - 전역적으로 설치된 최상위 패키지 나열: -`npm list --global --depth={{0}}` +`npm list {{-g|--global}} --depth {{0}}` diff --git a/pages.ko/common/pio-init.md b/pages.ko/common/pio-init.md index 7f6a71a1f..d58d78e1a 100644 --- a/pages.ko/common/pio-init.md +++ b/pages.ko/common/pio-init.md @@ -1,4 +1,4 @@ -# pio-init +# pio init > 이 명령은 `pio project` 의 에일리어스 (별칭) 입니다. diff --git a/pages.ko/common/pkill.md b/pages.ko/common/pkill.md index 41c78f5b6..3d3ba361e 100644 --- a/pages.ko/common/pkill.md +++ b/pages.ko/common/pkill.md @@ -2,7 +2,7 @@ > 프로세스 이름에 따라 시그널을 전송합니다. > 주로 프로세스를 종료하는데 사용합니다. -> 더 많은 정보: . +> 더 많은 정보: . - 일치하는 모든 프로세스 종료: diff --git a/pages.ko/common/rmdir.md b/pages.ko/common/rmdir.md new file mode 100644 index 000000000..d7008f8e9 --- /dev/null +++ b/pages.ko/common/rmdir.md @@ -0,0 +1,13 @@ +# rmdir + +> 파일이 없는 디렉토리를 제거합니다. +> 같이 보기: `rm`. +> 더 많은 정보: . + +- 특정 디렉토리 제거: + +`rmdir {{경로/대상/폴더1 경로/대상/폴더2 ...}}` + +- 특정 중첩 디렉토리를 재귀적으로 제거: + +`rmdir -p {{경로/대상/폴더1 경로/대상/폴더2 ...}}` diff --git a/pages.ko/common/rsync.md b/pages.ko/common/rsync.md index 40dd7c9ad..ca97b0357 100644 --- a/pages.ko/common/rsync.md +++ b/pages.ko/common/rsync.md @@ -10,28 +10,28 @@ - 아카이브 모드 (디렉토리를 반복적으로 복사하고, 권한, 소유권, 수정 시간을 확인 및 보존하지 않고 심볼릭 링크를 복사) 사용: -`rsync --archive {{경로/대상/소스}} {{경로/대상/목적지}}` +`rsync {{-a|--archive}} {{경로/대상/소스}} {{경로/대상/목적지}}` - 데이터가 대상으로 전송될 때 압축하고, 사람이 읽을 수 있는 자세한 진행 상황을 표시하고, 중단된 경우 부분적으로 전송된 파일 유지: -`rsync --compress --verbose --human-readable --partial --progress {{경로/대상/소스}} {{경로/대상/목적지}}` +`rsync {{-zvhP|--compress --verbose --human-readable --partial --progress}} {{경로/대상/소스}} {{경로/대상/목적지}}` - 반복적으로 폴더 복사: -`rsync --recursive {{경로/대상/소스}} {{경로/대상/목적지}}` +`rsync {{-r|--recursive}} {{경로/대상/소스}} {{경로/대상/목적지}}` - 디렉터리 내용을 전송하지만, 디렉터리 자체는 전송하지 않음: -`rsync --recursive {{경로/대상/소스}}/ {{경로/대상/목적지}}` +`rsync {{-r|--recursive}} {{경로/대상/소스}}/ {{경로/대상/목적지}}` - 디렉토리를 반복적으로 복사하고, 아카이브 모드를 사용하고, 심볼릭 링크를 확인하고, 대상에 있는 최신 파일을 건너뜀: -`rsync --archive --update --copy-links {{경로/대상/소스}} {{경로/대상/목적지}}` +`rsync {{-auL|--archive --update --copy-links}} {{경로/대상/소스}} {{경로/대상/목적지}}` - `rsyncd`를 실행하는 원격 호스트로 폴더를 전송하고 소스에 존재하지 않는 대상의 파일으 삭제: -`rsync --recursive --delete rsync://{{호스트}}:{{경로/대상/소스}} {{경로/대상/목적지}}` +`rsync {{-r|--recursive}} --delete rsync://{{호스트}}:{{경로/대상/소스}} {{경로/대상/목적지}}` - 기본값(22)이 아닌 다른 포트를 사용하여 SSH를 통해 파일을 전송하고 전체적인 진행 상황을 표시: -`rsync --rsh 'ssh -p {{port}}' --info=progress2 {{호스트}}:{{경로/대상/소스}} {{경로/대상/목적지}}` +`rsync {{-e|--rsh}} 'ssh -p {{port}}' --info=progress2 {{호스트}}:{{경로/대상/소스}} {{경로/대상/목적지}}` diff --git a/pages.ko/common/sed.md b/pages.ko/common/sed.md index 50d7cb991..63ffca97f 100644 --- a/pages.ko/common/sed.md +++ b/pages.ko/common/sed.md @@ -2,7 +2,7 @@ > 스크립트 가능한 방식으로 텍스트 편집. > 함께 보기: `awk`, `ed`. -> 더 많은 정보: . +> 더 많은 정보: . - 모든 입력 줄에서 모든 `apple`(기본 정규식)항목을 `mango`(기본 정규식)로 바꾸고 결과를 `stdout`에 출력: diff --git a/pages.ko/common/tlmgr-arch.md b/pages.ko/common/tlmgr-arch.md index fac7928e8..b8258c20f 100644 --- a/pages.ko/common/tlmgr-arch.md +++ b/pages.ko/common/tlmgr-arch.md @@ -1,4 +1,4 @@ -# tlmgr-arch +# tlmgr arch > 이 명령은 `tlmgr platform` 의 에일리어스 (별칭) 입니다. > 더 많은 정보: . diff --git a/pages.ko/common/touch.md b/pages.ko/common/touch.md new file mode 100644 index 000000000..4593e8741 --- /dev/null +++ b/pages.ko/common/touch.md @@ -0,0 +1,20 @@ +# touch + +> 파일을 생성하고 접근/수정 시간을 설정합니다. +> 더 많은 정보: . + +- 특정 파일 생성: + +`touch {{경로/대상/파일1 경로/대상/파일2 ...}}` + +- 파일의 [a]ccess 또는 [m]odification 시간을 현재 시간으로 설정하고 파일이 없으면 [c]reate 하지 않음: + +`touch -c -{{a|m}} {{경로/대상/파일1 경로/대상/파일2 ...}}` + +- 파일의 [t]ime을 특정 값으로 설정하고 파일이 없으면 [c]reate 하지 않음: + +`touch -c -t {{YYYYMMDDHHMM.SS}} {{경로/대상/파일1 경로/대상/파일2 ...}}` + +- 파일의 타임스탬프를 [r]eference 파일의 타임스탬프로 설정하고 파일이 없으면 [c]reate 하지 않음: + +`touch -c -r {{경로/대상/참조_파일}} {{경로/대상/파일1 경로/대상/파일2 ...}}` diff --git a/pages.ko/common/virsh.md b/pages.ko/common/virsh.md index 398a9fc4c..3a91740c8 100644 --- a/pages.ko/common/virsh.md +++ b/pages.ko/common/virsh.md @@ -2,7 +2,7 @@ > virsh 게스트 도메인을 관리합니다. (Note: 'guest_id'는 게스트의 아이디, 이름 또는 UUID일 수 있습니다). > `virsh list`와 같은 일부 하위 명령에는 자체 사용 설명서가 있습니다. -> 더 많은 정보: . +> 더 많은 정보: . - 하이퍼아비저 세션에 연결: diff --git a/pages.ko/common/webpack.md b/pages.ko/common/webpack.md index 2b3a82211..7220fa1a9 100644 --- a/pages.ko/common/webpack.md +++ b/pages.ko/common/webpack.md @@ -7,7 +7,7 @@ `webpack {{app.js}} {{bundle.js}}` -- 자바스크립트 파일에서도 CSS 파일을 로드 (이 경우 `.css` 파일에 CSS 로더를 사용합니다): +- 자바스크립트 파일에서도 CSS 파일을 로드 (이 경우 CSS 파일에 CSS 로더를 사용합니다): `webpack {{app.js}} {{bundle.js}} --module-bind '{{css=css}}'` diff --git a/pages.ko/freebsd/cal.md b/pages.ko/freebsd/cal.md new file mode 100644 index 000000000..243717689 --- /dev/null +++ b/pages.ko/freebsd/cal.md @@ -0,0 +1,32 @@ +# cal + +> 현재 날짜가 강조된 달력을 표시합니다. +> 더 많은 정보: . + +- 현재 월의 달력 표시: + +`cal` + +- 특정 연도의 달력 표시: + +`cal {{연도}}` + +- 특정 월과 연도의 달력 표시: + +`cal {{월}} {{연도}}` + +- 현재 연도의 전체 달력 표시: + +`cal -y` + +- 오늘을 강조하지 않고 날짜를 중심으로 [3]개월 표시: + +`cal -h -3 {{월}} {{연도}}` + +- 현재 연도의 특정 월의 이전 2개월과 이후 3개월 표시: + +`cal -A 3 -B 2 {{월}}` + +- 율리우스력 날짜 표시 (1부터 시작하여 1월 1일부터 번호 매김): + +`cal -j` diff --git a/pages.ko/freebsd/chfn.md b/pages.ko/freebsd/chfn.md new file mode 100644 index 000000000..a5c7ea69b --- /dev/null +++ b/pages.ko/freebsd/chfn.md @@ -0,0 +1,7 @@ +# chfn + +> 이 명령어는 `chpass`의 에일리어스 (별칭) 입니다. + +- 원본 명령의 도큐멘테이션 (설명서) 보기: + +`tldr chpass` diff --git a/pages.ko/freebsd/chpass.md b/pages.ko/freebsd/chpass.md new file mode 100644 index 000000000..35922724b --- /dev/null +++ b/pages.ko/freebsd/chpass.md @@ -0,0 +1,33 @@ +# chpass + +> 사용자 데이터베이스 정보, 로그인 쉘 및 비밀번호를 추가하거나 변경합니다. +> 같이 보기: `passwd`. +> 더 많은 정보: . + +- 현재 사용자의 사용자 데이터베이스 정보를 대화식으로 추가하거나 변경: + +`su -c chpass` + +- 현재 사용자의 로그인 쉘 설정: + +`chpass -s {{경로/대상/쉘}}` + +- 특정 사용자의 로그인 쉘 설정: + +`chpass -s {{경로/대상/쉘}} {{사용자명}}` + +- 계정 만료 시간 변경 (에포크로부터 초 단위, UTC): + +`su -c 'chpass -e {{시간}} {{사용자명}}'` + +- 사용자 비밀번호 변경: + +`su -c 'chpass -p {{암호화된_비밀번호}} {{사용자명}}'` + +- 조회할 NIS 서버의 호스트명 또는 주소 지정: + +`su -c 'chpass -h {{호스트명}} {{사용자명}}'` + +- 특정 NIS 도메인 지정 (기본값은 시스템 도메인 이름): + +`su -c 'chpass -d {{도메인}} {{사용자명}}'` diff --git a/pages.ko/freebsd/chsh.md b/pages.ko/freebsd/chsh.md new file mode 100644 index 000000000..fcd121523 --- /dev/null +++ b/pages.ko/freebsd/chsh.md @@ -0,0 +1,7 @@ +# chsh + +> 이 명령어는 `chpass`의 에일리어스 (별칭) 입니다. + +- 원본 명령의 도큐멘테이션 (설명서) 보기: + +`tldr chpass` diff --git a/pages.ko/freebsd/df.md b/pages.ko/freebsd/df.md new file mode 100644 index 000000000..3fac998ad --- /dev/null +++ b/pages.ko/freebsd/df.md @@ -0,0 +1,32 @@ +# df + +> 파일 시스템 디스크 공간 사용량 개요를 표시합니다. +> 더 많은 정보: . + +- 512바이트 단위로 모든 파일 시스템과 디스크 사용량 표시: + +`df` + +- [h]uman-readable(1024의 거듭제곱에 기반한) 단위를 사용해 총합 표시: + +`df -h -c` + +- [H]uman-readable(1000의 거듭제곱에 기반한) 단위 사용: + +`df -{{-si|H}}` + +- 주어진 파일 또는 디렉토리를 포함하는 파일 시스템 및 디스크 사용량 표시: + +`df {{경로/대상/파일_또는_폴더}}` + +- [i]노드의 수 및 사용된 노드 수를 포함해 파일 시스템 [T]ypes에 대한 통계 포함: + +`df -iT` + +- 공간 값을 쓸 때 1024바이트 단위 사용하기: + +`df -k` + +- [P]ortable한 방식으로 정보 표시: + +`df -P` diff --git a/pages.ko/freebsd/look.md b/pages.ko/freebsd/look.md new file mode 100644 index 000000000..20761a7c6 --- /dev/null +++ b/pages.ko/freebsd/look.md @@ -0,0 +1,21 @@ +# look + +> 정렬된 파일에서 접두사로 시작하는 줄을 표시합니다. +> 같이 보기: `grep`, `sort`. +> 더 많은 정보: . + +- 특정 파일에서 특정 접두사로 시작하는 줄을 검색: + +`look {{접두사}} {{경로/대상/파일}}` + +- 알파벳과 숫자만 대소문자를 구분하지 않고 검색: + +`look {{-f|--ignore-case}} {{-d|--alphanum}} {{접두사}} {{경로/대상/파일}}` + +- 종결 문자 지정 (기본값은 공백): + +`look {{-t|--terminate}} {{,}}` + +- `/usr/share/dict/words`에서 검색 (`--ignore-case` 및 `--alphanum`이 가정됨): + +`look {{접두사}}` diff --git a/pages.ko/freebsd/pkg.md b/pages.ko/freebsd/pkg.md new file mode 100644 index 000000000..3c485778c --- /dev/null +++ b/pages.ko/freebsd/pkg.md @@ -0,0 +1,28 @@ +# pkg + +> FreeBSD 패키지 관리자입니다. +> 더 많은 정보: . + +- 새 패키지 설치: + +`pkg install {{패키지}}` + +- 패키지 삭제: + +`pkg delete {{패키지}}` + +- 모든 패키지 업그레이드: + +`pkg upgrade` + +- 패키지 검색: + +`pkg search {{키워드}}` + +- 설치된 패키지 목록: + +`pkg info` + +- 필요없는 의존성 제거: + +`pkg autoremove` diff --git a/pages.ko/freebsd/sed.md b/pages.ko/freebsd/sed.md new file mode 100644 index 000000000..a35203a8a --- /dev/null +++ b/pages.ko/freebsd/sed.md @@ -0,0 +1,29 @@ +# sed + +> 스크립트로 텍스트를 편집합니다. +> 같이 보기: `awk`, `ed`. +> 더 많은 정보: . + +- 모든 입력 라인에서 `apple` (기본 정규표현식)을 `mango` (기본 정규표현식)로 대체하고 결과를 `stdout`에 인쇄: + +`{{명령}} | sed 's/apple/mango/g'` + +- 특정 스크립트 [f]파일을 실행하고 결과를 `stdout`에 인쇄: + +`{{명령}} | sed -f {{경로/대상/스크립트.sed}}` + +- 관련 `w` 함수 또는 플래그가 포함된 명령이 입력 줄에 적용될 때까지 각 파일 열기 지연: + +`{{명령}} | sed -fa {{경로/대상/스크립트.sed}}` + +- 모든 입력 라인에서 `apple` (확장 정규표현식)을 `APPLE` (확장 정규표현식)로 대체하고 결과를 `stdout`에 인쇄: + +`{{명령}} | sed -E 's/(apple)/\U\1/g'` + +- 첫 번째 줄만 `stdout`에 인쇄: + +`{{명령}} | sed -n '1p'` + +- 특정 파일에서 `apple` (기본 정규표현식)을 `mango` (기본 정규표현식)로 모두 대체하고 원본 파일 덮어쓰기: + +`sed -i 's/apple/mango/g' {{경로/대상/파일}}` diff --git a/pages.ko/freebsd/sockstat.md b/pages.ko/freebsd/sockstat.md new file mode 100644 index 000000000..f6123f94f --- /dev/null +++ b/pages.ko/freebsd/sockstat.md @@ -0,0 +1,36 @@ +# sockstat + +> 오픈된 인터넷 또는 UNIX 도메인 소켓을 나열합니다. +> 더 많은 정보: . + +- 어떤 사용자/프로세스가 어떤 포트에서 [l]istening하는지 보기: + +`sockstat -l` + +- 특정 [p]ort에서 사용 중인 IPv[4]/IPv[6] 소켓 정보 보기, 특정 [P]rotocol 사용: + +`sockstat -{{4|6}} -l -P {{tcp|udp|sctp|divert}} -p {{port1,port2...}}` + +- [c]onnected 소켓도 표시, 숫자형식의 UID를 사용자 이름으로 해석하지 않고 [w]ider 필드 크기 사용: + +`sockstat -cnw` + +- 특정 [j]ail ID 또는 이름에 속하는 소켓만 [v]erbose 모드로 표시: + +`sockstat -jv` + +- 프로토콜 [s]tate 및 원격 [U]DP 캡슐화 포트 번호 표시 (현재 SCTP 및 TCP에만 구현됨): + +`sockstat -sU` + +- [C]ongestion control 모듈 및 프로토콜 [S]tack 표시 (현재 TCP에만 구현됨): + +`sockstat -CS` + +- 로컬 및 외부 주소가 루프백 네트워크 접두어 127.0.0.0/8이 아니거나 IPv6 루프백 주소 ::1을 포함하지 않는 경우에만 인터넷 소켓 표시: + +`sockstat -L` + +- 헤더를 표시하지 않음 ([q]uiet 모드), [u]nix 소켓 표시하고 `inp_gencnt` 표시: + +`sockstat -qui` diff --git a/pages.ko/freebsd/ypchfn.md b/pages.ko/freebsd/ypchfn.md new file mode 100644 index 000000000..5f8fe7ee4 --- /dev/null +++ b/pages.ko/freebsd/ypchfn.md @@ -0,0 +1,7 @@ +# ypchfn + +> 이 명령어는 `chpass`의 에일리어스 (별칭) 입니다. + +- 원본 명령의 도큐멘테이션 (설명서) 보기: + +`tldr chpass` diff --git a/pages.ko/freebsd/ypchpass.md b/pages.ko/freebsd/ypchpass.md new file mode 100644 index 000000000..c0abdfb6a --- /dev/null +++ b/pages.ko/freebsd/ypchpass.md @@ -0,0 +1,7 @@ +# ypchpass + +> 이 명령어는 `chpass`의 에일리어스 (별칭) 입니다. + +- 원본 명령의 도큐멘테이션 (설명서) 보기: + +`tldr chpass` diff --git a/pages.ko/freebsd/ypchsh.md b/pages.ko/freebsd/ypchsh.md new file mode 100644 index 000000000..2679e6f1b --- /dev/null +++ b/pages.ko/freebsd/ypchsh.md @@ -0,0 +1,7 @@ +# ypchsh + +> 이 명령어는 `chpass`의 에일리어스 (별칭) 입니다. + +- 원본 명령의 도큐멘테이션 (설명서) 보기: + +`tldr chpass` diff --git a/pages.ko/linux/add-apt-repository.md b/pages.ko/linux/add-apt-repository.md index c0815aebd..898d348ba 100644 --- a/pages.ko/linux/add-apt-repository.md +++ b/pages.ko/linux/add-apt-repository.md @@ -3,7 +3,7 @@ > 적절한 저장소 정의를 관리합니다. > 더 많은 정보: . -- 새로운 apt 레포지토리 추가: +- 새로운 APT 레포지토리 추가: `add-apt-repository {{레포지토리_스펙}}` diff --git a/pages.ko/linux/dd.md b/pages.ko/linux/dd.md index b573f12d7..5fb0877ad 100644 --- a/pages.ko/linux/dd.md +++ b/pages.ko/linux/dd.md @@ -9,24 +9,20 @@ - 4 MiB 블록이 있는 다른 드라이브에 드라이브를 복제하고, 오류를 무시하고 진행 상황을 표시: -`dd if={{/dev/소스_드라이브}} of={{/dev/목적지_드라이브}} bs={{4M}} conv={{noerror}} status=progress` +`dd bs=4M conv=noerror if={{/dev/소스_드라이브}} of={{/dev/목적지_드라이브}} status=progress` -- 커널 랜덤 드라이버를 사용하여 랜덤 100바이트의 파일 생성: +- 커널 랜덤 드라이버를 사용하여, 특정 수의 임의 바이트 크기를 가지는 파일 생성: -`dd if=/dev/urandom of={{경로/대상/랜덤_파일}} bs={{100}} count={{1}}` +`dd bs={{100}} count={{1}} if=/dev/urandom of={{경로/대상/랜덤_파일}}` - 디스크의 쓰기 성능 벤치마크: -`dd if=/dev/zero of={{경로/대상/1GB_파일}} bs={{1024}} count={{1000000}}` +`dd bs={{1M}} count={{1024}} if=/dev/zero of={{경로/대상/1GB_파일}}` - IMG 파일로 시스템 백업을 생성하고 진행 상황 표시: `dd if={{/dev/드라이브_장치}} of={{경로/대상/파일.img}} status=progress` -- IMG 파일에서 드라이브를 복원하고 진행 상황을 표시: - -`dd if={{경로/대상/파일.img}} of={{/dev/드라이브_장치}} status=progress` - -- 진행 중인 dd 작업의 진행 상황을 확인 (다른 셸에서 이 명령어 실행): +- 진행 중인 `dd` 작업의 진행 상황을 확인 (다른 셸에서 이 명령어 실행): `kill -USR1 $(pgrep -x dd)` diff --git a/pages.ko/linux/deluser.md b/pages.ko/linux/deluser.md index 0f337334d..75ce5cb26 100644 --- a/pages.ko/linux/deluser.md +++ b/pages.ko/linux/deluser.md @@ -1,7 +1,7 @@ # deluser > 유저 계정 제거 또는 그룹으로부터 사용자 제거. -> 더 많은 정보: . +> 더 많은 정보: . - 유저 삭제: diff --git a/pages.ko/linux/ip-route-list.md b/pages.ko/linux/ip-route-list.md index 82aee362c..b2d1f703f 100644 --- a/pages.ko/linux/ip-route-list.md +++ b/pages.ko/linux/ip-route-list.md @@ -1,6 +1,6 @@ -# ip-route-list +# ip route list -> 이 명령은 `ip-route-show` 의 에일리어스 (별칭) 입니다. +> 이 명령은 `ip route show`.의 에일리어스 (별칭) 입니다. - 원본 명령의 도큐멘테이션 (설명서) 보기: diff --git a/pages.ko/linux/pacman-database.md b/pages.ko/linux/pacman-database.md new file mode 100644 index 000000000..8820036dc --- /dev/null +++ b/pages.ko/linux/pacman-database.md @@ -0,0 +1,30 @@ +# pacman --database + +> Arch Linux 패키지 데이터베이스를 조작합니다. +> 설치된 패키지의 특정 속성을 수정합니다. +> 같이 보기: `pacman`. +> 더 많은 정보: . + +- 패키지를 암묵적으로 설치된 것으로 표시: + +`sudo pacman --database --asdeps {{패키지}}` + +- 패키지를 명시적으로 설치된 것으로 표시: + +`sudo pacman --database --asexplicit {{패키지}}` + +- 모든 패키지 의존성이 설치되었는지 확인: + +`pacman --database --check` + +- 모든 지정된 의존성이 사용 가능한지 확인하기 위해 저장소 검사: + +`pacman --database --check --check` + +- 오류 메시지만 표시: + +`pacman --database --check --quiet` + +- 도움말 표시: + +`pacman --database --help` diff --git a/pages.ko/linux/pacman-deptest.md b/pages.ko/linux/pacman-deptest.md new file mode 100644 index 000000000..c3139d33f --- /dev/null +++ b/pages.ko/linux/pacman-deptest.md @@ -0,0 +1,21 @@ +# pacman --deptest + +> 지정된 각 의존성을 확인하고 시스템에 현재 충족되지 않은 의존성 목록을 반환합니다. +> 같이 보기: `pacman`. +> 더 많은 정보: . + +- 설치되지 않은 의존성의 패키지 이름을 출력: + +`pacman --deptest {{패키지1 패키지2 ...}}` + +- 설치된 패키지가 주어진 최소 버전을 충족하는지 확인: + +`pacman --deptest "{{bash>=5}}"` + +- 패키지의 최신 버전이 설치되었는지 확인: + +`pacman --deptest "{{bash>5}}"` + +- 도움말 표시: + +`pacman --deptest --help` diff --git a/pages.ko/linux/pacman-files.md b/pages.ko/linux/pacman-files.md new file mode 100644 index 000000000..bdd772539 --- /dev/null +++ b/pages.ko/linux/pacman-files.md @@ -0,0 +1,29 @@ +# pacman --files + +> Arch Linux 패키지 관리 도구. +> 같이 보기: `pacman`, `pkgfile`. +> 더 많은 정보: . + +- 패키지 데이터베이스 업데이트: + +`sudo pacman --files --refresh` + +- 특정 파일을 소유한 패키지 찾기: + +`pacman --files {{파일_이름}}` + +- 정규 표현식을 사용하여 특정 파일을 소유한 패키지 찾기: + +`pacman --files --regex '{{정규표현식}}'` + +- 패키지 이름만 나열: + +`pacman --files --quiet {{파일_이름}}` + +- 특정 패키지가 소유한 파일 나열: + +`pacman --files --list {{패키지}}` + +- 도움말 표시: + +`pacman --files --help` diff --git a/pages.ko/linux/pacman-key.md b/pages.ko/linux/pacman-key.md new file mode 100644 index 000000000..37ad0fd89 --- /dev/null +++ b/pages.ko/linux/pacman-key.md @@ -0,0 +1,37 @@ +# pacman-key + +> GnuPG를 사용하여 pacman의 키링을 관리하는 래퍼 스크립트. +> 같이 보기: `pacman`. +> 더 많은 정보: . + +- `pacman` 키링 초기화: + +`sudo pacman-key --init` + +- 기본 Arch Linux 키 추가: + +`sudo pacman-key --populate {{archlinux}}` + +- 공개 키링에서 키 나열: + +`pacman-key --list-keys` + +- 지정된 키 추가: + +`sudo pacman-key --add {{경로/대상/키파일.gpg}}` + +- 키 서버에서 키 수신: + +`sudo pacman-key --recv-keys "{{uid|name|email}}"` + +- 특정 키의 지문 출력: + +`pacman-key --finger "{{uid|name|email}}"` + +- 가져온 키를 로컬에서 서명: + +`sudo pacman-key --lsign-key "{{uid|name|email}}"` + +- 특정 키 제거: + +`sudo pacman-key --delete "{{uid|name|email}}"` diff --git a/pages.ko/linux/pacman-mirrors.md b/pages.ko/linux/pacman-mirrors.md new file mode 100644 index 000000000..79981c380 --- /dev/null +++ b/pages.ko/linux/pacman-mirrors.md @@ -0,0 +1,26 @@ +# pacman-mirrors + +> Manjaro Linux용 `pacman` 미러 리스트 생성. +> `pacman-mirrors`를 실행할 때마다 데이터베이스를 동기화하고 `sudo pacman -Syyu`를 사용하여 시스템을 업데이트해야 합니다. +> 같이 보기: `pacman`. +> 더 많은 정보: . + +- 기본 설정을 사용하여 미러 리스트 생성: + +`sudo pacman-mirrors --fasttrack` + +- 현재 미러 상태 확인: + +`pacman-mirrors --status` + +- 현재 브랜치 표시: + +`pacman-mirrors --get-branch` + +- 다른 브랜치로 전환: + +`sudo pacman-mirrors --api --set-branch {{stable|unstable|testing}}` + +- 거주 국가의 미러만 사용하여 미러 리스트 생성: + +`sudo pacman-mirrors --geoip` diff --git a/pages.ko/linux/pacman-query.md b/pages.ko/linux/pacman-query.md new file mode 100644 index 000000000..040de28fd --- /dev/null +++ b/pages.ko/linux/pacman-query.md @@ -0,0 +1,37 @@ +# pacman --query + +> Arch Linux 패키지 관리 도구. +> 같이 보기: `pacman`. +> 더 많은 정보: . + +- 설치된 패키지와 버전 나열: + +`pacman --query` + +- 명시적으로 설치된 패키지와 버전만 나열: + +`pacman --query --explicit` + +- 파일을 소유한 패키지 찾기: + +`pacman --query --owns {{파일_이름}}` + +- 설치된 패키지 정보 표시: + +`pacman --query --info {{패키지}}` + +- 패키지가 소유한 파일 나열: + +`pacman --query --list {{패키지}}` + +- 고아 패키지 나열 (의존성으로 설치되었지만 더 이상 어떤 패키지도 필요로 하지 않는 패키지): + +`pacman --query --unrequired --deps --quiet` + +- 저장소에서 찾을 수 없는 설치된 패키지 나열: + +`pacman --query --foreign` + +- 오래된 패키지 나열: + +`pacman --query --upgrades` diff --git a/pages.ko/linux/pacman-remove.md b/pages.ko/linux/pacman-remove.md new file mode 100644 index 000000000..f98a02fbb --- /dev/null +++ b/pages.ko/linux/pacman-remove.md @@ -0,0 +1,33 @@ +# pacman --remove + +> Arch Linux 패키지 관리 도구. +> 같이 보기: `pacman`. +> 더 많은 정보: . + +- 패키지와 그 의존성 제거: + +`sudo pacman --remove --recursive {{패키지}}` + +- 패키지와 그 의존성 및 구성 파일 제거: + +`sudo pacman --remove --recursive --nosave {{패키지}}` + +- 확인 없이 패키지 제거: + +`sudo pacman --remove --noconfirm {{패키지}}` + +- 고아 패키지 제거 (의존성으로 설치되었지만 더 이상 어떤 패키지도 필요로 하지 않는 패키지): + +`sudo pacman --remove --recursive --nosave $(pacman --query --unrequired --deps --quiet)` + +- 패키지와 해당 패키지를 의존하는 모든 패키지 제거: + +`sudo pacman --remove --cascade {{패키지}}` + +- 영향을 받을 패키지 목록 표시 (패키지를 제거하지 않음): + +`pacman --remove --print {{패키지}}` + +- 도움말 표시: + +`pacman --remove --help` diff --git a/pages.ko/linux/pacman-sync.md b/pages.ko/linux/pacman-sync.md new file mode 100644 index 000000000..78c60ca29 --- /dev/null +++ b/pages.ko/linux/pacman-sync.md @@ -0,0 +1,37 @@ +# pacman --sync + +> Arch Linux 패키지 관리 도구. +> 같이 보기: `pacman`. +> 더 많은 정보: . + +- 새 패키지 설치: + +`sudo pacman --sync {{패키지}}` + +- 모든 패키지 동기화 및 업데이트 (`--downloadonly`를 추가하여 패키지를 다운로드만 하고 업데이트하지 않음): + +`sudo pacman --sync --refresh --sysupgrade` + +- 모든 패키지를 업데이트하고 새 패키지를 확인 없이 설치: + +`sudo pacman --sync --refresh --sysupgrade --noconfirm {{패키지}}` + +- 정규 표현식 또는 키워드로 패키지 데이터베이스 검색: + +`pacman --sync --search "{{검색어}}"` + +- 패키지 정보 표시: + +`pacman --sync --info {{패키지}}` + +- 패키지 업데이트 중 충돌하는 파일 덮어쓰기: + +`sudo pacman --sync --refresh --sysupgrade --overwrite {{경로/대상/파일}}` + +- 모든 패키지를 동기화 및 업데이트하지만 특정 패키지는 무시 (여러 번 사용 가능): + +`sudo pacman --sync --refresh --sysupgrade --ignore {{패키지}}` + +- 설치되지 않은 패키지와 사용되지 않는 저장소를 캐시에서 제거 (모든 패키지를 정리하려면 `--clean` 플래그를 두 번 사용): + +`sudo pacman --sync --clean` diff --git a/pages.ko/linux/pacman-upgrade.md b/pages.ko/linux/pacman-upgrade.md new file mode 100644 index 000000000..2118c47c0 --- /dev/null +++ b/pages.ko/linux/pacman-upgrade.md @@ -0,0 +1,29 @@ +# pacman --upgrade + +> Arch Linux 패키지 관리 도구. +> 같이 보기: `pacman`. +> 더 많은 정보: . + +- 파일에서 하나 이상의 패키지 설치: + +`sudo pacman --upgrade {{경로/대상/패키지1.pkg.tar.zst}} {{경로/대상/패키지2.pkg.tar.zst}}` + +- 확인 없이 패키지 설치: + +`sudo pacman --upgrade --noconfirm {{경로/대상/패키지.pkg.tar.zst}}` + +- 패키지 설치 중 충돌하는 파일 덮어쓰기: + +`sudo pacman --upgrade --overwrite {{경로/대상/파일}} {{경로/대상/패키지.pkg.tar.zst}}` + +- 의존성 버전 검사를 건너뛰고 패키지 설치: + +`sudo pacman --upgrade --nodeps {{경로/대상/패키지.pkg.tar.zst}}` + +- 영향을 받을 패키지 목록 표시 (패키지를 설치하지 않음): + +`pacman --upgrade --print {{경로/대상/패키지.pkg.tar.zst}}` + +- 도움말 표시: + +`pacman --upgrade --help` diff --git a/pages.ko/linux/pacman.md b/pages.ko/linux/pacman.md new file mode 100644 index 000000000..25cb35ecd --- /dev/null +++ b/pages.ko/linux/pacman.md @@ -0,0 +1,38 @@ +# pacman + +> Arch Linux 패키지 관리 도구. +> 같이 보기: `pacman-database`, `pacman-deptest`, `pacman-files`, `pacman-key`, `pacman-mirrors`, `pacman-query`, `pacman-remove`, `pacman-sync`, `pacman-upgrade`. +> 다른 패키지 관리자의 동등한 명령을 보려면 . +> 더 많은 정보: . + +- 모든 패키지를 동기화하고 업데이트: + +`sudo pacman -Syu` + +- 새 패키지 설치: + +`sudo pacman -S {{패키지}}` + +- 특정 패키지 및 의존성 제거: + +`sudo pacman -Rs {{패키지}}` + +- 특정 파일이 포함된 패키지를 데이터베이스에서 검색: + +`pacman -F "{{파일_이름}}"` + +- 설치된 패키지 및 버전 나열: + +`pacman -Q` + +- 명시적으로 설치된 패키지 및 버전만 나열: + +`pacman -Qe` + +- 고아 패키지(의존성으로 설치되었지만 더 이상 어떤 패키지도 필요로 하지 않는 패키지) 나열: + +`pacman -Qtdq` + +- 전체 `pacman` 캐시 삭제: + +`sudo pacman -Scc` diff --git a/pages.ko/linux/pacman4console.md b/pages.ko/linux/pacman4console.md new file mode 100644 index 000000000..2547a3b7c --- /dev/null +++ b/pages.ko/linux/pacman4console.md @@ -0,0 +1,20 @@ +# pacman4console + +> 오리지널 팩맨에서 영감을 받은 텍스트 기반 콘솔 게임. +> 더 많은 정보: . + +- 1단계에서 게임 시작: + +`pacman4console` + +- 특정 단계에서 게임 시작 (총 9개의 공식 단계가 있음): + +`pacman4console --level={{단계_번호}}` + +- 지정된 텍스트 파일에 저장하면서 pacman4console 레벨 편집기 시작: + +`pacman4consoleedit {{경로/대상/레벨_파일}}` + +- 사용자 정의 레벨 플레이: + +`pacman4console --level={{경로/대상/레벨_파일}}` diff --git a/pages.ko/linux/pwd.md b/pages.ko/linux/pwd.md new file mode 100644 index 000000000..37ea61765 --- /dev/null +++ b/pages.ko/linux/pwd.md @@ -0,0 +1,16 @@ +# pwd + +> 현재 작업 중인 디렉토리의 이름을 출력합니다. +> 더 많은 정보: . + +- 현재 디렉토리 출력: + +`pwd` + +- 현재 디렉토리를 출력하고 모든 심볼릭 링크를 해석 (즉, "물리적" 경로 표시): + +`pwd --physical` + +- 현재 논리적 디렉토리 출력: + +`pwd --logical` diff --git a/pages.ko/linux/yaourt.md b/pages.ko/linux/yaourt.md new file mode 100644 index 000000000..8f9be5065 --- /dev/null +++ b/pages.ko/linux/yaourt.md @@ -0,0 +1,24 @@ +# yaourt + +> Arch Linux 유틸리티로 Arch User Repository(AUR)에서 패키지를 빌드합니다. +> 더 많은 정보: . + +- 모든 패키지 동기화 및 업데이트 (AUR 포함): + +`yaourt -Syua` + +- 새 패키지 설치 (AUR 포함): + +`yaourt -S {{패키지}}` + +- 패키지와 그 의존성 제거 (AUR 패키지 포함): + +`yaourt -Rs {{패키지}}` + +- 키워드로 패키지 데이터베이스 검색 (AUR 포함): + +`yaourt -Ss {{검색어}}` + +- 설치된 패키지, 버전 및 저장소 나열 (AUR 패키지는 'local' 저장소로 나열됨): + +`yaourt -Q` diff --git a/pages.ko/linux/yay.md b/pages.ko/linux/yay.md new file mode 100644 index 000000000..af3711a54 --- /dev/null +++ b/pages.ko/linux/yay.md @@ -0,0 +1,37 @@ +# yay + +> Yet Another Yogurt: Arch User Repository(AUR)에서 패키지를 빌드하고 설치합니다. +> 같이 보기: `pacman`. +> 더 많은 정보: . + +- 저장소와 AUR에서 패키지를 검색하고 상호작용하며 설치: + +`yay {{패키지_이름|검색어}}` + +- 저장소와 AUR의 모든 패키지를 동기화하고 업데이트: + +`yay` + +- AUR 패키지만 동기화하고 업데이트: + +`yay -Sua` + +- 저장소와 AUR에서 새 패키지 설치: + +`yay -S {{패키지}}` + +- 설치된 패키지와 그 의존성 및 구성 파일 제거: + +`yay -Rns {{패키지}}` + +- 저장소와 AUR의 패키지 데이터베이스에서 키워드 검색: + +`yay -Ss {{키워드}}` + +- 고아 패키지 제거 (의존성으로 설치되었지만 더 이상 어떤 패키지도 필요로 하지 않는 패키지): + +`yay -Yc` + +- 설치된 패키지와 시스템 상태에 대한 통계 표시: + +`yay -Ps` diff --git a/pages.ko/netbsd/cal.md b/pages.ko/netbsd/cal.md new file mode 100644 index 000000000..52e926e80 --- /dev/null +++ b/pages.ko/netbsd/cal.md @@ -0,0 +1,36 @@ +# cal + +> 달력을 표시합니다. +> 더 많은 정보: . + +- 현재 월의 달력 표시: + +`cal` + +- 특정 연도의 달력 표시: + +`cal {{연도}}` + +- 특정 월과 연도의 달력 표시: + +`cal {{월}} {{연도}}` + +- 1부터 시작하는 율리우스력을 사용해 현재 연도의 전체 달력 표시: + +`cal -y -j` + +- 오늘을 강조하고 날짜를 포함해 3개월 표시: + +`cal -h -3 {{월}} {{연도}}` + +- 현재 연도의 특정 월의 이전 2개월과 이후 3개월 표시: + +`cal -A 3 -B 2 {{월}}` + +- 지정한 월의 이전 및 이후의 월 수를 지정: + +`cal -C {{월 수}} {{월}}` + +- 주의 시작 요일을 지정 (0: 일요일, 1: 월요일, ..., 6: 토요일): + +`cal -d {{0..6}}` diff --git a/pages.ko/netbsd/chfn.md b/pages.ko/netbsd/chfn.md new file mode 100644 index 000000000..a5c7ea69b --- /dev/null +++ b/pages.ko/netbsd/chfn.md @@ -0,0 +1,7 @@ +# chfn + +> 이 명령어는 `chpass`의 에일리어스 (별칭) 입니다. + +- 원본 명령의 도큐멘테이션 (설명서) 보기: + +`tldr chpass` diff --git a/pages.ko/netbsd/chpass.md b/pages.ko/netbsd/chpass.md new file mode 100644 index 000000000..0334ec9b3 --- /dev/null +++ b/pages.ko/netbsd/chpass.md @@ -0,0 +1,29 @@ +# chpass + +> 사용자 데이터베이스 정보, 로그인 셸 및 비밀번호를 추가하거나 변경합니다. +> 같이 보기: `passwd`. +> 더 많은 정보: . + +- 현재 사용자에게 특정 로그인 셸을 대화식으로 설정: + +`su -c chpass` + +- 현재 사용자에게 특정 로그인 셸 설정: + +`chpass -s {{경로/대상/셸}}` + +- 특정 사용자에게 로그인 셸 설정: + +`chpass chsh -s {{경로/대상/셸}} {{사용자명}}` + +- `passwd` 파일 형식으로 사용자 데이터베이스 항목 지정: + +`su -c 'chpass -a {{사용자명:암호화된_비밀번호:uid:gid:...}} -s {{경로/대상/파일}}' {{사용자명}}` + +- 로컬 비밀번호 파일만 업데이트: + +`su -c 'chpass -l -s {{경로/대상/셸}}' {{사용자명}}` + +- 데이터베이스 [y]P 비밀번호 데이터베이스 항목을 강제로 변경: + +`su -c 'chpass -y -s {{경로/대상/셸}}' {{사용자명}}` diff --git a/pages.ko/netbsd/chsh.md b/pages.ko/netbsd/chsh.md new file mode 100644 index 000000000..fcd121523 --- /dev/null +++ b/pages.ko/netbsd/chsh.md @@ -0,0 +1,7 @@ +# chsh + +> 이 명령어는 `chpass`의 에일리어스 (별칭) 입니다. + +- 원본 명령의 도큐멘테이션 (설명서) 보기: + +`tldr chpass` diff --git a/pages.ko/netbsd/df.md b/pages.ko/netbsd/df.md new file mode 100644 index 000000000..7f8b342d3 --- /dev/null +++ b/pages.ko/netbsd/df.md @@ -0,0 +1,32 @@ +# df + +> 파일 시스템 디스크 공간 사용량 개요를 표시합니다. +> 더 많은 정보: . + +- 512바이트 단위로 모든 파일 시스템과 디스크 사용량 표시: + +`df` + +- [h]uman-readable 단위 사용 (1024의 거듭제곱에 기반): + +`df -h` + +- `statvfs`에 의해 반환된 구조체의 모든 필드 표시: + +`df -G` + +- 주어진 파일 또는 디렉토리를 포함하는 파일 시스템과 해당 디스크 사용량 표시: + +`df {{경로/대상/파일_또는_폴더}}` + +- 빈 및 사용중인 [i]노드의 통계 포함: + +`df -i` + +- 공간 값을 쓸 때 1024바이트 단위 사용: + +`df -k` + +- [P]ortable한 방식으로 정보 표시: + +`df -P` diff --git a/pages.ko/netbsd/pkgin.md b/pages.ko/netbsd/pkgin.md new file mode 100644 index 000000000..48793adfd --- /dev/null +++ b/pages.ko/netbsd/pkgin.md @@ -0,0 +1,28 @@ +# pkgin + +> NetBSD에서 `pkgsrc` 바이너리 패키지를 관리합니다. +> 더 많은 정보: . + +- 패키지 설치: + +`pkgin install {{패키지}}` + +- 패키지 및 해당 의존성 제거: + +`pkgin remove {{패키지}}` + +- 모든 패키지 업그레이드: + +`pkgin full-upgrade` + +- 패키지 검색: + +`pkgin search {{키워드}}` + +- 설치된 패키지 나열: + +`pkgin list` + +- 필요없는 의존성 제거: + +`pkgin autoremove` diff --git a/pages.ko/netbsd/sed.md b/pages.ko/netbsd/sed.md new file mode 100644 index 000000000..952c68646 --- /dev/null +++ b/pages.ko/netbsd/sed.md @@ -0,0 +1,33 @@ +# sed + +> 스크립트로 텍스트를 편집합니다. +> 같이 보기: `awk`, `ed`. +> 더 많은 정보: . + +- 모든 입력 라인에서 `apple` (기본 정규표현식)을 `mango` (기본 정규표현식)로 대체하고 결과를 `stdout`에 인쇄: + +`{{명령}} | sed 's/apple/mango/g'` + +- 특정 스크립트 [f]파일을 실행하고 결과를 `stdout`에 인쇄: + +`{{명령}} | sed -f {{경로/대상/스크립트.sed}}` + +- 관련 `w` 함수 또는 플래그가 포함된 명령이 입력 줄에 적용될 때까지 각 파일 열기 지연: + +`{{명령}} | sed -fa {{경로/대상/스크립트.sed}}` + +- GNU [g]정규식 확장 활성화: + +`{{명령}} | sed -fg {{경로/대상/스크립트.sed}}` + +- 모든 입력 라인에서 `apple` (확장 정규표현식)을 `APPLE` (확장 정규표현식)으로 대체하고 결과를 `stdout`에 인쇄: + +`{{명령}} | sed -E 's/(apple)/\U\1/g'` + +- 첫 번째 줄만 `stdout`에 인쇄: + +`{{명령}} | sed -n '1p'` + +- 특정 파일에서 `apple` (기본 정규표현식)을 `mango` (기본 정규표현식)로 모두 대체하고 원본 파일 덮어쓰기: + +`sed -i 's/apple/mango/g' {{경로/대상/파일}}` diff --git a/pages.ko/netbsd/sockstat.md b/pages.ko/netbsd/sockstat.md new file mode 100644 index 000000000..b5a4a403b --- /dev/null +++ b/pages.ko/netbsd/sockstat.md @@ -0,0 +1,26 @@ +# sockstat + +> 열린 인터넷 또는 UNIX 도메인 소켓을 나열합니다. +> 참고: 이 프로그램은 FreeBSD의 `sockstat`를 NetBSD 3.0용으로 다시 작성한 것입니다. +> 같이 보기: `netstat`. +> 더 많은 정보: . + +- IPv4, IPv6 및 Unix 소켓에 대한 수신 및 연결된 소켓에 대한 정보 표시: + +`sockstat` + +- 특정 포트에서 특정 프로토콜을 사용하는 IPv[4]/IPv[6] 소켓 [l]istening에 대한 정보 표시: + +`sockstat -{{4|6}} -l -P {{tcp|udp|sctp|divert}} -p {{port1,port2...}}` + +- [c]onnected 소켓도 표시하며 [u]nix 소켓도 표시: + +`sockstat -cu` + +- 주소 및 포트의 심볼릭 이름을 해결하지 않고 [n]umeric 출력만 표시: + +`sockstat -n` + +- 지정된 주소 [f]amily의 소켓만 나열: + +`sockstat -f {{inet|inet6|local|unix}}` diff --git a/pages.ko/openbsd/cal.md b/pages.ko/openbsd/cal.md new file mode 100644 index 000000000..57ab585a3 --- /dev/null +++ b/pages.ko/openbsd/cal.md @@ -0,0 +1,32 @@ +# cal + +> 현재 날짜가 강조된 달력을 표시합니다. +> 더 많은 정보: . + +- 현재 월의 달력 표시: + +`cal` + +- 특정 년도의 달력 표시: + +`cal {{년도}}` + +- 특정 월과 년도의 달력 표시: + +`cal {{월}} {{년도}}` + +- 현재 년도의 달력 표시: + +`cal -y` + +- [j]율리우스력 표시 (1부터 시작되며 1월 1일부터 번호 부여됨): + +`cal -j` + +- 일요일 대신에 [m]월요일을 주 시작으로 사용: + +`cal -m` + +- [w]주 번호 표시 (`-j`와 호환되지 않음): + +`cal -w` diff --git a/pages.ko/openbsd/chfn.md b/pages.ko/openbsd/chfn.md new file mode 100644 index 000000000..a5c7ea69b --- /dev/null +++ b/pages.ko/openbsd/chfn.md @@ -0,0 +1,7 @@ +# chfn + +> 이 명령어는 `chpass`의 에일리어스 (별칭) 입니다. + +- 원본 명령의 도큐멘테이션 (설명서) 보기: + +`tldr chpass` diff --git a/pages.ko/openbsd/chpass.md b/pages.ko/openbsd/chpass.md new file mode 100644 index 000000000..959dc5858 --- /dev/null +++ b/pages.ko/openbsd/chpass.md @@ -0,0 +1,21 @@ +# chpass + +> 로그인 셸과 비밀번호를 포함한 사용자 데이터베이스 정보를 추가하거나 변경합니다. +> 같이 보기: `passwd`. +> 더 많은 정보: . + +- 현재 사용자에게 특정 로그인 셸을 대화식으로 설정: + +`doas chsh` + +- 현재 사용자에게 특정 로그인 셸을 설정: + +`doas chsh -s {{경로/대상/셸}}` + +- 특정 사용자에게 로그인 셸을 설정: + +`doas chsh -s {{경로/대상/셸}} {{사용자명}}` + +- `passwd` 파일 형식의 사용자 데이터베이스 항목을 지정: + +`doas chsh -a {{사용자명:암호화된_비밀번호:uid:gid:...}}` diff --git a/pages.ko/openbsd/chsh.md b/pages.ko/openbsd/chsh.md new file mode 100644 index 000000000..fcd121523 --- /dev/null +++ b/pages.ko/openbsd/chsh.md @@ -0,0 +1,7 @@ +# chsh + +> 이 명령어는 `chpass`의 에일리어스 (별칭) 입니다. + +- 원본 명령의 도큐멘테이션 (설명서) 보기: + +`tldr chpass` diff --git a/pages.ko/openbsd/df.md b/pages.ko/openbsd/df.md new file mode 100644 index 000000000..27d9d62e5 --- /dev/null +++ b/pages.ko/openbsd/df.md @@ -0,0 +1,28 @@ +# df + +> 파일 시스템 디스크 공간 사용량 개요를 표시합니다. +> 더 많은 정보: . + +- 모든 파일 시스템과 디스크 사용량을 512바이트 단위로 표시: + +`df` + +- [h]uman-readable 형식으로 모든 파일 시스템과 디스크 사용량 표시 (1024의 거듭 제곱에 기반): + +`df -h` + +- 지정된 파일 또는 디렉토리를 포함하는 파일 시스템 및 해당 디스크 사용량 표시: + +`df {{경로/대상/파일_또는_폴더}}` + +- 무료 및 사용 중인 [i]노드 수에 대한 통계 포함: + +`df -i` + +- 공간 수치 작성 시 1024바이트 단위 사용: + +`df -k` + +- [P]ortable 방식으로 정보 표시: + +`df -P` diff --git a/pages.ko/openbsd/pkg.md b/pages.ko/openbsd/pkg.md new file mode 100644 index 000000000..4c473e47c --- /dev/null +++ b/pages.ko/openbsd/pkg.md @@ -0,0 +1,16 @@ +# pkg + +> OpenBSD 패키지 관리자 도구. +> 더 많은 정보: . + +- 패키지 설치/업데이트에 대한 설명서 보기: + +`tldr pkg_add` + +- 패키지 제거에 대한 설명서 보기: + +`tldr pkg_delete` + +- 패키지 정보를 확인하는 설명서 보기: + +`tldr pkg_info` diff --git a/pages.ko/openbsd/pkg_add.md b/pages.ko/openbsd/pkg_add.md new file mode 100644 index 000000000..acc3c6c66 --- /dev/null +++ b/pages.ko/openbsd/pkg_add.md @@ -0,0 +1,17 @@ +# pkg_add + +> OpenBSD에 패키지를 설치/업데이트합니다. +> 같이 보기: `pkg_info`, `pkg_delete`. +> 더 많은 정보: . + +- 종속성을 포함하여 모든 패키지를 업데이트: + +`pkg_add -u` + +- 새로운 패키지 설치: + +`pkg_add {{패키지}}` + +- `pkg_info`의 원시 출력에서 패키지 설치: + +`pkg_add -l {{경로/대상/파일}}` diff --git a/pages.ko/openbsd/pkg_delete.md b/pages.ko/openbsd/pkg_delete.md new file mode 100644 index 000000000..3f933b108 --- /dev/null +++ b/pages.ko/openbsd/pkg_delete.md @@ -0,0 +1,17 @@ +# pkg_delete + +> OpenBSD에서 패키지를 제거합니다. +> 같이 보기: `pkg_add`, `pkg_info`. +> 더 많은 정보: . + +- 패키지 삭제: + +`pkg_delete {{패키지}}` + +- 사용되지 않는 의존성을 포함하여 패키지 삭제: + +`pkg_delete -a {{패키지}}` + +- 패키지의 Dry-run 삭제: + +`pkg_delete -n {{패키지}}` diff --git a/pages.ko/openbsd/pkg_info.md b/pages.ko/openbsd/pkg_info.md new file mode 100644 index 000000000..0e3867521 --- /dev/null +++ b/pages.ko/openbsd/pkg_info.md @@ -0,0 +1,13 @@ +# pkg_info + +> OpenBSD의 패키지에 대한 정보를 확인합니다. +> 같이 보기: `pkg_add`, `pkg_delete`. +> 더 많은 정보: . + +- 패키지 이름을 사용해 패키지 검색: + +`pkg_info -Q {{패키지}}` + +- `pkg_add -l`과 함께 사용할 설치된 패키지 목록을 출력: + +`pkg_info -mz` diff --git a/pages.ko/openbsd/sed.md b/pages.ko/openbsd/sed.md new file mode 100644 index 000000000..8a481be00 --- /dev/null +++ b/pages.ko/openbsd/sed.md @@ -0,0 +1,29 @@ +# sed + +> 스크립트로 텍스트를 편집합니다. +> 같이 보기: `awk`, `ed`. +> 더 많은 정보: . + +- 모든 입력 라인에서 `apple` (기본 정규표현식)을 `mango` (기본 정규표현식)로 대체하고 결과를 `stdout`에 인쇄: + +`{{명령}} | sed 's/apple/mango/g'` + +- 특정 스크립트 [f]파일을 실행하고 결과를 `stdout`에 인쇄: + +`{{명령}} | sed -f {{경로/대상/스크립트.sed}}` + +- 관련 `w` 함수 또는 플래그가 포함된 명령이 입력 줄에 적용될 때까지 각 파일 열기 지연: + +`{{명령}} | sed -fa {{경로/대상/스크립트.sed}}` + +- 모든 입력 라인에서 `apple` (확장 정규표현식)을 `APPLE` (확장 정규표현식)로 대체하고 결과를 `stdout`에 인쇄: + +`{{명령}} | sed -E 's/(apple)/\U\1/g'` + +- 첫 번째 줄만 `stdout`에 인쇄: + +`{{명령}} | sed -n '1p'` + +- 특정 파일에서 `apple` (기본 정규표현식)을 `mango` (기본 정규표현식)로 모두 대체하고 원본 파일 덮어쓰기: + +`sed -i 's/apple/mango/g' {{경로/대상/파일}}` diff --git a/pages.ko/osx/date.md b/pages.ko/osx/date.md index 10241a401..e5095be86 100644 --- a/pages.ko/osx/date.md +++ b/pages.ko/osx/date.md @@ -17,4 +17,4 @@ - 기본 형식을 사용하여 특정 날짜(Unix 타임스탬프로 표시) 표시: -`date -r 1473305798` +`date -r {{1473305798}}` diff --git a/pages.ko/sunos/devfsadm.md b/pages.ko/sunos/devfsadm.md new file mode 100644 index 000000000..f36a2bcaa --- /dev/null +++ b/pages.ko/sunos/devfsadm.md @@ -0,0 +1,16 @@ +# devfsadm + +> `/dev`의 관리 명령어입니다. `/dev` 네임스페이스를 유지합니다. +> 더 많은 정보: . + +- 새 디스크 검색: + +`devfsadm -c disk` + +- 미해결된 /dev 링크를 정리하고 새 장치를 검색: + +`devfsadm -C -v` + +- 시뮬레이션 실행 - 변경될 내용을 출력하지만 수정하지 않음: + +`devfsadm -C -v -n` diff --git a/pages.ko/sunos/dmesg.md b/pages.ko/sunos/dmesg.md new file mode 100644 index 000000000..9664ea36a --- /dev/null +++ b/pages.ko/sunos/dmesg.md @@ -0,0 +1,16 @@ +# dmesg + +> 커널 메시지를 `stdout`에 기록합니다. +> 더 많은 정보: . + +- 커널 메시지 표시: + +`dmesg` + +- 시스템에서 사용 가능한 물리적 메모리 양 표시: + +`dmesg | grep -i memory` + +- 한 번에 한 페이지씩 커널 메시지 표시: + +`dmesg | less` diff --git a/pages.ko/sunos/prctl.md b/pages.ko/sunos/prctl.md new file mode 100644 index 000000000..6ebfe8a98 --- /dev/null +++ b/pages.ko/sunos/prctl.md @@ -0,0 +1,16 @@ +# prctl + +> 실행 중인 프로세스, 작업 및 프로젝트의 리소스 제어를 가져오거나 설정합니다. +> 더 많은 정보: . + +- 프로세스 제한 및 권한 검사: + +`prctl {{pid}}` + +- 기계적 분석이 가능한 형식으로 프로세스 제한 및 권한 검사: + +`prctl -P {{pid}}` + +- 실행 중인 프로세스의 특정 제한 가져오기: + +`prctl -n process.max-file-descriptor {{pid}}` diff --git a/pages.ko/sunos/prstat.md b/pages.ko/sunos/prstat.md new file mode 100644 index 000000000..b47c94cff --- /dev/null +++ b/pages.ko/sunos/prstat.md @@ -0,0 +1,24 @@ +# prstat + +> 활성 프로세스 통계를 보고합니다. +> 더 많은 정보: . + +- 모든 프로세스 검토 및 CPU 사용량으로 정렬해 통계 보고: + +`prstat` + +- 모든 프로세스 검토 및 메모리 사용량으로 정렬해 통계 보고: + +`prstat -s rss` + +- 각 사용자에 대한 총 사용량 요약 보고: + +`prstat -t` + +- 마이크로스테이트 프로세스 계정 정보 보고: + +`prstat -m` + +- 매 초마다 상위 5개 CPU 사용 프로세스 목록 출력: + +`prstat -c -n 5 -s cpu 1` diff --git a/pages.ko/sunos/snoop.md b/pages.ko/sunos/snoop.md new file mode 100644 index 000000000..ca6593df5 --- /dev/null +++ b/pages.ko/sunos/snoop.md @@ -0,0 +1,25 @@ +# snoop + +> 네트워크 패킷 스니퍼. +> tcpdump와 동일한 기능을 하는 SunOS 대체품. +> 더 많은 정보: . + +- 특정 네트워크 인터페이스에서 패킷을 캡처: + +`snoop -d {{e1000g0}}` + +- 화면에 표시하는 대신 캡처된 패킷을 파일에 저장: + +`snoop -o {{경로/대상/파일}}` + +- 파일에서 패킷의 상세 프로토콜 레이어 요약 표시: + +`snoop -V -i {{경로/대상/파일}}` + +- 호스트 이름에서 지정된 포트로 가는 네트워크 패킷을 캡처: + +`snoop to port {{포트}} from host {{호스트명}}` + +- 두 IP 주소 간에 교환되는 네트워크 패킷의 hex 덤프를 캡처하고 표시: + +`snoop -x0 -p4 {{ip1}} {{ip2}}` diff --git a/pages.ko/sunos/svcadm.md b/pages.ko/sunos/svcadm.md new file mode 100644 index 000000000..65a506eb7 --- /dev/null +++ b/pages.ko/sunos/svcadm.md @@ -0,0 +1,24 @@ +# svcadm + +> 서비스 인스턴스를 조작합니다. +> 더 많은 정보: . + +- 서비스를 서비스 데이터베이스에서 활성화: + +`svcadm enable {{서비스_이름}}` + +- 서비스 비활성화: + +`svcadm disable {{서비스_이름}}` + +- 실행 중인 서비스 다시 시작: + +`svcadm restart {{서비스_이름}}` + +- 서비스에게 구성 파일을 다시 읽도록 명령: + +`svcadm refresh {{서비스_이름}}` + +- 서비스의 유지보수 상태를 해제하고 시작하도록 명령: + +`svcadm clear {{서비스_이름}}` diff --git a/pages.ko/sunos/svccfg.md b/pages.ko/sunos/svccfg.md new file mode 100644 index 000000000..3c78a38ea --- /dev/null +++ b/pages.ko/sunos/svccfg.md @@ -0,0 +1,16 @@ +# svccfg + +> 서비스 구성을 가져오고, 내보내고, 수정합니다. +> 더 많은 정보: . + +- 구성 파일 유효성 검사: + +`svccfg validate {{경로/대상/smf_파일.xml}}` + +- 서비스 구성을 파일로 내보내기: + +`svccfg export {{서비스명}} > {{경로/대상/smf_파일.xml}}` + +- 파일에서 서비스 구성 가져오거나 업데이트: + +`svccfg import {{경로/대상/smf_파일.xml}}` diff --git a/pages.ko/sunos/svcs.md b/pages.ko/sunos/svcs.md new file mode 100644 index 000000000..8f2ca8f6b --- /dev/null +++ b/pages.ko/sunos/svcs.md @@ -0,0 +1,24 @@ +# svcs + +> 실행 중인 서비스에 대한 정보를 나열합니다. +> 더 많은 정보: . + +- 모든 실행 중인 서비스를 나열: + +`svcs` + +- 실행되고 있지 않은 서비스를 나열: + +`svcs -vx` + +- 서비스에 대한 정보를 나열: + +`svcs apache` + +- 서비스 로그 파일의 위치 표시: + +`svcs -L apache` + +- 서비스 로그 파일의 끝을 표시: + +`tail $(svcs -L apache)` diff --git a/pages.ko/sunos/truss.md b/pages.ko/sunos/truss.md new file mode 100644 index 000000000..fa5f9f299 --- /dev/null +++ b/pages.ko/sunos/truss.md @@ -0,0 +1,25 @@ +# truss + +> 시스템 콜을 추적하는 문제 해결 도구. +> strace와 동일한 기능을 하는 SunOS 대체품. +> 더 많은 정보: . + +- 프로그램을 실행하여 모든 자식 프로세스를 따라가며 추적 시작: + +`truss -f {{프로그램}}` + +- PID에 따라 특정 프로세스 추적 시작: + +`truss -p {{pid}}` + +- 인수 및 환경 변수를 표시하며 프로그램을 실행하여 추적 시작: + +`truss -a -e {{프로그램}}` + +- 각 시스템 콜마다 시간, 호출 및 오류 수를 계산하고 프로그램 종료 시 요약 보고: + +`truss -c -p {{pid}}` + +- 시스템 콜 이름으로 출력을 필터링하여 프로세스 추적: + +`truss -p {{pid}} -t {{시스템_콜_이름}}` diff --git a/pages.lo/common/bundler.md b/pages.lo/common/bundler.md deleted file mode 100644 index d9b53f836..000000000 --- a/pages.lo/common/bundler.md +++ /dev/null @@ -1,8 +0,0 @@ -# bundler - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `bundle`. -> ຂໍ້ມູນເພີ່ມເຕີມ: . - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr bundle` diff --git a/pages.lo/common/clamav.md b/pages.lo/common/clamav.md index c0fe7ef88..8a8396f05 100644 --- a/pages.lo/common/clamav.md +++ b/pages.lo/common/clamav.md @@ -1,4 +1,4 @@ -# clamav +# ClamAV > ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `clamdscan`. > ຂໍ້ມູນເພີ່ມເຕີມ: . diff --git a/pages.lo/common/cron.md b/pages.lo/common/cron.md deleted file mode 100644 index 825fb6159..000000000 --- a/pages.lo/common/cron.md +++ /dev/null @@ -1,7 +0,0 @@ -# cron - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `crontab`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr crontab` diff --git a/pages.lo/common/fossil-ci.md b/pages.lo/common/fossil-ci.md index 267ba0728..b18670fbd 100644 --- a/pages.lo/common/fossil-ci.md +++ b/pages.lo/common/fossil-ci.md @@ -1,6 +1,6 @@ -# fossil-ci +# fossil ci -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `fossil-commit`. +> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `fossil commit`. > ຂໍ້ມູນເພີ່ມເຕີມ: . - ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: diff --git a/pages.lo/common/fossil-delete.md b/pages.lo/common/fossil-delete.md index 3f97df421..6a4d65b45 100644 --- a/pages.lo/common/fossil-delete.md +++ b/pages.lo/common/fossil-delete.md @@ -1,4 +1,4 @@ -# fossil-delete +# fossil delete > ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `fossil rm`. > ຂໍ້ມູນເພີ່ມເຕີມ: . diff --git a/pages.lo/common/fossil-forget.md b/pages.lo/common/fossil-forget.md index dd9d7e779..a902ffa75 100644 --- a/pages.lo/common/fossil-forget.md +++ b/pages.lo/common/fossil-forget.md @@ -1,4 +1,4 @@ -# fossil-forget +# fossil forget > ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `fossil rm`. > ຂໍ້ມູນເພີ່ມເຕີມ: . diff --git a/pages.lo/common/fossil-new.md b/pages.lo/common/fossil-new.md index 7f261bf6e..7b3a9d14a 100644 --- a/pages.lo/common/fossil-new.md +++ b/pages.lo/common/fossil-new.md @@ -1,6 +1,6 @@ -# fossil-new +# fossil new -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `fossil-init`. +> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `fossil init`. > ຂໍ້ມູນເພີ່ມເຕີມ: . - ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: diff --git a/pages.lo/common/gh-cs.md b/pages.lo/common/gh-cs.md index 812206519..0ddd82fc1 100644 --- a/pages.lo/common/gh-cs.md +++ b/pages.lo/common/gh-cs.md @@ -1,6 +1,6 @@ -# gh-cs +# gh cs -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `gh-codespace`. +> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `gh codespace`. > ຂໍ້ມູນເພີ່ມເຕີມ: . - ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: diff --git a/pages.lo/common/gnmic-sub.md b/pages.lo/common/gnmic-sub.md index 2acd695c3..7fdc66722 100644 --- a/pages.lo/common/gnmic-sub.md +++ b/pages.lo/common/gnmic-sub.md @@ -1,4 +1,4 @@ -# gnmic-sub +# gnmic sub > ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `gnmic subscribe`. > ຂໍ້ມູນເພີ່ມເຕີມ: . diff --git a/pages.lo/common/google-chrome.md b/pages.lo/common/google-chrome.md deleted file mode 100644 index bde3acc9e..000000000 --- a/pages.lo/common/google-chrome.md +++ /dev/null @@ -1,8 +0,0 @@ -# google-chrome - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `chromium`. -> ຂໍ້ມູນເພີ່ມເຕີມ: . - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr chromium` diff --git a/pages.lo/common/hx.md b/pages.lo/common/hx.md deleted file mode 100644 index 6e3cfc52a..000000000 --- a/pages.lo/common/hx.md +++ /dev/null @@ -1,7 +0,0 @@ -# hx - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `helix`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr helix` diff --git a/pages.lo/common/kafkacat.md b/pages.lo/common/kafkacat.md deleted file mode 100644 index 3ec124418..000000000 --- a/pages.lo/common/kafkacat.md +++ /dev/null @@ -1,7 +0,0 @@ -# kafkacat - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `kcat`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr kcat` diff --git a/pages.lo/common/lzcat.md b/pages.lo/common/lzcat.md deleted file mode 100644 index b80f469ce..000000000 --- a/pages.lo/common/lzcat.md +++ /dev/null @@ -1,8 +0,0 @@ -# lzcat - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `xz`. -> ຂໍ້ມູນເພີ່ມເຕີມ: . - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr xz` diff --git a/pages.lo/common/lzma.md b/pages.lo/common/lzma.md deleted file mode 100644 index 5571bcbd8..000000000 --- a/pages.lo/common/lzma.md +++ /dev/null @@ -1,8 +0,0 @@ -# lzma - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `xz`. -> ຂໍ້ມູນເພີ່ມເຕີມ: . - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr xz` diff --git a/pages.lo/common/nm-classic.md b/pages.lo/common/nm-classic.md deleted file mode 100644 index c7a360ea9..000000000 --- a/pages.lo/common/nm-classic.md +++ /dev/null @@ -1,7 +0,0 @@ -# nm-classic - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `nm`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr nm` diff --git a/pages.lo/common/ntl.md b/pages.lo/common/ntl.md deleted file mode 100644 index ddc938258..000000000 --- a/pages.lo/common/ntl.md +++ /dev/null @@ -1,8 +0,0 @@ -# ntl - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `netlify`. -> ຂໍ້ມູນເພີ່ມເຕີມ: . - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr netlify` diff --git a/pages.lo/common/pio-init.md b/pages.lo/common/pio-init.md index 0399c7574..e4c287244 100644 --- a/pages.lo/common/pio-init.md +++ b/pages.lo/common/pio-init.md @@ -1,4 +1,4 @@ -# pio-init +# pio init > ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `pio project`. diff --git a/pages.lo/common/ptpython3.md b/pages.lo/common/ptpython3.md deleted file mode 100644 index 8dd56d9fb..000000000 --- a/pages.lo/common/ptpython3.md +++ /dev/null @@ -1,7 +0,0 @@ -# ptpython3 - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `ptpython`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr ptpython` diff --git a/pages.lo/common/python3.md b/pages.lo/common/python3.md deleted file mode 100644 index 65bf088a7..000000000 --- a/pages.lo/common/python3.md +++ /dev/null @@ -1,7 +0,0 @@ -# python3 - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `python`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr python` diff --git a/pages.lo/common/rcat.md b/pages.lo/common/rcat.md deleted file mode 100644 index f8e07e651..000000000 --- a/pages.lo/common/rcat.md +++ /dev/null @@ -1,7 +0,0 @@ -# rcat - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `rc`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr rc` diff --git a/pages.lo/common/ripgrep.md b/pages.lo/common/ripgrep.md deleted file mode 100644 index 9a74b76a7..000000000 --- a/pages.lo/common/ripgrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# ripgrep - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `rg`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr rg` diff --git a/pages.lo/common/tlmgr-arch.md b/pages.lo/common/tlmgr-arch.md index 541519c01..fc10c2da1 100644 --- a/pages.lo/common/tlmgr-arch.md +++ b/pages.lo/common/tlmgr-arch.md @@ -1,4 +1,4 @@ -# tlmgr-arch +# tlmgr arch > ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `tlmgr platform`. > ຂໍ້ມູນເພີ່ມເຕີມ: . diff --git a/pages.lo/common/todoman.md b/pages.lo/common/todoman.md deleted file mode 100644 index 68ac3ca71..000000000 --- a/pages.lo/common/todoman.md +++ /dev/null @@ -1,8 +0,0 @@ -# todoman - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `todo`. -> ຂໍ້ມູນເພີ່ມເຕີມ: . - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr todo` diff --git a/pages.lo/common/transmission.md b/pages.lo/common/transmission.md deleted file mode 100644 index 4485d61bb..000000000 --- a/pages.lo/common/transmission.md +++ /dev/null @@ -1,8 +0,0 @@ -# transmission - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `transmission-daemon`. -> ຂໍ້ມູນເພີ່ມເຕີມ: . - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr transmission-daemon` diff --git a/pages.lo/common/unlzma.md b/pages.lo/common/unlzma.md deleted file mode 100644 index 66907105d..000000000 --- a/pages.lo/common/unlzma.md +++ /dev/null @@ -1,8 +0,0 @@ -# unlzma - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `xz`. -> ຂໍ້ມູນເພີ່ມເຕີມ: . - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr xz` diff --git a/pages.lo/common/unxz.md b/pages.lo/common/unxz.md deleted file mode 100644 index 0e75b939f..000000000 --- a/pages.lo/common/unxz.md +++ /dev/null @@ -1,8 +0,0 @@ -# unxz - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `xz`. -> ຂໍ້ມູນເພີ່ມເຕີມ: . - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr xz` diff --git a/pages.lo/common/xzcat.md b/pages.lo/common/xzcat.md deleted file mode 100644 index 72a9a2817..000000000 --- a/pages.lo/common/xzcat.md +++ /dev/null @@ -1,8 +0,0 @@ -# xzcat - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `xz`. -> ຂໍ້ມູນເພີ່ມເຕີມ: . - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr xz` diff --git a/pages.lo/linux/alternatives.md b/pages.lo/linux/alternatives.md deleted file mode 100644 index 8ac9f9a5c..000000000 --- a/pages.lo/linux/alternatives.md +++ /dev/null @@ -1,8 +0,0 @@ -# alternatives - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `update-alternatives`. -> ຂໍ້ມູນເພີ່ມເຕີມ: . - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr update-alternatives` diff --git a/pages.lo/linux/batcat.md b/pages.lo/linux/batcat.md deleted file mode 100644 index d4886b291..000000000 --- a/pages.lo/linux/batcat.md +++ /dev/null @@ -1,8 +0,0 @@ -# batcat - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `bat`. -> ຂໍ້ມູນເພີ່ມເຕີມ: . - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr bat` diff --git a/pages.lo/linux/bspwm.md b/pages.lo/linux/bspwm.md deleted file mode 100644 index e4494a6ae..000000000 --- a/pages.lo/linux/bspwm.md +++ /dev/null @@ -1,8 +0,0 @@ -# bspwm - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `bspc`. -> ຂໍ້ມູນເພີ່ມເຕີມ: . - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr bspc` diff --git a/pages.lo/linux/cc.md b/pages.lo/linux/cc.md deleted file mode 100644 index 60ee1dcc6..000000000 --- a/pages.lo/linux/cc.md +++ /dev/null @@ -1,8 +0,0 @@ -# cc - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `gcc`. -> ຂໍ້ມູນເພີ່ມເຕີມ: . - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr gcc` diff --git a/pages.lo/linux/cgroups.md b/pages.lo/linux/cgroups.md deleted file mode 100644 index 8fa4e834b..000000000 --- a/pages.lo/linux/cgroups.md +++ /dev/null @@ -1,8 +0,0 @@ -# cgroups - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `cgclassify`. -> ຂໍ້ມູນເພີ່ມເຕີມ: . - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr cgclassify` diff --git a/pages.lo/linux/ip-route-list.md b/pages.lo/linux/ip-route-list.md index 9d2b67301..1764d8b23 100644 --- a/pages.lo/linux/ip-route-list.md +++ b/pages.lo/linux/ip-route-list.md @@ -1,6 +1,6 @@ -# ip-route-list +# ip route list -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `ip-route-show`. +> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `ip route show`. - ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: diff --git a/pages.lo/linux/megadl.md b/pages.lo/linux/megadl.md deleted file mode 100644 index 9d9f92504..000000000 --- a/pages.lo/linux/megadl.md +++ /dev/null @@ -1,8 +0,0 @@ -# megadl - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `megatools-dl`. -> ຂໍ້ມູນເພີ່ມເຕີມ: . - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr megatools-dl` diff --git a/pages.lo/linux/ubuntu-bug.md b/pages.lo/linux/ubuntu-bug.md deleted file mode 100644 index 207bf1592..000000000 --- a/pages.lo/linux/ubuntu-bug.md +++ /dev/null @@ -1,8 +0,0 @@ -# ubuntu-bug - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `apport-bug`. -> ຂໍ້ມູນເພີ່ມເຕີມ: . - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr apport-bug` diff --git a/pages.lo/osx/aa.md b/pages.lo/osx/aa.md deleted file mode 100644 index 9941d0ce4..000000000 --- a/pages.lo/osx/aa.md +++ /dev/null @@ -1,7 +0,0 @@ -# aa - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `yaa`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr yaa` diff --git a/pages.lo/osx/g[.md b/pages.lo/osx/g[.md deleted file mode 100644 index b8d746411..000000000 --- a/pages.lo/osx/g[.md +++ /dev/null @@ -1,7 +0,0 @@ -# g[ - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux [`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux [` diff --git a/pages.lo/osx/gawk.md b/pages.lo/osx/gawk.md deleted file mode 100644 index 2d182a6a2..000000000 --- a/pages.lo/osx/gawk.md +++ /dev/null @@ -1,7 +0,0 @@ -# gawk - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux awk`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux awk` diff --git a/pages.lo/osx/gb2sum.md b/pages.lo/osx/gb2sum.md deleted file mode 100644 index 6e94ed34a..000000000 --- a/pages.lo/osx/gb2sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gb2sum - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux b2sum`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux b2sum` diff --git a/pages.lo/osx/gbase32.md b/pages.lo/osx/gbase32.md deleted file mode 100644 index 3ff2c8236..000000000 --- a/pages.lo/osx/gbase32.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbase32 - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux base32`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux base32` diff --git a/pages.lo/osx/gbase64.md b/pages.lo/osx/gbase64.md deleted file mode 100644 index 8a3fe2eec..000000000 --- a/pages.lo/osx/gbase64.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbase64 - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux base64`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux base64` diff --git a/pages.lo/osx/gbasename.md b/pages.lo/osx/gbasename.md deleted file mode 100644 index 700332ac4..000000000 --- a/pages.lo/osx/gbasename.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbasename - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux basename`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux basename` diff --git a/pages.lo/osx/gbasenc.md b/pages.lo/osx/gbasenc.md deleted file mode 100644 index 691a93ca7..000000000 --- a/pages.lo/osx/gbasenc.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbasenc - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux basenc`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux basenc` diff --git a/pages.lo/osx/gcat.md b/pages.lo/osx/gcat.md deleted file mode 100644 index 57b1c1c81..000000000 --- a/pages.lo/osx/gcat.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcat - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux cat`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux cat` diff --git a/pages.lo/osx/gchcon.md b/pages.lo/osx/gchcon.md deleted file mode 100644 index cf57a47b9..000000000 --- a/pages.lo/osx/gchcon.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchcon - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux chcon`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux chcon` diff --git a/pages.lo/osx/gchgrp.md b/pages.lo/osx/gchgrp.md deleted file mode 100644 index 69b6493b9..000000000 --- a/pages.lo/osx/gchgrp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchgrp - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux chgrp`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux chgrp` diff --git a/pages.lo/osx/gchmod.md b/pages.lo/osx/gchmod.md deleted file mode 100644 index 82099897d..000000000 --- a/pages.lo/osx/gchmod.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchmod - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux chmod`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux chmod` diff --git a/pages.lo/osx/gchown.md b/pages.lo/osx/gchown.md deleted file mode 100644 index a5fc4c1ce..000000000 --- a/pages.lo/osx/gchown.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchown - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux chown`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux chown` diff --git a/pages.lo/osx/gchroot.md b/pages.lo/osx/gchroot.md deleted file mode 100644 index 20f8a6e9f..000000000 --- a/pages.lo/osx/gchroot.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchroot - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux chroot`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux chroot` diff --git a/pages.lo/osx/gcksum.md b/pages.lo/osx/gcksum.md deleted file mode 100644 index ff2449605..000000000 --- a/pages.lo/osx/gcksum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcksum - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux cksum`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux cksum` diff --git a/pages.lo/osx/gcomm.md b/pages.lo/osx/gcomm.md deleted file mode 100644 index 11a2a51f7..000000000 --- a/pages.lo/osx/gcomm.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcomm - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux comm`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux comm` diff --git a/pages.lo/osx/gcp.md b/pages.lo/osx/gcp.md deleted file mode 100644 index 2aab86a66..000000000 --- a/pages.lo/osx/gcp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcp - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux cp`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux cp` diff --git a/pages.lo/osx/gcsplit.md b/pages.lo/osx/gcsplit.md deleted file mode 100644 index 0dfb23c0f..000000000 --- a/pages.lo/osx/gcsplit.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcsplit - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux csplit`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux csplit` diff --git a/pages.lo/osx/gcut.md b/pages.lo/osx/gcut.md deleted file mode 100644 index ef03e21d2..000000000 --- a/pages.lo/osx/gcut.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcut - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux cut`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux cut` diff --git a/pages.lo/osx/gdate.md b/pages.lo/osx/gdate.md deleted file mode 100644 index e7a69bec8..000000000 --- a/pages.lo/osx/gdate.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdate - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux date`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux date` diff --git a/pages.lo/osx/gdd.md b/pages.lo/osx/gdd.md deleted file mode 100644 index 0d980a393..000000000 --- a/pages.lo/osx/gdd.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdd - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux dd`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux dd` diff --git a/pages.lo/osx/gdf.md b/pages.lo/osx/gdf.md deleted file mode 100644 index 0e4d95ffc..000000000 --- a/pages.lo/osx/gdf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdf - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux df`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux df` diff --git a/pages.lo/osx/gdir.md b/pages.lo/osx/gdir.md deleted file mode 100644 index 801bd39a1..000000000 --- a/pages.lo/osx/gdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdir - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux dir`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux dir` diff --git a/pages.lo/osx/gdircolors.md b/pages.lo/osx/gdircolors.md deleted file mode 100644 index fe2cc57d3..000000000 --- a/pages.lo/osx/gdircolors.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdircolors - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux dircolors`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux dircolors` diff --git a/pages.lo/osx/gdirname.md b/pages.lo/osx/gdirname.md deleted file mode 100644 index 2618b1612..000000000 --- a/pages.lo/osx/gdirname.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdirname - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux dirname`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux dirname` diff --git a/pages.lo/osx/gdnsdomainname.md b/pages.lo/osx/gdnsdomainname.md deleted file mode 100644 index 82c498419..000000000 --- a/pages.lo/osx/gdnsdomainname.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdnsdomainname - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux dnsdomainname`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux dnsdomainname` diff --git a/pages.lo/osx/gecho.md b/pages.lo/osx/gecho.md deleted file mode 100644 index 10d028e6f..000000000 --- a/pages.lo/osx/gecho.md +++ /dev/null @@ -1,7 +0,0 @@ -# gecho - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux echo`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux echo` diff --git a/pages.lo/osx/ged.md b/pages.lo/osx/ged.md deleted file mode 100644 index 0bf057b54..000000000 --- a/pages.lo/osx/ged.md +++ /dev/null @@ -1,7 +0,0 @@ -# ged - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux ed`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux ed` diff --git a/pages.lo/osx/gegrep.md b/pages.lo/osx/gegrep.md deleted file mode 100644 index 9014787d6..000000000 --- a/pages.lo/osx/gegrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# gegrep - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux egrep`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux egrep` diff --git a/pages.lo/osx/genv.md b/pages.lo/osx/genv.md deleted file mode 100644 index ef1a3610a..000000000 --- a/pages.lo/osx/genv.md +++ /dev/null @@ -1,7 +0,0 @@ -# genv - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux env`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux env` diff --git a/pages.lo/osx/gexpand.md b/pages.lo/osx/gexpand.md deleted file mode 100644 index cf54903dc..000000000 --- a/pages.lo/osx/gexpand.md +++ /dev/null @@ -1,7 +0,0 @@ -# gexpand - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux expand`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux expand` diff --git a/pages.lo/osx/gexpr.md b/pages.lo/osx/gexpr.md deleted file mode 100644 index aed7542dd..000000000 --- a/pages.lo/osx/gexpr.md +++ /dev/null @@ -1,7 +0,0 @@ -# gexpr - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux expr`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux expr` diff --git a/pages.lo/osx/gfactor.md b/pages.lo/osx/gfactor.md deleted file mode 100644 index 8c2c1b940..000000000 --- a/pages.lo/osx/gfactor.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfactor - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux factor`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux factor` diff --git a/pages.lo/osx/gfalse.md b/pages.lo/osx/gfalse.md deleted file mode 100644 index a97709351..000000000 --- a/pages.lo/osx/gfalse.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfalse - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux false`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux false` diff --git a/pages.lo/osx/gfgrep.md b/pages.lo/osx/gfgrep.md deleted file mode 100644 index 1582ce745..000000000 --- a/pages.lo/osx/gfgrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfgrep - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux fgrep`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux fgrep` diff --git a/pages.lo/osx/gfind.md b/pages.lo/osx/gfind.md deleted file mode 100644 index 62b93aca6..000000000 --- a/pages.lo/osx/gfind.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfind - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux find`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux find` diff --git a/pages.lo/osx/gfmt.md b/pages.lo/osx/gfmt.md deleted file mode 100644 index f7c8f20b2..000000000 --- a/pages.lo/osx/gfmt.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfmt - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux fmt`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux fmt` diff --git a/pages.lo/osx/gfold.md b/pages.lo/osx/gfold.md deleted file mode 100644 index d3736e875..000000000 --- a/pages.lo/osx/gfold.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfold - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux fold`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux fold` diff --git a/pages.lo/osx/gftp.md b/pages.lo/osx/gftp.md deleted file mode 100644 index 8ff51d3b1..000000000 --- a/pages.lo/osx/gftp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gftp - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux ftp`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux ftp` diff --git a/pages.lo/osx/ggrep.md b/pages.lo/osx/ggrep.md deleted file mode 100644 index ab781a306..000000000 --- a/pages.lo/osx/ggrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# ggrep - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux grep`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux grep` diff --git a/pages.lo/osx/ggroups.md b/pages.lo/osx/ggroups.md deleted file mode 100644 index 50a182709..000000000 --- a/pages.lo/osx/ggroups.md +++ /dev/null @@ -1,7 +0,0 @@ -# ggroups - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux groups`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux groups` diff --git a/pages.lo/osx/ghead.md b/pages.lo/osx/ghead.md deleted file mode 100644 index de9e976e6..000000000 --- a/pages.lo/osx/ghead.md +++ /dev/null @@ -1,7 +0,0 @@ -# ghead - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux head`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux head` diff --git a/pages.lo/osx/ghostid.md b/pages.lo/osx/ghostid.md deleted file mode 100644 index b368de72b..000000000 --- a/pages.lo/osx/ghostid.md +++ /dev/null @@ -1,7 +0,0 @@ -# ghostid - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux hostid`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux hostid` diff --git a/pages.lo/osx/ghostname.md b/pages.lo/osx/ghostname.md deleted file mode 100644 index 5a91f93b7..000000000 --- a/pages.lo/osx/ghostname.md +++ /dev/null @@ -1,7 +0,0 @@ -# ghostname - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux hostname`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux hostname` diff --git a/pages.lo/osx/gid.md b/pages.lo/osx/gid.md deleted file mode 100644 index 7940bbbd4..000000000 --- a/pages.lo/osx/gid.md +++ /dev/null @@ -1,7 +0,0 @@ -# gid - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux id`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux id` diff --git a/pages.lo/osx/gifconfig.md b/pages.lo/osx/gifconfig.md deleted file mode 100644 index 062b95af3..000000000 --- a/pages.lo/osx/gifconfig.md +++ /dev/null @@ -1,7 +0,0 @@ -# gifconfig - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux ifconfig`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux ifconfig` diff --git a/pages.lo/osx/gindent.md b/pages.lo/osx/gindent.md deleted file mode 100644 index c46e66ded..000000000 --- a/pages.lo/osx/gindent.md +++ /dev/null @@ -1,7 +0,0 @@ -# gindent - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux indent`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux indent` diff --git a/pages.lo/osx/ginstall.md b/pages.lo/osx/ginstall.md deleted file mode 100644 index 4f3890961..000000000 --- a/pages.lo/osx/ginstall.md +++ /dev/null @@ -1,7 +0,0 @@ -# ginstall - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux install`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux install` diff --git a/pages.lo/osx/gjoin.md b/pages.lo/osx/gjoin.md deleted file mode 100644 index 9b3854f32..000000000 --- a/pages.lo/osx/gjoin.md +++ /dev/null @@ -1,7 +0,0 @@ -# gjoin - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux join`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux join` diff --git a/pages.lo/osx/gkill.md b/pages.lo/osx/gkill.md deleted file mode 100644 index 8ec8fef87..000000000 --- a/pages.lo/osx/gkill.md +++ /dev/null @@ -1,7 +0,0 @@ -# gkill - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux kill`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux kill` diff --git a/pages.lo/osx/glibtool.md b/pages.lo/osx/glibtool.md deleted file mode 100644 index 9e439a3a7..000000000 --- a/pages.lo/osx/glibtool.md +++ /dev/null @@ -1,7 +0,0 @@ -# glibtool - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux libtool`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux libtool` diff --git a/pages.lo/osx/glibtoolize.md b/pages.lo/osx/glibtoolize.md deleted file mode 100644 index 61a1d23e3..000000000 --- a/pages.lo/osx/glibtoolize.md +++ /dev/null @@ -1,7 +0,0 @@ -# glibtoolize - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux libtoolize`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux libtoolize` diff --git a/pages.lo/osx/glink.md b/pages.lo/osx/glink.md deleted file mode 100644 index 35f36225e..000000000 --- a/pages.lo/osx/glink.md +++ /dev/null @@ -1,7 +0,0 @@ -# glink - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux link`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux link` diff --git a/pages.lo/osx/gln.md b/pages.lo/osx/gln.md deleted file mode 100644 index eb27f08b2..000000000 --- a/pages.lo/osx/gln.md +++ /dev/null @@ -1,7 +0,0 @@ -# gln - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux ln`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux ln` diff --git a/pages.lo/osx/glocate.md b/pages.lo/osx/glocate.md deleted file mode 100644 index f4a94627a..000000000 --- a/pages.lo/osx/glocate.md +++ /dev/null @@ -1,7 +0,0 @@ -# glocate - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux locate`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux locate` diff --git a/pages.lo/osx/glogger.md b/pages.lo/osx/glogger.md deleted file mode 100644 index bb22b8056..000000000 --- a/pages.lo/osx/glogger.md +++ /dev/null @@ -1,7 +0,0 @@ -# glogger - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux logger`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux logger` diff --git a/pages.lo/osx/glogname.md b/pages.lo/osx/glogname.md deleted file mode 100644 index f0eb704c2..000000000 --- a/pages.lo/osx/glogname.md +++ /dev/null @@ -1,7 +0,0 @@ -# glogname - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux logname`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux logname` diff --git a/pages.lo/osx/gls.md b/pages.lo/osx/gls.md deleted file mode 100644 index 978de4b08..000000000 --- a/pages.lo/osx/gls.md +++ /dev/null @@ -1,7 +0,0 @@ -# gls - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux ls`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux ls` diff --git a/pages.lo/osx/gmake.md b/pages.lo/osx/gmake.md deleted file mode 100644 index 7ecfd5762..000000000 --- a/pages.lo/osx/gmake.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmake - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux make`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux make` diff --git a/pages.lo/osx/gmd5sum.md b/pages.lo/osx/gmd5sum.md deleted file mode 100644 index 67c64cb46..000000000 --- a/pages.lo/osx/gmd5sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmd5sum - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux md5sum`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux md5sum` diff --git a/pages.lo/osx/gmkdir.md b/pages.lo/osx/gmkdir.md deleted file mode 100644 index b99e07475..000000000 --- a/pages.lo/osx/gmkdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmkdir - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux mkdir`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux mkdir` diff --git a/pages.lo/osx/gmkfifo.md b/pages.lo/osx/gmkfifo.md deleted file mode 100644 index 6d68ccbc1..000000000 --- a/pages.lo/osx/gmkfifo.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmkfifo - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux mkfifo`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux mkfifo` diff --git a/pages.lo/osx/gmknod.md b/pages.lo/osx/gmknod.md deleted file mode 100644 index 646a49ee1..000000000 --- a/pages.lo/osx/gmknod.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmknod - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux mknod`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux mknod` diff --git a/pages.lo/osx/gmktemp.md b/pages.lo/osx/gmktemp.md deleted file mode 100644 index 8b6563099..000000000 --- a/pages.lo/osx/gmktemp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmktemp - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux mktemp`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux mktemp` diff --git a/pages.lo/osx/gmv.md b/pages.lo/osx/gmv.md deleted file mode 100644 index 1a0b33b36..000000000 --- a/pages.lo/osx/gmv.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmv - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux mv`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux mv` diff --git a/pages.lo/osx/gnice.md b/pages.lo/osx/gnice.md deleted file mode 100644 index d7ff31c56..000000000 --- a/pages.lo/osx/gnice.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnice - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux nice`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux nice` diff --git a/pages.lo/osx/gnl.md b/pages.lo/osx/gnl.md deleted file mode 100644 index 50c5b6921..000000000 --- a/pages.lo/osx/gnl.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnl - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux nl`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux nl` diff --git a/pages.lo/osx/gnohup.md b/pages.lo/osx/gnohup.md deleted file mode 100644 index 571c1b20e..000000000 --- a/pages.lo/osx/gnohup.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnohup - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux nohup`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux nohup` diff --git a/pages.lo/osx/gnproc.md b/pages.lo/osx/gnproc.md deleted file mode 100644 index 386020f35..000000000 --- a/pages.lo/osx/gnproc.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnproc - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux nproc`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux nproc` diff --git a/pages.lo/osx/gnumfmt.md b/pages.lo/osx/gnumfmt.md deleted file mode 100644 index 833ce9a26..000000000 --- a/pages.lo/osx/gnumfmt.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnumfmt - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux numfmt`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux numfmt` diff --git a/pages.lo/osx/god.md b/pages.lo/osx/god.md deleted file mode 100644 index 734057551..000000000 --- a/pages.lo/osx/god.md +++ /dev/null @@ -1,7 +0,0 @@ -# god - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux od`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux od` diff --git a/pages.lo/osx/gpaste.md b/pages.lo/osx/gpaste.md deleted file mode 100644 index e31d8fd7f..000000000 --- a/pages.lo/osx/gpaste.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpaste - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux paste`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux paste` diff --git a/pages.lo/osx/gpathchk.md b/pages.lo/osx/gpathchk.md deleted file mode 100644 index 37ad61021..000000000 --- a/pages.lo/osx/gpathchk.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpathchk - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux pathchk`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux pathchk` diff --git a/pages.lo/osx/gping.md b/pages.lo/osx/gping.md deleted file mode 100644 index 020675d0d..000000000 --- a/pages.lo/osx/gping.md +++ /dev/null @@ -1,7 +0,0 @@ -# gping - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux ping`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux ping` diff --git a/pages.lo/osx/gping6.md b/pages.lo/osx/gping6.md deleted file mode 100644 index df78d4664..000000000 --- a/pages.lo/osx/gping6.md +++ /dev/null @@ -1,7 +0,0 @@ -# gping6 - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux ping6`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux ping6` diff --git a/pages.lo/osx/gpinky.md b/pages.lo/osx/gpinky.md deleted file mode 100644 index deae5cbd4..000000000 --- a/pages.lo/osx/gpinky.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpinky - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux pinky`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux pinky` diff --git a/pages.lo/osx/gpr.md b/pages.lo/osx/gpr.md deleted file mode 100644 index 91673c789..000000000 --- a/pages.lo/osx/gpr.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpr - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux pr`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux pr` diff --git a/pages.lo/osx/gprintenv.md b/pages.lo/osx/gprintenv.md deleted file mode 100644 index 0499d7e54..000000000 --- a/pages.lo/osx/gprintenv.md +++ /dev/null @@ -1,7 +0,0 @@ -# gprintenv - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux printenv`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux printenv` diff --git a/pages.lo/osx/gprintf.md b/pages.lo/osx/gprintf.md deleted file mode 100644 index f7b7c929a..000000000 --- a/pages.lo/osx/gprintf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gprintf - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux printf`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux printf` diff --git a/pages.lo/osx/gptx.md b/pages.lo/osx/gptx.md deleted file mode 100644 index ff03148dc..000000000 --- a/pages.lo/osx/gptx.md +++ /dev/null @@ -1,7 +0,0 @@ -# gptx - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux ptx`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux ptx` diff --git a/pages.lo/osx/gpwd.md b/pages.lo/osx/gpwd.md deleted file mode 100644 index ea20aaddf..000000000 --- a/pages.lo/osx/gpwd.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpwd - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux pwd`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux pwd` diff --git a/pages.lo/osx/grcp.md b/pages.lo/osx/grcp.md deleted file mode 100644 index 9c95e3c5c..000000000 --- a/pages.lo/osx/grcp.md +++ /dev/null @@ -1,7 +0,0 @@ -# grcp - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux rcp`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux rcp` diff --git a/pages.lo/osx/greadlink.md b/pages.lo/osx/greadlink.md deleted file mode 100644 index ac18d0664..000000000 --- a/pages.lo/osx/greadlink.md +++ /dev/null @@ -1,7 +0,0 @@ -# greadlink - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux readlink`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux readlink` diff --git a/pages.lo/osx/grealpath.md b/pages.lo/osx/grealpath.md deleted file mode 100644 index 866511463..000000000 --- a/pages.lo/osx/grealpath.md +++ /dev/null @@ -1,7 +0,0 @@ -# grealpath - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux realpath`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux realpath` diff --git a/pages.lo/osx/grexec.md b/pages.lo/osx/grexec.md deleted file mode 100644 index fa49b1efa..000000000 --- a/pages.lo/osx/grexec.md +++ /dev/null @@ -1,7 +0,0 @@ -# grexec - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux rexec`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux rexec` diff --git a/pages.lo/osx/grlogin.md b/pages.lo/osx/grlogin.md deleted file mode 100644 index f5e10e690..000000000 --- a/pages.lo/osx/grlogin.md +++ /dev/null @@ -1,7 +0,0 @@ -# grlogin - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux rlogin`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux rlogin` diff --git a/pages.lo/osx/grm.md b/pages.lo/osx/grm.md deleted file mode 100644 index 8d067069d..000000000 --- a/pages.lo/osx/grm.md +++ /dev/null @@ -1,7 +0,0 @@ -# grm - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux rm`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux rm` diff --git a/pages.lo/osx/grmdir.md b/pages.lo/osx/grmdir.md deleted file mode 100644 index ecd54dce4..000000000 --- a/pages.lo/osx/grmdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# grmdir - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux rmdir`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux rmdir` diff --git a/pages.lo/osx/grsh.md b/pages.lo/osx/grsh.md deleted file mode 100644 index 3b490e89a..000000000 --- a/pages.lo/osx/grsh.md +++ /dev/null @@ -1,7 +0,0 @@ -# grsh - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux rsh`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux rsh` diff --git a/pages.lo/osx/gruncon.md b/pages.lo/osx/gruncon.md deleted file mode 100644 index 5d1a9bf88..000000000 --- a/pages.lo/osx/gruncon.md +++ /dev/null @@ -1,7 +0,0 @@ -# gruncon - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux runcon`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux runcon` diff --git a/pages.lo/osx/gsed.md b/pages.lo/osx/gsed.md deleted file mode 100644 index 5885ca82d..000000000 --- a/pages.lo/osx/gsed.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsed - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux sed`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux sed` diff --git a/pages.lo/osx/gseq.md b/pages.lo/osx/gseq.md deleted file mode 100644 index 855f2d7b8..000000000 --- a/pages.lo/osx/gseq.md +++ /dev/null @@ -1,7 +0,0 @@ -# gseq - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux seq`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux seq` diff --git a/pages.lo/osx/gsha1sum.md b/pages.lo/osx/gsha1sum.md deleted file mode 100644 index 0782d258e..000000000 --- a/pages.lo/osx/gsha1sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha1sum - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux sha1sum`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux sha1sum` diff --git a/pages.lo/osx/gsha224sum.md b/pages.lo/osx/gsha224sum.md deleted file mode 100644 index bf7c69313..000000000 --- a/pages.lo/osx/gsha224sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha224sum - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux sha224sum`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux sha224sum` diff --git a/pages.lo/osx/gsha256sum.md b/pages.lo/osx/gsha256sum.md deleted file mode 100644 index 40ad7d4eb..000000000 --- a/pages.lo/osx/gsha256sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha256sum - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux sha256sum`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux sha256sum` diff --git a/pages.lo/osx/gsha384sum.md b/pages.lo/osx/gsha384sum.md deleted file mode 100644 index 52a4d46a7..000000000 --- a/pages.lo/osx/gsha384sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha384sum - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux sha384sum`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux sha384sum` diff --git a/pages.lo/osx/gsha512sum.md b/pages.lo/osx/gsha512sum.md deleted file mode 100644 index 939f7a2f0..000000000 --- a/pages.lo/osx/gsha512sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha512sum - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux sha512sum`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux sha512sum` diff --git a/pages.lo/osx/gshred.md b/pages.lo/osx/gshred.md deleted file mode 100644 index ba4f67613..000000000 --- a/pages.lo/osx/gshred.md +++ /dev/null @@ -1,7 +0,0 @@ -# gshred - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux shred`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux shred` diff --git a/pages.lo/osx/gshuf.md b/pages.lo/osx/gshuf.md deleted file mode 100644 index 55ddf32cf..000000000 --- a/pages.lo/osx/gshuf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gshuf - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux shuf`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux shuf` diff --git a/pages.lo/osx/gsleep.md b/pages.lo/osx/gsleep.md deleted file mode 100644 index 441092ce4..000000000 --- a/pages.lo/osx/gsleep.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsleep - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux sleep`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux sleep` diff --git a/pages.lo/osx/gsort.md b/pages.lo/osx/gsort.md deleted file mode 100644 index 14bc837a6..000000000 --- a/pages.lo/osx/gsort.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsort - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux sort`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux sort` diff --git a/pages.lo/osx/gsplit.md b/pages.lo/osx/gsplit.md deleted file mode 100644 index f593b6881..000000000 --- a/pages.lo/osx/gsplit.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsplit - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux split`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux split` diff --git a/pages.lo/osx/gstat.md b/pages.lo/osx/gstat.md deleted file mode 100644 index 1d555dce1..000000000 --- a/pages.lo/osx/gstat.md +++ /dev/null @@ -1,7 +0,0 @@ -# gstat - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux stat`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux stat` diff --git a/pages.lo/osx/gstdbuf.md b/pages.lo/osx/gstdbuf.md deleted file mode 100644 index 323e28d1f..000000000 --- a/pages.lo/osx/gstdbuf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gstdbuf - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux stdbuf`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux stdbuf` diff --git a/pages.lo/osx/gstty.md b/pages.lo/osx/gstty.md deleted file mode 100644 index 7583aabda..000000000 --- a/pages.lo/osx/gstty.md +++ /dev/null @@ -1,7 +0,0 @@ -# gstty - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux stty`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux stty` diff --git a/pages.lo/osx/gsum.md b/pages.lo/osx/gsum.md deleted file mode 100644 index 823934f5a..000000000 --- a/pages.lo/osx/gsum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsum - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux sum`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux sum` diff --git a/pages.lo/osx/gsync.md b/pages.lo/osx/gsync.md deleted file mode 100644 index 264f4c5a8..000000000 --- a/pages.lo/osx/gsync.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsync - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux sync`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux sync` diff --git a/pages.lo/osx/gtac.md b/pages.lo/osx/gtac.md deleted file mode 100644 index 83749b5eb..000000000 --- a/pages.lo/osx/gtac.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtac - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux tac`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux tac` diff --git a/pages.lo/osx/gtail.md b/pages.lo/osx/gtail.md deleted file mode 100644 index e91c1f7e9..000000000 --- a/pages.lo/osx/gtail.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtail - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux tail`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux tail` diff --git a/pages.lo/osx/gtalk.md b/pages.lo/osx/gtalk.md deleted file mode 100644 index f61d9ba78..000000000 --- a/pages.lo/osx/gtalk.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtalk - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux talk`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux talk` diff --git a/pages.lo/osx/gtar.md b/pages.lo/osx/gtar.md deleted file mode 100644 index b749a7b55..000000000 --- a/pages.lo/osx/gtar.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtar - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux tar`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux tar` diff --git a/pages.lo/osx/gtee.md b/pages.lo/osx/gtee.md deleted file mode 100644 index c456528e9..000000000 --- a/pages.lo/osx/gtee.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtee - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux tee`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux tee` diff --git a/pages.lo/osx/gtelnet.md b/pages.lo/osx/gtelnet.md deleted file mode 100644 index de8c8bb60..000000000 --- a/pages.lo/osx/gtelnet.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtelnet - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux telnet`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux telnet` diff --git a/pages.lo/osx/gtest.md b/pages.lo/osx/gtest.md deleted file mode 100644 index faa1a54b0..000000000 --- a/pages.lo/osx/gtest.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtest - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux test`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux test` diff --git a/pages.lo/osx/gtftp.md b/pages.lo/osx/gtftp.md deleted file mode 100644 index 1e9fde5e8..000000000 --- a/pages.lo/osx/gtftp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtftp - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux tftp`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux tftp` diff --git a/pages.lo/osx/gtime.md b/pages.lo/osx/gtime.md deleted file mode 100644 index aca3fee53..000000000 --- a/pages.lo/osx/gtime.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtime - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux time`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux time` diff --git a/pages.lo/osx/gtimeout.md b/pages.lo/osx/gtimeout.md deleted file mode 100644 index 11e390851..000000000 --- a/pages.lo/osx/gtimeout.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtimeout - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux timeout`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux timeout` diff --git a/pages.lo/osx/gtouch.md b/pages.lo/osx/gtouch.md deleted file mode 100644 index 245d7288c..000000000 --- a/pages.lo/osx/gtouch.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtouch - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux touch`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux touch` diff --git a/pages.lo/osx/gtr.md b/pages.lo/osx/gtr.md deleted file mode 100644 index 7e28219e3..000000000 --- a/pages.lo/osx/gtr.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtr - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux tr`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux tr` diff --git a/pages.lo/osx/gtraceroute.md b/pages.lo/osx/gtraceroute.md deleted file mode 100644 index f1cb9ebff..000000000 --- a/pages.lo/osx/gtraceroute.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtraceroute - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux traceroute`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux traceroute` diff --git a/pages.lo/osx/gtrue.md b/pages.lo/osx/gtrue.md deleted file mode 100644 index d43d35fb6..000000000 --- a/pages.lo/osx/gtrue.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtrue - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux true`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux true` diff --git a/pages.lo/osx/gtruncate.md b/pages.lo/osx/gtruncate.md deleted file mode 100644 index 3fd5198f8..000000000 --- a/pages.lo/osx/gtruncate.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtruncate - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux truncate`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux truncate` diff --git a/pages.lo/osx/gtsort.md b/pages.lo/osx/gtsort.md deleted file mode 100644 index 5d4be39b0..000000000 --- a/pages.lo/osx/gtsort.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtsort - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux tsort`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux tsort` diff --git a/pages.lo/osx/gtty.md b/pages.lo/osx/gtty.md deleted file mode 100644 index b0df711a0..000000000 --- a/pages.lo/osx/gtty.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtty - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux tty`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux tty` diff --git a/pages.lo/osx/guname.md b/pages.lo/osx/guname.md deleted file mode 100644 index ab8964a04..000000000 --- a/pages.lo/osx/guname.md +++ /dev/null @@ -1,7 +0,0 @@ -# guname - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux uname`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux uname` diff --git a/pages.lo/osx/gunexpand.md b/pages.lo/osx/gunexpand.md deleted file mode 100644 index 0662b2d50..000000000 --- a/pages.lo/osx/gunexpand.md +++ /dev/null @@ -1,7 +0,0 @@ -# gunexpand - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux unexpand`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux unexpand` diff --git a/pages.lo/osx/guniq.md b/pages.lo/osx/guniq.md deleted file mode 100644 index 9527a22aa..000000000 --- a/pages.lo/osx/guniq.md +++ /dev/null @@ -1,7 +0,0 @@ -# guniq - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux uniq`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux uniq` diff --git a/pages.lo/osx/gunits.md b/pages.lo/osx/gunits.md deleted file mode 100644 index fbe752f17..000000000 --- a/pages.lo/osx/gunits.md +++ /dev/null @@ -1,7 +0,0 @@ -# gunits - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux units`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux units` diff --git a/pages.lo/osx/gunlink.md b/pages.lo/osx/gunlink.md deleted file mode 100644 index f75e5f0c8..000000000 --- a/pages.lo/osx/gunlink.md +++ /dev/null @@ -1,7 +0,0 @@ -# gunlink - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux unlink`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux unlink` diff --git a/pages.lo/osx/gupdatedb.md b/pages.lo/osx/gupdatedb.md deleted file mode 100644 index 8f69433f9..000000000 --- a/pages.lo/osx/gupdatedb.md +++ /dev/null @@ -1,7 +0,0 @@ -# gupdatedb - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux updatedb`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux updatedb` diff --git a/pages.lo/osx/guptime.md b/pages.lo/osx/guptime.md deleted file mode 100644 index f196a138e..000000000 --- a/pages.lo/osx/guptime.md +++ /dev/null @@ -1,7 +0,0 @@ -# guptime - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux uptime`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux uptime` diff --git a/pages.lo/osx/gusers.md b/pages.lo/osx/gusers.md deleted file mode 100644 index ad6e2c833..000000000 --- a/pages.lo/osx/gusers.md +++ /dev/null @@ -1,7 +0,0 @@ -# gusers - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux users`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux users` diff --git a/pages.lo/osx/gvdir.md b/pages.lo/osx/gvdir.md deleted file mode 100644 index 6952d55ea..000000000 --- a/pages.lo/osx/gvdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# gvdir - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux vdir`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux vdir` diff --git a/pages.lo/osx/gwc.md b/pages.lo/osx/gwc.md deleted file mode 100644 index d96434711..000000000 --- a/pages.lo/osx/gwc.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwc - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux wc`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux wc` diff --git a/pages.lo/osx/gwhich.md b/pages.lo/osx/gwhich.md deleted file mode 100644 index 6f5fc022d..000000000 --- a/pages.lo/osx/gwhich.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwhich - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux which`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux which` diff --git a/pages.lo/osx/gwho.md b/pages.lo/osx/gwho.md deleted file mode 100644 index 4e84a0e99..000000000 --- a/pages.lo/osx/gwho.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwho - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux who`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux who` diff --git a/pages.lo/osx/gwhoami.md b/pages.lo/osx/gwhoami.md deleted file mode 100644 index fdabe10b7..000000000 --- a/pages.lo/osx/gwhoami.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwhoami - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux whoami`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux whoami` diff --git a/pages.lo/osx/gwhois.md b/pages.lo/osx/gwhois.md deleted file mode 100644 index 84091251e..000000000 --- a/pages.lo/osx/gwhois.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwhois - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux whois`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux whois` diff --git a/pages.lo/osx/gxargs.md b/pages.lo/osx/gxargs.md deleted file mode 100644 index 4f1362858..000000000 --- a/pages.lo/osx/gxargs.md +++ /dev/null @@ -1,7 +0,0 @@ -# gxargs - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux xargs`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux xargs` diff --git a/pages.lo/osx/gyes.md b/pages.lo/osx/gyes.md deleted file mode 100644 index 4398f01da..000000000 --- a/pages.lo/osx/gyes.md +++ /dev/null @@ -1,7 +0,0 @@ -# gyes - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `-p linux yes`. - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr -p linux yes` diff --git a/pages.lo/osx/launchd.md b/pages.lo/osx/launchd.md deleted file mode 100644 index 38b429565..000000000 --- a/pages.lo/osx/launchd.md +++ /dev/null @@ -1,8 +0,0 @@ -# launchd - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `launchctl`. -> ຂໍ້ມູນເພີ່ມເຕີມ: . - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr launchctl` diff --git a/pages.lo/windows/cpush.md b/pages.lo/windows/cpush.md deleted file mode 100644 index bacb0f39e..000000000 --- a/pages.lo/windows/cpush.md +++ /dev/null @@ -1,8 +0,0 @@ -# cpush - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `choco-push`. -> ຂໍ້ມູນເພີ່ມເຕີມ: . - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr choco-push` diff --git a/pages.lo/windows/rd.md b/pages.lo/windows/rd.md deleted file mode 100644 index 2d42208f5..000000000 --- a/pages.lo/windows/rd.md +++ /dev/null @@ -1,8 +0,0 @@ -# rd - -> ຄຳສັ່ງນີ້ເປັນອີກຊື່ໜຶ່ງຂອງຄຳສັ່ງ `rmdir`. -> ຂໍ້ມູນເພີ່ມເຕີມ: . - -- ເປີດເບິ່ງລາຍລະອຽດຂອງຄຳສັ່ງແບບເຕັມ: - -`tldr rmdir` diff --git a/pages.ml/linux/aspell.md b/pages.ml/common/aspell.md similarity index 100% rename from pages.ml/linux/aspell.md rename to pages.ml/common/aspell.md diff --git a/pages.ml/common/bundler.md b/pages.ml/common/bundler.md deleted file mode 100644 index cd272eb6c..000000000 --- a/pages.ml/common/bundler.md +++ /dev/null @@ -1,8 +0,0 @@ -# bundler - -> ഈ കമാൻഡ് `bundle` എന്നത്തിന്റെ അപരനാമമാണ്. -> കൂടുതൽ വിവരങ്ങൾ: . - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr bundle` diff --git a/pages.ml/common/clamav.md b/pages.ml/common/clamav.md index ef46d6a78..8d43ff0fe 100644 --- a/pages.ml/common/clamav.md +++ b/pages.ml/common/clamav.md @@ -1,4 +1,4 @@ -# clamav +# ClamAV > ഈ കമാൻഡ് `clamdscan` എന്നത്തിന്റെ അപരനാമമാണ്. > കൂടുതൽ വിവരങ്ങൾ: . diff --git a/pages.ml/common/cron.md b/pages.ml/common/cron.md deleted file mode 100644 index f757c1458..000000000 --- a/pages.ml/common/cron.md +++ /dev/null @@ -1,7 +0,0 @@ -# cron - -> ഈ കമാൻഡ് `crontab` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr crontab` diff --git a/pages.ml/common/fossil-ci.md b/pages.ml/common/fossil-ci.md index fc441861b..adc32b6dd 100644 --- a/pages.ml/common/fossil-ci.md +++ b/pages.ml/common/fossil-ci.md @@ -1,6 +1,6 @@ -# fossil-ci +# fossil ci -> ഈ കമാൻഡ് `fossil-commit` എന്നത്തിന്റെ അപരനാമമാണ്. +> ഈ കമാൻഡ് `fossil commit`.എന്നത്തിന്റെ അപരനാമമാണ്. > കൂടുതൽ വിവരങ്ങൾ: . - യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: diff --git a/pages.ml/common/fossil-delete.md b/pages.ml/common/fossil-delete.md index 5c5800412..81255ba39 100644 --- a/pages.ml/common/fossil-delete.md +++ b/pages.ml/common/fossil-delete.md @@ -1,4 +1,4 @@ -# fossil-delete +# fossil delete > ഈ കമാൻഡ് `fossil rm` എന്നത്തിന്റെ അപരനാമമാണ്. > കൂടുതൽ വിവരങ്ങൾ: . diff --git a/pages.ml/common/fossil-forget.md b/pages.ml/common/fossil-forget.md index a3036c91c..467338e09 100644 --- a/pages.ml/common/fossil-forget.md +++ b/pages.ml/common/fossil-forget.md @@ -1,4 +1,4 @@ -# fossil-forget +# fossil forget > ഈ കമാൻഡ് `fossil rm` എന്നത്തിന്റെ അപരനാമമാണ്. > കൂടുതൽ വിവരങ്ങൾ: . diff --git a/pages.ml/common/fossil-new.md b/pages.ml/common/fossil-new.md index 5abed24eb..d2dfbe45f 100644 --- a/pages.ml/common/fossil-new.md +++ b/pages.ml/common/fossil-new.md @@ -1,6 +1,6 @@ -# fossil-new +# fossil new -> ഈ കമാൻഡ് `fossil-init` എന്നത്തിന്റെ അപരനാമമാണ്. +> ഈ കമാൻഡ് `fossil init`.എന്നത്തിന്റെ അപരനാമമാണ്. > കൂടുതൽ വിവരങ്ങൾ: . - യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: diff --git a/pages.ml/common/gh-cs.md b/pages.ml/common/gh-cs.md index ae1c13e10..f757e0226 100644 --- a/pages.ml/common/gh-cs.md +++ b/pages.ml/common/gh-cs.md @@ -1,6 +1,6 @@ -# gh-cs +# gh cs -> ഈ കമാൻഡ് `gh-codespace` എന്നത്തിന്റെ അപരനാമമാണ്. +> ഈ കമാൻഡ് `gh codespace`.എന്നത്തിന്റെ അപരനാമമാണ്. > കൂടുതൽ വിവരങ്ങൾ: . - യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: diff --git a/pages.ml/common/gnmic-sub.md b/pages.ml/common/gnmic-sub.md index 94caa4015..18fb16901 100644 --- a/pages.ml/common/gnmic-sub.md +++ b/pages.ml/common/gnmic-sub.md @@ -1,4 +1,4 @@ -# gnmic-sub +# gnmic sub > ഈ കമാൻഡ് `gnmic subscribe` എന്നത്തിന്റെ അപരനാമമാണ്. > കൂടുതൽ വിവരങ്ങൾ: . diff --git a/pages.ml/common/google-chrome.md b/pages.ml/common/google-chrome.md deleted file mode 100644 index f33afa92b..000000000 --- a/pages.ml/common/google-chrome.md +++ /dev/null @@ -1,8 +0,0 @@ -# google-chrome - -> ഈ കമാൻഡ് `chromium` എന്നത്തിന്റെ അപരനാമമാണ്. -> കൂടുതൽ വിവരങ്ങൾ: . - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr chromium` diff --git a/pages.ml/common/hx.md b/pages.ml/common/hx.md deleted file mode 100644 index 1705b4b8a..000000000 --- a/pages.ml/common/hx.md +++ /dev/null @@ -1,7 +0,0 @@ -# hx - -> ഈ കമാൻഡ് `helix` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr helix` diff --git a/pages.ml/common/kafkacat.md b/pages.ml/common/kafkacat.md deleted file mode 100644 index fcb0a0252..000000000 --- a/pages.ml/common/kafkacat.md +++ /dev/null @@ -1,7 +0,0 @@ -# kafkacat - -> ഈ കമാൻഡ് `kcat` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr kcat` diff --git a/pages.ml/common/lzcat.md b/pages.ml/common/lzcat.md deleted file mode 100644 index 9624a9b70..000000000 --- a/pages.ml/common/lzcat.md +++ /dev/null @@ -1,8 +0,0 @@ -# lzcat - -> ഈ കമാൻഡ് `xz` എന്നത്തിന്റെ അപരനാമമാണ്. -> കൂടുതൽ വിവരങ്ങൾ: . - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr xz` diff --git a/pages.ml/common/lzma.md b/pages.ml/common/lzma.md deleted file mode 100644 index 27a2efed2..000000000 --- a/pages.ml/common/lzma.md +++ /dev/null @@ -1,8 +0,0 @@ -# lzma - -> ഈ കമാൻഡ് `xz` എന്നത്തിന്റെ അപരനാമമാണ്. -> കൂടുതൽ വിവരങ്ങൾ: . - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr xz` diff --git a/pages.ml/common/nm-classic.md b/pages.ml/common/nm-classic.md deleted file mode 100644 index 95504d141..000000000 --- a/pages.ml/common/nm-classic.md +++ /dev/null @@ -1,7 +0,0 @@ -# nm-classic - -> ഈ കമാൻഡ് `nm` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr nm` diff --git a/pages.ml/common/ntl.md b/pages.ml/common/ntl.md deleted file mode 100644 index f2582842c..000000000 --- a/pages.ml/common/ntl.md +++ /dev/null @@ -1,8 +0,0 @@ -# ntl - -> ഈ കമാൻഡ് `netlify` എന്നത്തിന്റെ അപരനാമമാണ്. -> കൂടുതൽ വിവരങ്ങൾ: . - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr netlify` diff --git a/pages.ml/common/pio-init.md b/pages.ml/common/pio-init.md index fdcf17f7e..7aa04feef 100644 --- a/pages.ml/common/pio-init.md +++ b/pages.ml/common/pio-init.md @@ -1,4 +1,4 @@ -# pio-init +# pio init > ഈ കമാൻഡ് `pio project` എന്നത്തിന്റെ അപരനാമമാണ്. diff --git a/pages.ml/common/ptpython3.md b/pages.ml/common/ptpython3.md deleted file mode 100644 index b81bb74a2..000000000 --- a/pages.ml/common/ptpython3.md +++ /dev/null @@ -1,7 +0,0 @@ -# ptpython3 - -> ഈ കമാൻഡ് `ptpython` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr ptpython` diff --git a/pages.ml/common/python3.md b/pages.ml/common/python3.md deleted file mode 100644 index 785c67fb2..000000000 --- a/pages.ml/common/python3.md +++ /dev/null @@ -1,7 +0,0 @@ -# python3 - -> ഈ കമാൻഡ് `python` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr python` diff --git a/pages.ml/common/rcat.md b/pages.ml/common/rcat.md deleted file mode 100644 index ff9e71879..000000000 --- a/pages.ml/common/rcat.md +++ /dev/null @@ -1,7 +0,0 @@ -# rcat - -> ഈ കമാൻഡ് `rc` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr rc` diff --git a/pages.ml/common/ripgrep.md b/pages.ml/common/ripgrep.md deleted file mode 100644 index a5eb86bf4..000000000 --- a/pages.ml/common/ripgrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# ripgrep - -> ഈ കമാൻഡ് `rg` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr rg` diff --git a/pages.ml/common/tlmgr-arch.md b/pages.ml/common/tlmgr-arch.md index 8895bf9c9..9000913ce 100644 --- a/pages.ml/common/tlmgr-arch.md +++ b/pages.ml/common/tlmgr-arch.md @@ -1,4 +1,4 @@ -# tlmgr-arch +# tlmgr arch > ഈ കമാൻഡ് `tlmgr platform` എന്നത്തിന്റെ അപരനാമമാണ്. > കൂടുതൽ വിവരങ്ങൾ: . diff --git a/pages.ml/common/todoman.md b/pages.ml/common/todoman.md deleted file mode 100644 index f46df3bff..000000000 --- a/pages.ml/common/todoman.md +++ /dev/null @@ -1,8 +0,0 @@ -# todoman - -> ഈ കമാൻഡ് `todo` എന്നത്തിന്റെ അപരനാമമാണ്. -> കൂടുതൽ വിവരങ്ങൾ: . - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr todo` diff --git a/pages.ml/common/transmission.md b/pages.ml/common/transmission.md deleted file mode 100644 index e179b401e..000000000 --- a/pages.ml/common/transmission.md +++ /dev/null @@ -1,8 +0,0 @@ -# transmission - -> ഈ കമാൻഡ് `transmission-daemon` എന്നത്തിന്റെ അപരനാമമാണ്. -> കൂടുതൽ വിവരങ്ങൾ: . - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr transmission-daemon` diff --git a/pages.ml/common/unlzma.md b/pages.ml/common/unlzma.md deleted file mode 100644 index 39891efa8..000000000 --- a/pages.ml/common/unlzma.md +++ /dev/null @@ -1,8 +0,0 @@ -# unlzma - -> ഈ കമാൻഡ് `xz` എന്നത്തിന്റെ അപരനാമമാണ്. -> കൂടുതൽ വിവരങ്ങൾ: . - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr xz` diff --git a/pages.ml/common/unxz.md b/pages.ml/common/unxz.md deleted file mode 100644 index 84a90eebb..000000000 --- a/pages.ml/common/unxz.md +++ /dev/null @@ -1,8 +0,0 @@ -# unxz - -> ഈ കമാൻഡ് `xz` എന്നത്തിന്റെ അപരനാമമാണ്. -> കൂടുതൽ വിവരങ്ങൾ: . - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr xz` diff --git a/pages.ml/common/xzcat.md b/pages.ml/common/xzcat.md deleted file mode 100644 index 679ae76b0..000000000 --- a/pages.ml/common/xzcat.md +++ /dev/null @@ -1,8 +0,0 @@ -# xzcat - -> ഈ കമാൻഡ് `xz` എന്നത്തിന്റെ അപരനാമമാണ്. -> കൂടുതൽ വിവരങ്ങൾ: . - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr xz` diff --git a/pages.ml/linux/alternatives.md b/pages.ml/linux/alternatives.md deleted file mode 100644 index cad2aefa2..000000000 --- a/pages.ml/linux/alternatives.md +++ /dev/null @@ -1,8 +0,0 @@ -# alternatives - -> ഈ കമാൻഡ് `update-alternatives` എന്നത്തിന്റെ അപരനാമമാണ്. -> കൂടുതൽ വിവരങ്ങൾ: . - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr update-alternatives` diff --git a/pages.ml/linux/apt.md b/pages.ml/linux/apt.md index 282944868..8a01b56a2 100644 --- a/pages.ml/linux/apt.md +++ b/pages.ml/linux/apt.md @@ -2,7 +2,7 @@ > ഡെബിയൻ അടിസ്ഥാനമാക്കിയുള്ള വിതരണങ്ങൾക്കായുള്ള പാക്കേജ് മാനേജുമെന്റ് യൂട്ടിലിറ്റി. > ഉബുണ്ടു പതിപ്പുകളിൽ 16.04ലും അതിനുശേഷമുള്ളതിലും സംവേദനാത്മകമായി ഉപയോഗിക്കുമ്പോൾ `apt-get` പകരം വയ്ക്കാൻ ശുപാർശ ചെയ്യുന്നതു. -> കൂടുതൽ വിവരങ്ങൾ: . +> കൂടുതൽ വിവരങ്ങൾ: . - ലഭ്യമായ പാക്കേജുകളുടെയും പതിപ്പുകളുടെയും പട്ടിക അപ്‌ഡേറ്റുചെയ്യുക (മറ്റ് `apt` കമാൻഡുകൾക്ക് മുമ്പ് ഇത് പ്രവർത്തിപ്പിക്കാൻ ശുപാർശ ചെയ്യുന്നു): diff --git a/pages.ml/linux/batcat.md b/pages.ml/linux/batcat.md deleted file mode 100644 index 9fd3e24f4..000000000 --- a/pages.ml/linux/batcat.md +++ /dev/null @@ -1,8 +0,0 @@ -# batcat - -> ഈ കമാൻഡ് `bat` എന്നത്തിന്റെ അപരനാമമാണ്. -> കൂടുതൽ വിവരങ്ങൾ: . - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr bat` diff --git a/pages.ml/linux/bspwm.md b/pages.ml/linux/bspwm.md deleted file mode 100644 index 5a0f14579..000000000 --- a/pages.ml/linux/bspwm.md +++ /dev/null @@ -1,8 +0,0 @@ -# bspwm - -> ഈ കമാൻഡ് `bspc` എന്നത്തിന്റെ അപരനാമമാണ്. -> കൂടുതൽ വിവരങ്ങൾ: . - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr bspc` diff --git a/pages.ml/linux/cc.md b/pages.ml/linux/cc.md deleted file mode 100644 index 854f14548..000000000 --- a/pages.ml/linux/cc.md +++ /dev/null @@ -1,8 +0,0 @@ -# cc - -> ഈ കമാൻഡ് `gcc` എന്നത്തിന്റെ അപരനാമമാണ്. -> കൂടുതൽ വിവരങ്ങൾ: . - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr gcc` diff --git a/pages.ml/linux/cgroups.md b/pages.ml/linux/cgroups.md deleted file mode 100644 index 86d95cfe5..000000000 --- a/pages.ml/linux/cgroups.md +++ /dev/null @@ -1,8 +0,0 @@ -# cgroups - -> ഈ കമാൻഡ് `cgclassify` എന്നത്തിന്റെ അപരനാമമാണ്. -> കൂടുതൽ വിവരങ്ങൾ: . - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr cgclassify` diff --git a/pages.ml/linux/ip-route-list.md b/pages.ml/linux/ip-route-list.md index 36d744fa1..fd33df51d 100644 --- a/pages.ml/linux/ip-route-list.md +++ b/pages.ml/linux/ip-route-list.md @@ -1,6 +1,6 @@ -# ip-route-list +# ip route list -> ഈ കമാൻഡ് `ip-route-show` എന്നത്തിന്റെ അപരനാമമാണ്. +> ഈ കമാൻഡ് `ip route show`.എന്നത്തിന്റെ അപരനാമമാണ്. - യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: diff --git a/pages.ml/linux/megadl.md b/pages.ml/linux/megadl.md deleted file mode 100644 index 7010abfcc..000000000 --- a/pages.ml/linux/megadl.md +++ /dev/null @@ -1,8 +0,0 @@ -# megadl - -> ഈ കമാൻഡ് `megatools-dl` എന്നത്തിന്റെ അപരനാമമാണ്. -> കൂടുതൽ വിവരങ്ങൾ: . - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr megatools-dl` diff --git a/pages.ml/linux/ubuntu-bug.md b/pages.ml/linux/ubuntu-bug.md deleted file mode 100644 index 9725bb825..000000000 --- a/pages.ml/linux/ubuntu-bug.md +++ /dev/null @@ -1,8 +0,0 @@ -# ubuntu-bug - -> ഈ കമാൻഡ് `apport-bug` എന്നത്തിന്റെ അപരനാമമാണ്. -> കൂടുതൽ വിവരങ്ങൾ: . - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr apport-bug` diff --git a/pages.ml/osx/aa.md b/pages.ml/osx/aa.md deleted file mode 100644 index e0386b673..000000000 --- a/pages.ml/osx/aa.md +++ /dev/null @@ -1,7 +0,0 @@ -# aa - -> ഈ കമാൻഡ് `yaa` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr yaa` diff --git a/pages.ml/osx/g[.md b/pages.ml/osx/g[.md deleted file mode 100644 index 3e1a9a033..000000000 --- a/pages.ml/osx/g[.md +++ /dev/null @@ -1,7 +0,0 @@ -# g[ - -> ഈ കമാൻഡ് `-p linux [` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux [` diff --git a/pages.ml/osx/gawk.md b/pages.ml/osx/gawk.md deleted file mode 100644 index b85581335..000000000 --- a/pages.ml/osx/gawk.md +++ /dev/null @@ -1,7 +0,0 @@ -# gawk - -> ഈ കമാൻഡ് `-p linux awk` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux awk` diff --git a/pages.ml/osx/gb2sum.md b/pages.ml/osx/gb2sum.md deleted file mode 100644 index a7f8f42c4..000000000 --- a/pages.ml/osx/gb2sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gb2sum - -> ഈ കമാൻഡ് `-p linux b2sum` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux b2sum` diff --git a/pages.ml/osx/gbase32.md b/pages.ml/osx/gbase32.md deleted file mode 100644 index 28b36ae60..000000000 --- a/pages.ml/osx/gbase32.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbase32 - -> ഈ കമാൻഡ് `-p linux base32` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux base32` diff --git a/pages.ml/osx/gbase64.md b/pages.ml/osx/gbase64.md deleted file mode 100644 index 3a125bd1f..000000000 --- a/pages.ml/osx/gbase64.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbase64 - -> ഈ കമാൻഡ് `-p linux base64` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux base64` diff --git a/pages.ml/osx/gbasename.md b/pages.ml/osx/gbasename.md deleted file mode 100644 index d84e9fc34..000000000 --- a/pages.ml/osx/gbasename.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbasename - -> ഈ കമാൻഡ് `-p linux basename` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux basename` diff --git a/pages.ml/osx/gbasenc.md b/pages.ml/osx/gbasenc.md deleted file mode 100644 index 878511196..000000000 --- a/pages.ml/osx/gbasenc.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbasenc - -> ഈ കമാൻഡ് `-p linux basenc` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux basenc` diff --git a/pages.ml/osx/gcat.md b/pages.ml/osx/gcat.md deleted file mode 100644 index e1502c17c..000000000 --- a/pages.ml/osx/gcat.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcat - -> ഈ കമാൻഡ് `-p linux cat` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux cat` diff --git a/pages.ml/osx/gchcon.md b/pages.ml/osx/gchcon.md deleted file mode 100644 index 1bb3829c4..000000000 --- a/pages.ml/osx/gchcon.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchcon - -> ഈ കമാൻഡ് `-p linux chcon` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux chcon` diff --git a/pages.ml/osx/gchgrp.md b/pages.ml/osx/gchgrp.md deleted file mode 100644 index 3df54f8fb..000000000 --- a/pages.ml/osx/gchgrp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchgrp - -> ഈ കമാൻഡ് `-p linux chgrp` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux chgrp` diff --git a/pages.ml/osx/gchmod.md b/pages.ml/osx/gchmod.md deleted file mode 100644 index 9e9a70cc3..000000000 --- a/pages.ml/osx/gchmod.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchmod - -> ഈ കമാൻഡ് `-p linux chmod` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux chmod` diff --git a/pages.ml/osx/gchown.md b/pages.ml/osx/gchown.md deleted file mode 100644 index 81e7ac657..000000000 --- a/pages.ml/osx/gchown.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchown - -> ഈ കമാൻഡ് `-p linux chown` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux chown` diff --git a/pages.ml/osx/gchroot.md b/pages.ml/osx/gchroot.md deleted file mode 100644 index 5b7fafd53..000000000 --- a/pages.ml/osx/gchroot.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchroot - -> ഈ കമാൻഡ് `-p linux chroot` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux chroot` diff --git a/pages.ml/osx/gcksum.md b/pages.ml/osx/gcksum.md deleted file mode 100644 index 26ab1f417..000000000 --- a/pages.ml/osx/gcksum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcksum - -> ഈ കമാൻഡ് `-p linux cksum` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux cksum` diff --git a/pages.ml/osx/gcomm.md b/pages.ml/osx/gcomm.md deleted file mode 100644 index a08c11cd8..000000000 --- a/pages.ml/osx/gcomm.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcomm - -> ഈ കമാൻഡ് `-p linux comm` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux comm` diff --git a/pages.ml/osx/gcp.md b/pages.ml/osx/gcp.md deleted file mode 100644 index 2047a443b..000000000 --- a/pages.ml/osx/gcp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcp - -> ഈ കമാൻഡ് `-p linux cp` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux cp` diff --git a/pages.ml/osx/gcsplit.md b/pages.ml/osx/gcsplit.md deleted file mode 100644 index e306cd1f7..000000000 --- a/pages.ml/osx/gcsplit.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcsplit - -> ഈ കമാൻഡ് `-p linux csplit` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux csplit` diff --git a/pages.ml/osx/gcut.md b/pages.ml/osx/gcut.md deleted file mode 100644 index bb6481f81..000000000 --- a/pages.ml/osx/gcut.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcut - -> ഈ കമാൻഡ് `-p linux cut` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux cut` diff --git a/pages.ml/osx/gdate.md b/pages.ml/osx/gdate.md deleted file mode 100644 index 20eb305bc..000000000 --- a/pages.ml/osx/gdate.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdate - -> ഈ കമാൻഡ് `-p linux date` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux date` diff --git a/pages.ml/osx/gdd.md b/pages.ml/osx/gdd.md deleted file mode 100644 index 36b4745bd..000000000 --- a/pages.ml/osx/gdd.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdd - -> ഈ കമാൻഡ് `-p linux dd` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux dd` diff --git a/pages.ml/osx/gdf.md b/pages.ml/osx/gdf.md deleted file mode 100644 index b7ae532f0..000000000 --- a/pages.ml/osx/gdf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdf - -> ഈ കമാൻഡ് `-p linux df` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux df` diff --git a/pages.ml/osx/gdir.md b/pages.ml/osx/gdir.md deleted file mode 100644 index a2a3bd561..000000000 --- a/pages.ml/osx/gdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdir - -> ഈ കമാൻഡ് `-p linux dir` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux dir` diff --git a/pages.ml/osx/gdircolors.md b/pages.ml/osx/gdircolors.md deleted file mode 100644 index 45f109a35..000000000 --- a/pages.ml/osx/gdircolors.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdircolors - -> ഈ കമാൻഡ് `-p linux dircolors` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux dircolors` diff --git a/pages.ml/osx/gdirname.md b/pages.ml/osx/gdirname.md deleted file mode 100644 index cf38ec86c..000000000 --- a/pages.ml/osx/gdirname.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdirname - -> ഈ കമാൻഡ് `-p linux dirname` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux dirname` diff --git a/pages.ml/osx/gdnsdomainname.md b/pages.ml/osx/gdnsdomainname.md deleted file mode 100644 index 355982aab..000000000 --- a/pages.ml/osx/gdnsdomainname.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdnsdomainname - -> ഈ കമാൻഡ് `-p linux dnsdomainname` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux dnsdomainname` diff --git a/pages.ml/osx/gecho.md b/pages.ml/osx/gecho.md deleted file mode 100644 index 61dd491dc..000000000 --- a/pages.ml/osx/gecho.md +++ /dev/null @@ -1,7 +0,0 @@ -# gecho - -> ഈ കമാൻഡ് `-p linux echo` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux echo` diff --git a/pages.ml/osx/ged.md b/pages.ml/osx/ged.md deleted file mode 100644 index f447a40b6..000000000 --- a/pages.ml/osx/ged.md +++ /dev/null @@ -1,7 +0,0 @@ -# ged - -> ഈ കമാൻഡ് `-p linux ed` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux ed` diff --git a/pages.ml/osx/gegrep.md b/pages.ml/osx/gegrep.md deleted file mode 100644 index e2db57e01..000000000 --- a/pages.ml/osx/gegrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# gegrep - -> ഈ കമാൻഡ് `-p linux egrep` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux egrep` diff --git a/pages.ml/osx/genv.md b/pages.ml/osx/genv.md deleted file mode 100644 index 62900a30e..000000000 --- a/pages.ml/osx/genv.md +++ /dev/null @@ -1,7 +0,0 @@ -# genv - -> ഈ കമാൻഡ് `-p linux env` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux env` diff --git a/pages.ml/osx/gexpand.md b/pages.ml/osx/gexpand.md deleted file mode 100644 index 754c8417d..000000000 --- a/pages.ml/osx/gexpand.md +++ /dev/null @@ -1,7 +0,0 @@ -# gexpand - -> ഈ കമാൻഡ് `-p linux expand` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux expand` diff --git a/pages.ml/osx/gexpr.md b/pages.ml/osx/gexpr.md deleted file mode 100644 index d356808ce..000000000 --- a/pages.ml/osx/gexpr.md +++ /dev/null @@ -1,7 +0,0 @@ -# gexpr - -> ഈ കമാൻഡ് `-p linux expr` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux expr` diff --git a/pages.ml/osx/gfactor.md b/pages.ml/osx/gfactor.md deleted file mode 100644 index d62653a73..000000000 --- a/pages.ml/osx/gfactor.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfactor - -> ഈ കമാൻഡ് `-p linux factor` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux factor` diff --git a/pages.ml/osx/gfalse.md b/pages.ml/osx/gfalse.md deleted file mode 100644 index 0a73abc9f..000000000 --- a/pages.ml/osx/gfalse.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfalse - -> ഈ കമാൻഡ് `-p linux false` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux false` diff --git a/pages.ml/osx/gfgrep.md b/pages.ml/osx/gfgrep.md deleted file mode 100644 index 665f9e145..000000000 --- a/pages.ml/osx/gfgrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfgrep - -> ഈ കമാൻഡ് `-p linux fgrep` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux fgrep` diff --git a/pages.ml/osx/gfind.md b/pages.ml/osx/gfind.md deleted file mode 100644 index 660b63091..000000000 --- a/pages.ml/osx/gfind.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfind - -> ഈ കമാൻഡ് `-p linux find` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux find` diff --git a/pages.ml/osx/gfmt.md b/pages.ml/osx/gfmt.md deleted file mode 100644 index b65094a39..000000000 --- a/pages.ml/osx/gfmt.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfmt - -> ഈ കമാൻഡ് `-p linux fmt` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux fmt` diff --git a/pages.ml/osx/gfold.md b/pages.ml/osx/gfold.md deleted file mode 100644 index 7815ab844..000000000 --- a/pages.ml/osx/gfold.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfold - -> ഈ കമാൻഡ് `-p linux fold` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux fold` diff --git a/pages.ml/osx/gftp.md b/pages.ml/osx/gftp.md deleted file mode 100644 index 55e4f8a62..000000000 --- a/pages.ml/osx/gftp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gftp - -> ഈ കമാൻഡ് `-p linux ftp` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux ftp` diff --git a/pages.ml/osx/ggrep.md b/pages.ml/osx/ggrep.md deleted file mode 100644 index 971df7f2f..000000000 --- a/pages.ml/osx/ggrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# ggrep - -> ഈ കമാൻഡ് `-p linux grep` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux grep` diff --git a/pages.ml/osx/ggroups.md b/pages.ml/osx/ggroups.md deleted file mode 100644 index 4453136ad..000000000 --- a/pages.ml/osx/ggroups.md +++ /dev/null @@ -1,7 +0,0 @@ -# ggroups - -> ഈ കമാൻഡ് `-p linux groups` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux groups` diff --git a/pages.ml/osx/ghead.md b/pages.ml/osx/ghead.md deleted file mode 100644 index f876429a6..000000000 --- a/pages.ml/osx/ghead.md +++ /dev/null @@ -1,7 +0,0 @@ -# ghead - -> ഈ കമാൻഡ് `-p linux head` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux head` diff --git a/pages.ml/osx/ghostid.md b/pages.ml/osx/ghostid.md deleted file mode 100644 index 441d4e07d..000000000 --- a/pages.ml/osx/ghostid.md +++ /dev/null @@ -1,7 +0,0 @@ -# ghostid - -> ഈ കമാൻഡ് `-p linux hostid` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux hostid` diff --git a/pages.ml/osx/ghostname.md b/pages.ml/osx/ghostname.md deleted file mode 100644 index 4b4f91cd8..000000000 --- a/pages.ml/osx/ghostname.md +++ /dev/null @@ -1,7 +0,0 @@ -# ghostname - -> ഈ കമാൻഡ് `-p linux hostname` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux hostname` diff --git a/pages.ml/osx/gid.md b/pages.ml/osx/gid.md deleted file mode 100644 index f63df0947..000000000 --- a/pages.ml/osx/gid.md +++ /dev/null @@ -1,7 +0,0 @@ -# gid - -> ഈ കമാൻഡ് `-p linux id` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux id` diff --git a/pages.ml/osx/gifconfig.md b/pages.ml/osx/gifconfig.md deleted file mode 100644 index df24c98ba..000000000 --- a/pages.ml/osx/gifconfig.md +++ /dev/null @@ -1,7 +0,0 @@ -# gifconfig - -> ഈ കമാൻഡ് `-p linux ifconfig` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux ifconfig` diff --git a/pages.ml/osx/gindent.md b/pages.ml/osx/gindent.md deleted file mode 100644 index c55e8c6cb..000000000 --- a/pages.ml/osx/gindent.md +++ /dev/null @@ -1,7 +0,0 @@ -# gindent - -> ഈ കമാൻഡ് `-p linux indent` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux indent` diff --git a/pages.ml/osx/ginstall.md b/pages.ml/osx/ginstall.md deleted file mode 100644 index 99634298e..000000000 --- a/pages.ml/osx/ginstall.md +++ /dev/null @@ -1,7 +0,0 @@ -# ginstall - -> ഈ കമാൻഡ് `-p linux install` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux install` diff --git a/pages.ml/osx/gjoin.md b/pages.ml/osx/gjoin.md deleted file mode 100644 index 4ba2674ab..000000000 --- a/pages.ml/osx/gjoin.md +++ /dev/null @@ -1,7 +0,0 @@ -# gjoin - -> ഈ കമാൻഡ് `-p linux join` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux join` diff --git a/pages.ml/osx/gkill.md b/pages.ml/osx/gkill.md deleted file mode 100644 index d931bac59..000000000 --- a/pages.ml/osx/gkill.md +++ /dev/null @@ -1,7 +0,0 @@ -# gkill - -> ഈ കമാൻഡ് `-p linux kill` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux kill` diff --git a/pages.ml/osx/glibtool.md b/pages.ml/osx/glibtool.md deleted file mode 100644 index 0d08495ea..000000000 --- a/pages.ml/osx/glibtool.md +++ /dev/null @@ -1,7 +0,0 @@ -# glibtool - -> ഈ കമാൻഡ് `-p linux libtool` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux libtool` diff --git a/pages.ml/osx/glibtoolize.md b/pages.ml/osx/glibtoolize.md deleted file mode 100644 index 0d8ae5ccb..000000000 --- a/pages.ml/osx/glibtoolize.md +++ /dev/null @@ -1,7 +0,0 @@ -# glibtoolize - -> ഈ കമാൻഡ് `-p linux libtoolize` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux libtoolize` diff --git a/pages.ml/osx/glink.md b/pages.ml/osx/glink.md deleted file mode 100644 index 72ef1014d..000000000 --- a/pages.ml/osx/glink.md +++ /dev/null @@ -1,7 +0,0 @@ -# glink - -> ഈ കമാൻഡ് `-p linux link` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux link` diff --git a/pages.ml/osx/gln.md b/pages.ml/osx/gln.md deleted file mode 100644 index e7f456890..000000000 --- a/pages.ml/osx/gln.md +++ /dev/null @@ -1,7 +0,0 @@ -# gln - -> ഈ കമാൻഡ് `-p linux ln` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux ln` diff --git a/pages.ml/osx/glocate.md b/pages.ml/osx/glocate.md deleted file mode 100644 index c9a711961..000000000 --- a/pages.ml/osx/glocate.md +++ /dev/null @@ -1,7 +0,0 @@ -# glocate - -> ഈ കമാൻഡ് `-p linux locate` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux locate` diff --git a/pages.ml/osx/glogger.md b/pages.ml/osx/glogger.md deleted file mode 100644 index 87523fd67..000000000 --- a/pages.ml/osx/glogger.md +++ /dev/null @@ -1,7 +0,0 @@ -# glogger - -> ഈ കമാൻഡ് `-p linux logger` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux logger` diff --git a/pages.ml/osx/glogname.md b/pages.ml/osx/glogname.md deleted file mode 100644 index 9823031d1..000000000 --- a/pages.ml/osx/glogname.md +++ /dev/null @@ -1,7 +0,0 @@ -# glogname - -> ഈ കമാൻഡ് `-p linux logname` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux logname` diff --git a/pages.ml/osx/gls.md b/pages.ml/osx/gls.md deleted file mode 100644 index e4091e645..000000000 --- a/pages.ml/osx/gls.md +++ /dev/null @@ -1,7 +0,0 @@ -# gls - -> ഈ കമാൻഡ് `-p linux ls` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux ls` diff --git a/pages.ml/osx/gmake.md b/pages.ml/osx/gmake.md deleted file mode 100644 index de9669002..000000000 --- a/pages.ml/osx/gmake.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmake - -> ഈ കമാൻഡ് `-p linux make` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux make` diff --git a/pages.ml/osx/gmd5sum.md b/pages.ml/osx/gmd5sum.md deleted file mode 100644 index 14ad7cfc0..000000000 --- a/pages.ml/osx/gmd5sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmd5sum - -> ഈ കമാൻഡ് `-p linux md5sum` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux md5sum` diff --git a/pages.ml/osx/gmkdir.md b/pages.ml/osx/gmkdir.md deleted file mode 100644 index 7269d06c6..000000000 --- a/pages.ml/osx/gmkdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmkdir - -> ഈ കമാൻഡ് `-p linux mkdir` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux mkdir` diff --git a/pages.ml/osx/gmkfifo.md b/pages.ml/osx/gmkfifo.md deleted file mode 100644 index 60187ea04..000000000 --- a/pages.ml/osx/gmkfifo.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmkfifo - -> ഈ കമാൻഡ് `-p linux mkfifo` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux mkfifo` diff --git a/pages.ml/osx/gmknod.md b/pages.ml/osx/gmknod.md deleted file mode 100644 index 920d80d94..000000000 --- a/pages.ml/osx/gmknod.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmknod - -> ഈ കമാൻഡ് `-p linux mknod` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux mknod` diff --git a/pages.ml/osx/gmktemp.md b/pages.ml/osx/gmktemp.md deleted file mode 100644 index 813369989..000000000 --- a/pages.ml/osx/gmktemp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmktemp - -> ഈ കമാൻഡ് `-p linux mktemp` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux mktemp` diff --git a/pages.ml/osx/gmv.md b/pages.ml/osx/gmv.md deleted file mode 100644 index c59d18195..000000000 --- a/pages.ml/osx/gmv.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmv - -> ഈ കമാൻഡ് `-p linux mv` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux mv` diff --git a/pages.ml/osx/gnice.md b/pages.ml/osx/gnice.md deleted file mode 100644 index ff99df9aa..000000000 --- a/pages.ml/osx/gnice.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnice - -> ഈ കമാൻഡ് `-p linux nice` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux nice` diff --git a/pages.ml/osx/gnl.md b/pages.ml/osx/gnl.md deleted file mode 100644 index 1f900573f..000000000 --- a/pages.ml/osx/gnl.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnl - -> ഈ കമാൻഡ് `-p linux nl` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux nl` diff --git a/pages.ml/osx/gnohup.md b/pages.ml/osx/gnohup.md deleted file mode 100644 index c95d2d384..000000000 --- a/pages.ml/osx/gnohup.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnohup - -> ഈ കമാൻഡ് `-p linux nohup` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux nohup` diff --git a/pages.ml/osx/gnproc.md b/pages.ml/osx/gnproc.md deleted file mode 100644 index 2824fed46..000000000 --- a/pages.ml/osx/gnproc.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnproc - -> ഈ കമാൻഡ് `-p linux nproc` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux nproc` diff --git a/pages.ml/osx/gnumfmt.md b/pages.ml/osx/gnumfmt.md deleted file mode 100644 index b10e6dfdc..000000000 --- a/pages.ml/osx/gnumfmt.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnumfmt - -> ഈ കമാൻഡ് `-p linux numfmt` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux numfmt` diff --git a/pages.ml/osx/god.md b/pages.ml/osx/god.md deleted file mode 100644 index 476eaec69..000000000 --- a/pages.ml/osx/god.md +++ /dev/null @@ -1,7 +0,0 @@ -# god - -> ഈ കമാൻഡ് `-p linux od` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux od` diff --git a/pages.ml/osx/gpaste.md b/pages.ml/osx/gpaste.md deleted file mode 100644 index 339bb5936..000000000 --- a/pages.ml/osx/gpaste.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpaste - -> ഈ കമാൻഡ് `-p linux paste` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux paste` diff --git a/pages.ml/osx/gpathchk.md b/pages.ml/osx/gpathchk.md deleted file mode 100644 index a411dbddf..000000000 --- a/pages.ml/osx/gpathchk.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpathchk - -> ഈ കമാൻഡ് `-p linux pathchk` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux pathchk` diff --git a/pages.ml/osx/gping.md b/pages.ml/osx/gping.md deleted file mode 100644 index 63f6e706a..000000000 --- a/pages.ml/osx/gping.md +++ /dev/null @@ -1,7 +0,0 @@ -# gping - -> ഈ കമാൻഡ് `-p linux ping` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux ping` diff --git a/pages.ml/osx/gping6.md b/pages.ml/osx/gping6.md deleted file mode 100644 index 5dbdb649f..000000000 --- a/pages.ml/osx/gping6.md +++ /dev/null @@ -1,7 +0,0 @@ -# gping6 - -> ഈ കമാൻഡ് `-p linux ping6` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux ping6` diff --git a/pages.ml/osx/gpinky.md b/pages.ml/osx/gpinky.md deleted file mode 100644 index bbf83e994..000000000 --- a/pages.ml/osx/gpinky.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpinky - -> ഈ കമാൻഡ് `-p linux pinky` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux pinky` diff --git a/pages.ml/osx/gpr.md b/pages.ml/osx/gpr.md deleted file mode 100644 index 94b3e4447..000000000 --- a/pages.ml/osx/gpr.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpr - -> ഈ കമാൻഡ് `-p linux pr` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux pr` diff --git a/pages.ml/osx/gprintenv.md b/pages.ml/osx/gprintenv.md deleted file mode 100644 index 042826f72..000000000 --- a/pages.ml/osx/gprintenv.md +++ /dev/null @@ -1,7 +0,0 @@ -# gprintenv - -> ഈ കമാൻഡ് `-p linux printenv` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux printenv` diff --git a/pages.ml/osx/gprintf.md b/pages.ml/osx/gprintf.md deleted file mode 100644 index 5e01a5d09..000000000 --- a/pages.ml/osx/gprintf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gprintf - -> ഈ കമാൻഡ് `-p linux printf` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux printf` diff --git a/pages.ml/osx/gptx.md b/pages.ml/osx/gptx.md deleted file mode 100644 index 35fb7ea2a..000000000 --- a/pages.ml/osx/gptx.md +++ /dev/null @@ -1,7 +0,0 @@ -# gptx - -> ഈ കമാൻഡ് `-p linux ptx` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux ptx` diff --git a/pages.ml/osx/gpwd.md b/pages.ml/osx/gpwd.md deleted file mode 100644 index 3492bdbef..000000000 --- a/pages.ml/osx/gpwd.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpwd - -> ഈ കമാൻഡ് `-p linux pwd` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux pwd` diff --git a/pages.ml/osx/grcp.md b/pages.ml/osx/grcp.md deleted file mode 100644 index 6a2b659d9..000000000 --- a/pages.ml/osx/grcp.md +++ /dev/null @@ -1,7 +0,0 @@ -# grcp - -> ഈ കമാൻഡ് `-p linux rcp` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux rcp` diff --git a/pages.ml/osx/greadlink.md b/pages.ml/osx/greadlink.md deleted file mode 100644 index 526ce93c7..000000000 --- a/pages.ml/osx/greadlink.md +++ /dev/null @@ -1,7 +0,0 @@ -# greadlink - -> ഈ കമാൻഡ് `-p linux readlink` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux readlink` diff --git a/pages.ml/osx/grealpath.md b/pages.ml/osx/grealpath.md deleted file mode 100644 index df7134ed6..000000000 --- a/pages.ml/osx/grealpath.md +++ /dev/null @@ -1,7 +0,0 @@ -# grealpath - -> ഈ കമാൻഡ് `-p linux realpath` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux realpath` diff --git a/pages.ml/osx/grexec.md b/pages.ml/osx/grexec.md deleted file mode 100644 index 79d04147d..000000000 --- a/pages.ml/osx/grexec.md +++ /dev/null @@ -1,7 +0,0 @@ -# grexec - -> ഈ കമാൻഡ് `-p linux rexec` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux rexec` diff --git a/pages.ml/osx/grlogin.md b/pages.ml/osx/grlogin.md deleted file mode 100644 index 242219cd4..000000000 --- a/pages.ml/osx/grlogin.md +++ /dev/null @@ -1,7 +0,0 @@ -# grlogin - -> ഈ കമാൻഡ് `-p linux rlogin` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux rlogin` diff --git a/pages.ml/osx/grm.md b/pages.ml/osx/grm.md deleted file mode 100644 index 2c4bcd902..000000000 --- a/pages.ml/osx/grm.md +++ /dev/null @@ -1,7 +0,0 @@ -# grm - -> ഈ കമാൻഡ് `-p linux rm` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux rm` diff --git a/pages.ml/osx/grmdir.md b/pages.ml/osx/grmdir.md deleted file mode 100644 index 9c91bda4a..000000000 --- a/pages.ml/osx/grmdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# grmdir - -> ഈ കമാൻഡ് `-p linux rmdir` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux rmdir` diff --git a/pages.ml/osx/grsh.md b/pages.ml/osx/grsh.md deleted file mode 100644 index 19061a803..000000000 --- a/pages.ml/osx/grsh.md +++ /dev/null @@ -1,7 +0,0 @@ -# grsh - -> ഈ കമാൻഡ് `-p linux rsh` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux rsh` diff --git a/pages.ml/osx/gruncon.md b/pages.ml/osx/gruncon.md deleted file mode 100644 index a345e05bc..000000000 --- a/pages.ml/osx/gruncon.md +++ /dev/null @@ -1,7 +0,0 @@ -# gruncon - -> ഈ കമാൻഡ് `-p linux runcon` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux runcon` diff --git a/pages.ml/osx/gsed.md b/pages.ml/osx/gsed.md deleted file mode 100644 index 8977f8769..000000000 --- a/pages.ml/osx/gsed.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsed - -> ഈ കമാൻഡ് `-p linux sed` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux sed` diff --git a/pages.ml/osx/gseq.md b/pages.ml/osx/gseq.md deleted file mode 100644 index a307b54de..000000000 --- a/pages.ml/osx/gseq.md +++ /dev/null @@ -1,7 +0,0 @@ -# gseq - -> ഈ കമാൻഡ് `-p linux seq` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux seq` diff --git a/pages.ml/osx/gsha1sum.md b/pages.ml/osx/gsha1sum.md deleted file mode 100644 index 48dd03a30..000000000 --- a/pages.ml/osx/gsha1sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha1sum - -> ഈ കമാൻഡ് `-p linux sha1sum` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux sha1sum` diff --git a/pages.ml/osx/gsha224sum.md b/pages.ml/osx/gsha224sum.md deleted file mode 100644 index a91b0991e..000000000 --- a/pages.ml/osx/gsha224sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha224sum - -> ഈ കമാൻഡ് `-p linux sha224sum` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux sha224sum` diff --git a/pages.ml/osx/gsha256sum.md b/pages.ml/osx/gsha256sum.md deleted file mode 100644 index 9fc2e9876..000000000 --- a/pages.ml/osx/gsha256sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha256sum - -> ഈ കമാൻഡ് `-p linux sha256sum` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux sha256sum` diff --git a/pages.ml/osx/gsha384sum.md b/pages.ml/osx/gsha384sum.md deleted file mode 100644 index 5c41e262d..000000000 --- a/pages.ml/osx/gsha384sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha384sum - -> ഈ കമാൻഡ് `-p linux sha384sum` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux sha384sum` diff --git a/pages.ml/osx/gsha512sum.md b/pages.ml/osx/gsha512sum.md deleted file mode 100644 index 7926609db..000000000 --- a/pages.ml/osx/gsha512sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha512sum - -> ഈ കമാൻഡ് `-p linux sha512sum` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux sha512sum` diff --git a/pages.ml/osx/gshred.md b/pages.ml/osx/gshred.md deleted file mode 100644 index 00b09d02a..000000000 --- a/pages.ml/osx/gshred.md +++ /dev/null @@ -1,7 +0,0 @@ -# gshred - -> ഈ കമാൻഡ് `-p linux shred` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux shred` diff --git a/pages.ml/osx/gshuf.md b/pages.ml/osx/gshuf.md deleted file mode 100644 index 05fa24c3d..000000000 --- a/pages.ml/osx/gshuf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gshuf - -> ഈ കമാൻഡ് `-p linux shuf` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux shuf` diff --git a/pages.ml/osx/gsleep.md b/pages.ml/osx/gsleep.md deleted file mode 100644 index 8f342ae54..000000000 --- a/pages.ml/osx/gsleep.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsleep - -> ഈ കമാൻഡ് `-p linux sleep` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux sleep` diff --git a/pages.ml/osx/gsort.md b/pages.ml/osx/gsort.md deleted file mode 100644 index 74bd93603..000000000 --- a/pages.ml/osx/gsort.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsort - -> ഈ കമാൻഡ് `-p linux sort` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux sort` diff --git a/pages.ml/osx/gsplit.md b/pages.ml/osx/gsplit.md deleted file mode 100644 index 0dbdf050b..000000000 --- a/pages.ml/osx/gsplit.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsplit - -> ഈ കമാൻഡ് `-p linux split` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux split` diff --git a/pages.ml/osx/gstat.md b/pages.ml/osx/gstat.md deleted file mode 100644 index a544b10c8..000000000 --- a/pages.ml/osx/gstat.md +++ /dev/null @@ -1,7 +0,0 @@ -# gstat - -> ഈ കമാൻഡ് `-p linux stat` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux stat` diff --git a/pages.ml/osx/gstdbuf.md b/pages.ml/osx/gstdbuf.md deleted file mode 100644 index 7d0f86a73..000000000 --- a/pages.ml/osx/gstdbuf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gstdbuf - -> ഈ കമാൻഡ് `-p linux stdbuf` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux stdbuf` diff --git a/pages.ml/osx/gstty.md b/pages.ml/osx/gstty.md deleted file mode 100644 index 997db6a65..000000000 --- a/pages.ml/osx/gstty.md +++ /dev/null @@ -1,7 +0,0 @@ -# gstty - -> ഈ കമാൻഡ് `-p linux stty` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux stty` diff --git a/pages.ml/osx/gsum.md b/pages.ml/osx/gsum.md deleted file mode 100644 index d69a75f35..000000000 --- a/pages.ml/osx/gsum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsum - -> ഈ കമാൻഡ് `-p linux sum` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux sum` diff --git a/pages.ml/osx/gsync.md b/pages.ml/osx/gsync.md deleted file mode 100644 index c2b377632..000000000 --- a/pages.ml/osx/gsync.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsync - -> ഈ കമാൻഡ് `-p linux sync` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux sync` diff --git a/pages.ml/osx/gtac.md b/pages.ml/osx/gtac.md deleted file mode 100644 index e03b84ade..000000000 --- a/pages.ml/osx/gtac.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtac - -> ഈ കമാൻഡ് `-p linux tac` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux tac` diff --git a/pages.ml/osx/gtail.md b/pages.ml/osx/gtail.md deleted file mode 100644 index 867538bc1..000000000 --- a/pages.ml/osx/gtail.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtail - -> ഈ കമാൻഡ് `-p linux tail` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux tail` diff --git a/pages.ml/osx/gtalk.md b/pages.ml/osx/gtalk.md deleted file mode 100644 index 1ff3362e8..000000000 --- a/pages.ml/osx/gtalk.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtalk - -> ഈ കമാൻഡ് `-p linux talk` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux talk` diff --git a/pages.ml/osx/gtar.md b/pages.ml/osx/gtar.md deleted file mode 100644 index 8aaebe794..000000000 --- a/pages.ml/osx/gtar.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtar - -> ഈ കമാൻഡ് `-p linux tar` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux tar` diff --git a/pages.ml/osx/gtee.md b/pages.ml/osx/gtee.md deleted file mode 100644 index 77e13e224..000000000 --- a/pages.ml/osx/gtee.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtee - -> ഈ കമാൻഡ് `-p linux tee` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux tee` diff --git a/pages.ml/osx/gtelnet.md b/pages.ml/osx/gtelnet.md deleted file mode 100644 index 9d65dbe39..000000000 --- a/pages.ml/osx/gtelnet.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtelnet - -> ഈ കമാൻഡ് `-p linux telnet` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux telnet` diff --git a/pages.ml/osx/gtest.md b/pages.ml/osx/gtest.md deleted file mode 100644 index 09ff05419..000000000 --- a/pages.ml/osx/gtest.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtest - -> ഈ കമാൻഡ് `-p linux test` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux test` diff --git a/pages.ml/osx/gtftp.md b/pages.ml/osx/gtftp.md deleted file mode 100644 index 64774ec49..000000000 --- a/pages.ml/osx/gtftp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtftp - -> ഈ കമാൻഡ് `-p linux tftp` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux tftp` diff --git a/pages.ml/osx/gtime.md b/pages.ml/osx/gtime.md deleted file mode 100644 index 67b8a2060..000000000 --- a/pages.ml/osx/gtime.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtime - -> ഈ കമാൻഡ് `-p linux time` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux time` diff --git a/pages.ml/osx/gtimeout.md b/pages.ml/osx/gtimeout.md deleted file mode 100644 index e08b30cd1..000000000 --- a/pages.ml/osx/gtimeout.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtimeout - -> ഈ കമാൻഡ് `-p linux timeout` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux timeout` diff --git a/pages.ml/osx/gtouch.md b/pages.ml/osx/gtouch.md deleted file mode 100644 index ec43c9e2e..000000000 --- a/pages.ml/osx/gtouch.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtouch - -> ഈ കമാൻഡ് `-p linux touch` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux touch` diff --git a/pages.ml/osx/gtr.md b/pages.ml/osx/gtr.md deleted file mode 100644 index 6e1ff1532..000000000 --- a/pages.ml/osx/gtr.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtr - -> ഈ കമാൻഡ് `-p linux tr` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux tr` diff --git a/pages.ml/osx/gtraceroute.md b/pages.ml/osx/gtraceroute.md deleted file mode 100644 index 110b7a177..000000000 --- a/pages.ml/osx/gtraceroute.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtraceroute - -> ഈ കമാൻഡ് `-p linux traceroute` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux traceroute` diff --git a/pages.ml/osx/gtrue.md b/pages.ml/osx/gtrue.md deleted file mode 100644 index 4c3686417..000000000 --- a/pages.ml/osx/gtrue.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtrue - -> ഈ കമാൻഡ് `-p linux true` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux true` diff --git a/pages.ml/osx/gtruncate.md b/pages.ml/osx/gtruncate.md deleted file mode 100644 index 9e0039a64..000000000 --- a/pages.ml/osx/gtruncate.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtruncate - -> ഈ കമാൻഡ് `-p linux truncate` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux truncate` diff --git a/pages.ml/osx/gtsort.md b/pages.ml/osx/gtsort.md deleted file mode 100644 index 8d5525b99..000000000 --- a/pages.ml/osx/gtsort.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtsort - -> ഈ കമാൻഡ് `-p linux tsort` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux tsort` diff --git a/pages.ml/osx/gtty.md b/pages.ml/osx/gtty.md deleted file mode 100644 index 3644c0cca..000000000 --- a/pages.ml/osx/gtty.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtty - -> ഈ കമാൻഡ് `-p linux tty` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux tty` diff --git a/pages.ml/osx/guname.md b/pages.ml/osx/guname.md deleted file mode 100644 index cd0298579..000000000 --- a/pages.ml/osx/guname.md +++ /dev/null @@ -1,7 +0,0 @@ -# guname - -> ഈ കമാൻഡ് `-p linux uname` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux uname` diff --git a/pages.ml/osx/gunexpand.md b/pages.ml/osx/gunexpand.md deleted file mode 100644 index 40a7b18fd..000000000 --- a/pages.ml/osx/gunexpand.md +++ /dev/null @@ -1,7 +0,0 @@ -# gunexpand - -> ഈ കമാൻഡ് `-p linux unexpand` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux unexpand` diff --git a/pages.ml/osx/guniq.md b/pages.ml/osx/guniq.md deleted file mode 100644 index 4bb13d250..000000000 --- a/pages.ml/osx/guniq.md +++ /dev/null @@ -1,7 +0,0 @@ -# guniq - -> ഈ കമാൻഡ് `-p linux uniq` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux uniq` diff --git a/pages.ml/osx/gunits.md b/pages.ml/osx/gunits.md deleted file mode 100644 index c22ff94d1..000000000 --- a/pages.ml/osx/gunits.md +++ /dev/null @@ -1,7 +0,0 @@ -# gunits - -> ഈ കമാൻഡ് `-p linux units` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux units` diff --git a/pages.ml/osx/gunlink.md b/pages.ml/osx/gunlink.md deleted file mode 100644 index 858b41218..000000000 --- a/pages.ml/osx/gunlink.md +++ /dev/null @@ -1,7 +0,0 @@ -# gunlink - -> ഈ കമാൻഡ് `-p linux unlink` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux unlink` diff --git a/pages.ml/osx/gupdatedb.md b/pages.ml/osx/gupdatedb.md deleted file mode 100644 index 86a1dae09..000000000 --- a/pages.ml/osx/gupdatedb.md +++ /dev/null @@ -1,7 +0,0 @@ -# gupdatedb - -> ഈ കമാൻഡ് `-p linux updatedb` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux updatedb` diff --git a/pages.ml/osx/guptime.md b/pages.ml/osx/guptime.md deleted file mode 100644 index 9ad956c83..000000000 --- a/pages.ml/osx/guptime.md +++ /dev/null @@ -1,7 +0,0 @@ -# guptime - -> ഈ കമാൻഡ് `-p linux uptime` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux uptime` diff --git a/pages.ml/osx/gusers.md b/pages.ml/osx/gusers.md deleted file mode 100644 index cdfd0891a..000000000 --- a/pages.ml/osx/gusers.md +++ /dev/null @@ -1,7 +0,0 @@ -# gusers - -> ഈ കമാൻഡ് `-p linux users` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux users` diff --git a/pages.ml/osx/gvdir.md b/pages.ml/osx/gvdir.md deleted file mode 100644 index aeac00f9b..000000000 --- a/pages.ml/osx/gvdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# gvdir - -> ഈ കമാൻഡ് `-p linux vdir` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux vdir` diff --git a/pages.ml/osx/gwc.md b/pages.ml/osx/gwc.md deleted file mode 100644 index ec038762c..000000000 --- a/pages.ml/osx/gwc.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwc - -> ഈ കമാൻഡ് `-p linux wc` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux wc` diff --git a/pages.ml/osx/gwhich.md b/pages.ml/osx/gwhich.md deleted file mode 100644 index e6b76c93b..000000000 --- a/pages.ml/osx/gwhich.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwhich - -> ഈ കമാൻഡ് `-p linux which` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux which` diff --git a/pages.ml/osx/gwho.md b/pages.ml/osx/gwho.md deleted file mode 100644 index 24b59b287..000000000 --- a/pages.ml/osx/gwho.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwho - -> ഈ കമാൻഡ് `-p linux who` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux who` diff --git a/pages.ml/osx/gwhoami.md b/pages.ml/osx/gwhoami.md deleted file mode 100644 index 3efa11749..000000000 --- a/pages.ml/osx/gwhoami.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwhoami - -> ഈ കമാൻഡ് `-p linux whoami` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux whoami` diff --git a/pages.ml/osx/gwhois.md b/pages.ml/osx/gwhois.md deleted file mode 100644 index cd0fda85a..000000000 --- a/pages.ml/osx/gwhois.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwhois - -> ഈ കമാൻഡ് `-p linux whois` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux whois` diff --git a/pages.ml/osx/gxargs.md b/pages.ml/osx/gxargs.md deleted file mode 100644 index f43971082..000000000 --- a/pages.ml/osx/gxargs.md +++ /dev/null @@ -1,7 +0,0 @@ -# gxargs - -> ഈ കമാൻഡ് `-p linux xargs` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux xargs` diff --git a/pages.ml/osx/gyes.md b/pages.ml/osx/gyes.md deleted file mode 100644 index 0f8773197..000000000 --- a/pages.ml/osx/gyes.md +++ /dev/null @@ -1,7 +0,0 @@ -# gyes - -> ഈ കമാൻഡ് `-p linux yes` എന്നത്തിന്റെ അപരനാമമാണ്. - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr -p linux yes` diff --git a/pages.ml/osx/launchd.md b/pages.ml/osx/launchd.md deleted file mode 100644 index de1e2d320..000000000 --- a/pages.ml/osx/launchd.md +++ /dev/null @@ -1,8 +0,0 @@ -# launchd - -> ഈ കമാൻഡ് `launchctl` എന്നത്തിന്റെ അപരനാമമാണ്. -> കൂടുതൽ വിവരങ്ങൾ: . - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr launchctl` diff --git a/pages.ml/windows/chrome.md b/pages.ml/windows/chrome.md deleted file mode 100644 index 6d1c7f5bd..000000000 --- a/pages.ml/windows/chrome.md +++ /dev/null @@ -1,8 +0,0 @@ -# chrome - -> ഈ കമാൻഡ് `chromium` എന്നത്തിന്റെ അപരനാമമാണ്. -> കൂടുതൽ വിവരങ്ങൾ: . - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr chromium` diff --git a/pages.ml/windows/cpush.md b/pages.ml/windows/cpush.md deleted file mode 100644 index be5cea1c4..000000000 --- a/pages.ml/windows/cpush.md +++ /dev/null @@ -1,8 +0,0 @@ -# cpush - -> ഈ കമാൻഡ് `choco-push` എന്നത്തിന്റെ അപരനാമമാണ്. -> കൂടുതൽ വിവരങ്ങൾ: . - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr choco-push` diff --git a/pages.ml/windows/rd.md b/pages.ml/windows/rd.md deleted file mode 100644 index b988eb2fa..000000000 --- a/pages.ml/windows/rd.md +++ /dev/null @@ -1,8 +0,0 @@ -# rd - -> ഈ കമാൻഡ് `rmdir` എന്നത്തിന്റെ അപരനാമമാണ്. -> കൂടുതൽ വിവരങ്ങൾ: . - -- യഥാർത്ഥ കമാൻഡിനായി ഡോക്യുമെന്റേഷൻ കാണുക: - -`tldr rmdir` diff --git a/pages.ne/common/cat.md b/pages.ne/common/cat.md index 2ed607540..8f7afde01 100644 --- a/pages.ne/common/cat.md +++ b/pages.ne/common/cat.md @@ -1,7 +1,7 @@ # cat > फाइलहरू देखाउनुहोस् र जोड्नुहोस्। -> थप जानकारी: । +> थप जानकारी: । - फाइल भित्रका कुराहरुलाई मानक आउटपुटमा देखाउनुहोस्: diff --git a/pages.ne/common/clamav.md b/pages.ne/common/clamav.md index b5d0140dc..e0d1aadd6 100644 --- a/pages.ne/common/clamav.md +++ b/pages.ne/common/clamav.md @@ -1,4 +1,4 @@ -# clamav +# ClamAV > यो आदेश `clamdscan` को उपनाम हो | > थप जानकारी: । diff --git a/pages.ne/common/clang-cpp.md b/pages.ne/common/clang-cpp.md deleted file mode 100644 index f2615a6eb..000000000 --- a/pages.ne/common/clang-cpp.md +++ /dev/null @@ -1,7 +0,0 @@ -# clang-cpp - -> यो आदेश `clang++` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr clang++` diff --git a/pages.ne/common/clojure.md b/pages.ne/common/clojure.md deleted file mode 100644 index 628bb5070..000000000 --- a/pages.ne/common/clojure.md +++ /dev/null @@ -1,7 +0,0 @@ -# clojure - -> यो आदेश `clj` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr clj` diff --git a/pages.ne/common/cola.md b/pages.ne/common/cola.md deleted file mode 100644 index dd4a06b26..000000000 --- a/pages.ne/common/cola.md +++ /dev/null @@ -1,7 +0,0 @@ -# cola - -> यो आदेश `git-cola` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr git-cola` diff --git a/pages.ne/common/cron.md b/pages.ne/common/cron.md deleted file mode 100644 index ef4e361d9..000000000 --- a/pages.ne/common/cron.md +++ /dev/null @@ -1,7 +0,0 @@ -# cron - -> यो आदेश `crontab` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr crontab` diff --git a/pages.ne/common/docker-compose.md b/pages.ne/common/docker-compose.md index 8db8fd3c5..2b29a2505 100644 --- a/pages.ne/common/docker-compose.md +++ b/pages.ne/common/docker-compose.md @@ -1,7 +1,7 @@ # docker compose > बहु कन्टेनर डकर अनुप्रयोगहरू चलाउनुहोस् र व्यवस्थापन गर्नुहोस्। -> थप जानकारी: । +> थप जानकारी: । - सबै चलिरहेको कन्टेनरहरू सूचीबद्ध गर्नुहोस्: diff --git a/pages.ne/common/fossil-ci.md b/pages.ne/common/fossil-ci.md index 0cf9efb9e..b5b3597ca 100644 --- a/pages.ne/common/fossil-ci.md +++ b/pages.ne/common/fossil-ci.md @@ -1,6 +1,6 @@ -# fossil-ci +# fossil ci -> यो आदेश `fossil-commit` को उपनाम हो | +> यो आदेश `fossil commit`.को उपनाम हो | > थप जानकारी: । - मौलिक आदेशको लागि कागजात हेर्नुहोस्: diff --git a/pages.ne/common/fossil-delete.md b/pages.ne/common/fossil-delete.md index 17a53a892..7b5312d4d 100644 --- a/pages.ne/common/fossil-delete.md +++ b/pages.ne/common/fossil-delete.md @@ -1,4 +1,4 @@ -# fossil-delete +# fossil delete > यो आदेश `fossil rm` को उपनाम हो | > थप जानकारी: । diff --git a/pages.ne/common/fossil-forget.md b/pages.ne/common/fossil-forget.md index 82477f924..ea20916d0 100644 --- a/pages.ne/common/fossil-forget.md +++ b/pages.ne/common/fossil-forget.md @@ -1,4 +1,4 @@ -# fossil-forget +# fossil forget > यो आदेश `fossil rm` को उपनाम हो | > थप जानकारी: । diff --git a/pages.ne/common/fossil-new.md b/pages.ne/common/fossil-new.md index 949528949..1a72e833f 100644 --- a/pages.ne/common/fossil-new.md +++ b/pages.ne/common/fossil-new.md @@ -1,6 +1,6 @@ -# fossil-new +# fossil new -> यो आदेश `fossil-init` को उपनाम हो | +> यो आदेश `fossil init`.को उपनाम हो | > थप जानकारी: । - मौलिक आदेशको लागि कागजात हेर्नुहोस्: diff --git a/pages.ne/common/gh-cs.md b/pages.ne/common/gh-cs.md index 43992fc6f..aba52f099 100644 --- a/pages.ne/common/gh-cs.md +++ b/pages.ne/common/gh-cs.md @@ -1,6 +1,6 @@ -# gh-cs +# gh cs -> यो आदेश `gh-codespace` को उपनाम हो | +> यो आदेश `gh codespace`.को उपनाम हो | > थप जानकारी: । - मौलिक आदेशको लागि कागजात हेर्नुहोस्: diff --git a/pages.ne/common/gnmic-sub.md b/pages.ne/common/gnmic-sub.md index 9a107477a..4db4b9248 100644 --- a/pages.ne/common/gnmic-sub.md +++ b/pages.ne/common/gnmic-sub.md @@ -1,4 +1,4 @@ -# gnmic-sub +# gnmic sub > यो आदेश `gnmic subscribe` को उपनाम हो | > थप जानकारी: । diff --git a/pages.ne/common/hx.md b/pages.ne/common/hx.md deleted file mode 100644 index 7a50df7a7..000000000 --- a/pages.ne/common/hx.md +++ /dev/null @@ -1,7 +0,0 @@ -# hx - -> यो आदेश `helix` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr helix` diff --git a/pages.ne/common/kafkacat.md b/pages.ne/common/kafkacat.md deleted file mode 100644 index 79b12371f..000000000 --- a/pages.ne/common/kafkacat.md +++ /dev/null @@ -1,7 +0,0 @@ -# kafkacat - -> यो आदेश `kcat` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr kcat` diff --git a/pages.ne/common/llvm-ar.md b/pages.ne/common/llvm-ar.md deleted file mode 100644 index 38f5b0abc..000000000 --- a/pages.ne/common/llvm-ar.md +++ /dev/null @@ -1,7 +0,0 @@ -# llvm-ar - -> यो आदेश `ar` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr ar` diff --git a/pages.ne/common/llvm-g++.md b/pages.ne/common/llvm-g++.md deleted file mode 100644 index 47f7f924c..000000000 --- a/pages.ne/common/llvm-g++.md +++ /dev/null @@ -1,7 +0,0 @@ -# llvm-g++ - -> यो आदेश `clang++` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr clang++` diff --git a/pages.ne/common/llvm-gcc.md b/pages.ne/common/llvm-gcc.md deleted file mode 100644 index df8e4940d..000000000 --- a/pages.ne/common/llvm-gcc.md +++ /dev/null @@ -1,7 +0,0 @@ -# llvm-gcc - -> यो आदेश `clang` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr clang` diff --git a/pages.ne/common/llvm-nm.md b/pages.ne/common/llvm-nm.md deleted file mode 100644 index b966856fc..000000000 --- a/pages.ne/common/llvm-nm.md +++ /dev/null @@ -1,7 +0,0 @@ -# llvm-nm - -> यो आदेश `nm` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr nm` diff --git a/pages.ne/common/llvm-objdump.md b/pages.ne/common/llvm-objdump.md deleted file mode 100644 index 7f127c6e8..000000000 --- a/pages.ne/common/llvm-objdump.md +++ /dev/null @@ -1,7 +0,0 @@ -# llvm-objdump - -> यो आदेश `objdump` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr objdump` diff --git a/pages.ne/common/llvm-strings.md b/pages.ne/common/llvm-strings.md deleted file mode 100644 index 43ee58032..000000000 --- a/pages.ne/common/llvm-strings.md +++ /dev/null @@ -1,7 +0,0 @@ -# llvm-strings - -> यो आदेश `strings` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr strings` diff --git a/pages.ne/common/nm-classic.md b/pages.ne/common/nm-classic.md deleted file mode 100644 index 991a881d4..000000000 --- a/pages.ne/common/nm-classic.md +++ /dev/null @@ -1,7 +0,0 @@ -# nm-classic - -> यो आदेश `nm` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr nm` diff --git a/pages.ne/common/pio-init.md b/pages.ne/common/pio-init.md index d2c9da4e9..727873937 100644 --- a/pages.ne/common/pio-init.md +++ b/pages.ne/common/pio-init.md @@ -1,4 +1,4 @@ -# pio-init +# pio init > यो आदेश `pio project` को उपनाम हो | diff --git a/pages.ne/common/piodebuggdb.md b/pages.ne/common/piodebuggdb.md deleted file mode 100644 index bc34584c5..000000000 --- a/pages.ne/common/piodebuggdb.md +++ /dev/null @@ -1,7 +0,0 @@ -# piodebuggdb - -> यो आदेश `pio debug` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr pio debug` diff --git a/pages.ne/common/ptpython3.md b/pages.ne/common/ptpython3.md deleted file mode 100644 index dce91b767..000000000 --- a/pages.ne/common/ptpython3.md +++ /dev/null @@ -1,7 +0,0 @@ -# ptpython3 - -> यो आदेश `ptpython` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr ptpython` diff --git a/pages.ne/common/python3.md b/pages.ne/common/python3.md deleted file mode 100644 index e7f33ec87..000000000 --- a/pages.ne/common/python3.md +++ /dev/null @@ -1,7 +0,0 @@ -# python3 - -> यो आदेश `python` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr python` diff --git a/pages.ne/common/r2.md b/pages.ne/common/r2.md deleted file mode 100644 index 5b3d19ee7..000000000 --- a/pages.ne/common/r2.md +++ /dev/null @@ -1,7 +0,0 @@ -# r2 - -> यो आदेश `radare2` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr radare2` diff --git a/pages.ne/common/rcat.md b/pages.ne/common/rcat.md deleted file mode 100644 index db55ae567..000000000 --- a/pages.ne/common/rcat.md +++ /dev/null @@ -1,7 +0,0 @@ -# rcat - -> यो आदेश `rc` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr rc` diff --git a/pages.ne/common/ripgrep.md b/pages.ne/common/ripgrep.md deleted file mode 100644 index 7a014a878..000000000 --- a/pages.ne/common/ripgrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# ripgrep - -> यो आदेश `rg` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr rg` diff --git a/pages.ne/common/tlmgr-arch.md b/pages.ne/common/tlmgr-arch.md index 25083aea4..e6edcb4ae 100644 --- a/pages.ne/common/tlmgr-arch.md +++ b/pages.ne/common/tlmgr-arch.md @@ -1,4 +1,4 @@ -# tlmgr-arch +# tlmgr arch > यो आदेश `tlmgr platform` को उपनाम हो | > थप जानकारी: । diff --git a/pages.ne/common/vi.md b/pages.ne/common/vi.md deleted file mode 100644 index 10bb55baf..000000000 --- a/pages.ne/common/vi.md +++ /dev/null @@ -1,7 +0,0 @@ -# vi - -> यो आदेश `vim` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr vim` diff --git a/pages.ne/linux/ip-route-list.md b/pages.ne/linux/ip-route-list.md index a26dc2c49..8363596d0 100644 --- a/pages.ne/linux/ip-route-list.md +++ b/pages.ne/linux/ip-route-list.md @@ -1,6 +1,6 @@ -# ip-route-list +# ip route list -> यो आदेश `ip-route-show` को उपनाम हो | +> यो आदेश `ip route show`.को उपनाम हो | - मौलिक आदेशको लागि कागजात हेर्नुहोस्: diff --git a/pages.ne/osx/aa.md b/pages.ne/osx/aa.md deleted file mode 100644 index d79214e85..000000000 --- a/pages.ne/osx/aa.md +++ /dev/null @@ -1,7 +0,0 @@ -# aa - -> यो आदेश `yaa` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr yaa` diff --git a/pages.ne/osx/g[.md b/pages.ne/osx/g[.md deleted file mode 100644 index 4fd16472a..000000000 --- a/pages.ne/osx/g[.md +++ /dev/null @@ -1,7 +0,0 @@ -# g[ - -> यो आदेश `-p linux [` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux [` diff --git a/pages.ne/osx/gawk.md b/pages.ne/osx/gawk.md deleted file mode 100644 index 56da6e372..000000000 --- a/pages.ne/osx/gawk.md +++ /dev/null @@ -1,7 +0,0 @@ -# gawk - -> यो आदेश `-p linux awk` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux awk` diff --git a/pages.ne/osx/gb2sum.md b/pages.ne/osx/gb2sum.md deleted file mode 100644 index 980853ca5..000000000 --- a/pages.ne/osx/gb2sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gb2sum - -> यो आदेश `-p linux b2sum` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux b2sum` diff --git a/pages.ne/osx/gbase32.md b/pages.ne/osx/gbase32.md deleted file mode 100644 index 84c177bc1..000000000 --- a/pages.ne/osx/gbase32.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbase32 - -> यो आदेश `-p linux base32` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux base32` diff --git a/pages.ne/osx/gbase64.md b/pages.ne/osx/gbase64.md deleted file mode 100644 index ff4725bd4..000000000 --- a/pages.ne/osx/gbase64.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbase64 - -> यो आदेश `-p linux base64` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux base64` diff --git a/pages.ne/osx/gbasename.md b/pages.ne/osx/gbasename.md deleted file mode 100644 index c37fea266..000000000 --- a/pages.ne/osx/gbasename.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbasename - -> यो आदेश `-p linux basename` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux basename` diff --git a/pages.ne/osx/gbasenc.md b/pages.ne/osx/gbasenc.md deleted file mode 100644 index 4f8c104d1..000000000 --- a/pages.ne/osx/gbasenc.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbasenc - -> यो आदेश `-p linux basenc` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux basenc` diff --git a/pages.ne/osx/gcat.md b/pages.ne/osx/gcat.md deleted file mode 100644 index 55fb4791d..000000000 --- a/pages.ne/osx/gcat.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcat - -> यो आदेश `-p linux cat` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux cat` diff --git a/pages.ne/osx/gchcon.md b/pages.ne/osx/gchcon.md deleted file mode 100644 index e123646af..000000000 --- a/pages.ne/osx/gchcon.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchcon - -> यो आदेश `-p linux chcon` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux chcon` diff --git a/pages.ne/osx/gchgrp.md b/pages.ne/osx/gchgrp.md deleted file mode 100644 index 01d352689..000000000 --- a/pages.ne/osx/gchgrp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchgrp - -> यो आदेश `-p linux chgrp` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux chgrp` diff --git a/pages.ne/osx/gchmod.md b/pages.ne/osx/gchmod.md deleted file mode 100644 index 98dc4bf10..000000000 --- a/pages.ne/osx/gchmod.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchmod - -> यो आदेश `-p linux chmod` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux chmod` diff --git a/pages.ne/osx/gchown.md b/pages.ne/osx/gchown.md deleted file mode 100644 index 6a1e4e938..000000000 --- a/pages.ne/osx/gchown.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchown - -> यो आदेश `-p linux chown` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux chown` diff --git a/pages.ne/osx/gchroot.md b/pages.ne/osx/gchroot.md deleted file mode 100644 index 221841dc7..000000000 --- a/pages.ne/osx/gchroot.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchroot - -> यो आदेश `-p linux chroot` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux chroot` diff --git a/pages.ne/osx/gcksum.md b/pages.ne/osx/gcksum.md deleted file mode 100644 index 781ca5396..000000000 --- a/pages.ne/osx/gcksum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcksum - -> यो आदेश `-p linux cksum` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux cksum` diff --git a/pages.ne/osx/gcomm.md b/pages.ne/osx/gcomm.md deleted file mode 100644 index 5034d8549..000000000 --- a/pages.ne/osx/gcomm.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcomm - -> यो आदेश `-p linux comm` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux comm` diff --git a/pages.ne/osx/gcp.md b/pages.ne/osx/gcp.md deleted file mode 100644 index 2f7fe04ed..000000000 --- a/pages.ne/osx/gcp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcp - -> यो आदेश `-p linux cp` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux cp` diff --git a/pages.ne/osx/gcsplit.md b/pages.ne/osx/gcsplit.md deleted file mode 100644 index 25178473c..000000000 --- a/pages.ne/osx/gcsplit.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcsplit - -> यो आदेश `-p linux csplit` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux csplit` diff --git a/pages.ne/osx/gcut.md b/pages.ne/osx/gcut.md deleted file mode 100644 index 829f6dccc..000000000 --- a/pages.ne/osx/gcut.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcut - -> यो आदेश `-p linux cut` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux cut` diff --git a/pages.ne/osx/gdate.md b/pages.ne/osx/gdate.md deleted file mode 100644 index b91035f26..000000000 --- a/pages.ne/osx/gdate.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdate - -> यो आदेश `-p linux date` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux date` diff --git a/pages.ne/osx/gdd.md b/pages.ne/osx/gdd.md deleted file mode 100644 index a6e70b488..000000000 --- a/pages.ne/osx/gdd.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdd - -> यो आदेश `-p linux dd` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux dd` diff --git a/pages.ne/osx/gdf.md b/pages.ne/osx/gdf.md deleted file mode 100644 index 0bb6f5a8c..000000000 --- a/pages.ne/osx/gdf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdf - -> यो आदेश `-p linux df` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux df` diff --git a/pages.ne/osx/gdir.md b/pages.ne/osx/gdir.md deleted file mode 100644 index ed19a61e3..000000000 --- a/pages.ne/osx/gdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdir - -> यो आदेश `-p linux dir` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux dir` diff --git a/pages.ne/osx/gdircolors.md b/pages.ne/osx/gdircolors.md deleted file mode 100644 index 0f13fea4f..000000000 --- a/pages.ne/osx/gdircolors.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdircolors - -> यो आदेश `-p linux dircolors` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux dircolors` diff --git a/pages.ne/osx/gdirname.md b/pages.ne/osx/gdirname.md deleted file mode 100644 index 2efd1e9f2..000000000 --- a/pages.ne/osx/gdirname.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdirname - -> यो आदेश `-p linux dirname` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux dirname` diff --git a/pages.ne/osx/gdnsdomainname.md b/pages.ne/osx/gdnsdomainname.md deleted file mode 100644 index 053f4296d..000000000 --- a/pages.ne/osx/gdnsdomainname.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdnsdomainname - -> यो आदेश `-p linux dnsdomainname` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux dnsdomainname` diff --git a/pages.ne/osx/gecho.md b/pages.ne/osx/gecho.md deleted file mode 100644 index fe52871cb..000000000 --- a/pages.ne/osx/gecho.md +++ /dev/null @@ -1,7 +0,0 @@ -# gecho - -> यो आदेश `-p linux echo` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux echo` diff --git a/pages.ne/osx/ged.md b/pages.ne/osx/ged.md deleted file mode 100644 index e7b4f266b..000000000 --- a/pages.ne/osx/ged.md +++ /dev/null @@ -1,7 +0,0 @@ -# ged - -> यो आदेश `-p linux ed` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux ed` diff --git a/pages.ne/osx/gegrep.md b/pages.ne/osx/gegrep.md deleted file mode 100644 index 2f6b69dcb..000000000 --- a/pages.ne/osx/gegrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# gegrep - -> यो आदेश `-p linux egrep` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux egrep` diff --git a/pages.ne/osx/genv.md b/pages.ne/osx/genv.md deleted file mode 100644 index 198180550..000000000 --- a/pages.ne/osx/genv.md +++ /dev/null @@ -1,7 +0,0 @@ -# genv - -> यो आदेश `-p linux env` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux env` diff --git a/pages.ne/osx/gexpand.md b/pages.ne/osx/gexpand.md deleted file mode 100644 index d4c2a52ca..000000000 --- a/pages.ne/osx/gexpand.md +++ /dev/null @@ -1,7 +0,0 @@ -# gexpand - -> यो आदेश `-p linux expand` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux expand` diff --git a/pages.ne/osx/gexpr.md b/pages.ne/osx/gexpr.md deleted file mode 100644 index 9612c0094..000000000 --- a/pages.ne/osx/gexpr.md +++ /dev/null @@ -1,7 +0,0 @@ -# gexpr - -> यो आदेश `-p linux expr` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux expr` diff --git a/pages.ne/osx/gfactor.md b/pages.ne/osx/gfactor.md deleted file mode 100644 index 0d686e71c..000000000 --- a/pages.ne/osx/gfactor.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfactor - -> यो आदेश `-p linux factor` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux factor` diff --git a/pages.ne/osx/gfalse.md b/pages.ne/osx/gfalse.md deleted file mode 100644 index c7b33e3f0..000000000 --- a/pages.ne/osx/gfalse.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfalse - -> यो आदेश `-p linux false` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux false` diff --git a/pages.ne/osx/gfgrep.md b/pages.ne/osx/gfgrep.md deleted file mode 100644 index 3d47a311c..000000000 --- a/pages.ne/osx/gfgrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfgrep - -> यो आदेश `-p linux fgrep` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux fgrep` diff --git a/pages.ne/osx/gfind.md b/pages.ne/osx/gfind.md deleted file mode 100644 index c1e994e4d..000000000 --- a/pages.ne/osx/gfind.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfind - -> यो आदेश `-p linux find` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux find` diff --git a/pages.ne/osx/gfmt.md b/pages.ne/osx/gfmt.md deleted file mode 100644 index d96c64898..000000000 --- a/pages.ne/osx/gfmt.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfmt - -> यो आदेश `-p linux fmt` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux fmt` diff --git a/pages.ne/osx/gfold.md b/pages.ne/osx/gfold.md deleted file mode 100644 index d253e0d39..000000000 --- a/pages.ne/osx/gfold.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfold - -> यो आदेश `-p linux fold` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux fold` diff --git a/pages.ne/osx/gftp.md b/pages.ne/osx/gftp.md deleted file mode 100644 index 6129d0848..000000000 --- a/pages.ne/osx/gftp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gftp - -> यो आदेश `-p linux ftp` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux ftp` diff --git a/pages.ne/osx/ggrep.md b/pages.ne/osx/ggrep.md deleted file mode 100644 index 382e38363..000000000 --- a/pages.ne/osx/ggrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# ggrep - -> यो आदेश `-p linux grep` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux grep` diff --git a/pages.ne/osx/ggroups.md b/pages.ne/osx/ggroups.md deleted file mode 100644 index 2eaa1c145..000000000 --- a/pages.ne/osx/ggroups.md +++ /dev/null @@ -1,7 +0,0 @@ -# ggroups - -> यो आदेश `-p linux groups` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux groups` diff --git a/pages.ne/osx/ghead.md b/pages.ne/osx/ghead.md deleted file mode 100644 index 2593766dd..000000000 --- a/pages.ne/osx/ghead.md +++ /dev/null @@ -1,7 +0,0 @@ -# ghead - -> यो आदेश `-p linux head` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux head` diff --git a/pages.ne/osx/ghostid.md b/pages.ne/osx/ghostid.md deleted file mode 100644 index 0dc03414d..000000000 --- a/pages.ne/osx/ghostid.md +++ /dev/null @@ -1,7 +0,0 @@ -# ghostid - -> यो आदेश `-p linux hostid` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux hostid` diff --git a/pages.ne/osx/ghostname.md b/pages.ne/osx/ghostname.md deleted file mode 100644 index 89738f6bb..000000000 --- a/pages.ne/osx/ghostname.md +++ /dev/null @@ -1,7 +0,0 @@ -# ghostname - -> यो आदेश `-p linux hostname` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux hostname` diff --git a/pages.ne/osx/gid.md b/pages.ne/osx/gid.md deleted file mode 100644 index d2dbca59e..000000000 --- a/pages.ne/osx/gid.md +++ /dev/null @@ -1,7 +0,0 @@ -# gid - -> यो आदेश `-p linux id` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux id` diff --git a/pages.ne/osx/gifconfig.md b/pages.ne/osx/gifconfig.md deleted file mode 100644 index 8e0de6b59..000000000 --- a/pages.ne/osx/gifconfig.md +++ /dev/null @@ -1,7 +0,0 @@ -# gifconfig - -> यो आदेश `-p linux ifconfig` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux ifconfig` diff --git a/pages.ne/osx/gindent.md b/pages.ne/osx/gindent.md deleted file mode 100644 index 1a25bd9c0..000000000 --- a/pages.ne/osx/gindent.md +++ /dev/null @@ -1,7 +0,0 @@ -# gindent - -> यो आदेश `-p linux indent` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux indent` diff --git a/pages.ne/osx/ginstall.md b/pages.ne/osx/ginstall.md deleted file mode 100644 index bd931693b..000000000 --- a/pages.ne/osx/ginstall.md +++ /dev/null @@ -1,7 +0,0 @@ -# ginstall - -> यो आदेश `-p linux install` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux install` diff --git a/pages.ne/osx/gjoin.md b/pages.ne/osx/gjoin.md deleted file mode 100644 index ccec022ea..000000000 --- a/pages.ne/osx/gjoin.md +++ /dev/null @@ -1,7 +0,0 @@ -# gjoin - -> यो आदेश `-p linux join` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux join` diff --git a/pages.ne/osx/gkill.md b/pages.ne/osx/gkill.md deleted file mode 100644 index 9c58462f5..000000000 --- a/pages.ne/osx/gkill.md +++ /dev/null @@ -1,7 +0,0 @@ -# gkill - -> यो आदेश `-p linux kill` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux kill` diff --git a/pages.ne/osx/glibtool.md b/pages.ne/osx/glibtool.md deleted file mode 100644 index 71aa8efd0..000000000 --- a/pages.ne/osx/glibtool.md +++ /dev/null @@ -1,7 +0,0 @@ -# glibtool - -> यो आदेश `-p linux libtool` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux libtool` diff --git a/pages.ne/osx/glibtoolize.md b/pages.ne/osx/glibtoolize.md deleted file mode 100644 index aaa93cf5d..000000000 --- a/pages.ne/osx/glibtoolize.md +++ /dev/null @@ -1,7 +0,0 @@ -# glibtoolize - -> यो आदेश `-p linux libtoolize` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux libtoolize` diff --git a/pages.ne/osx/glink.md b/pages.ne/osx/glink.md deleted file mode 100644 index 37a2d19ff..000000000 --- a/pages.ne/osx/glink.md +++ /dev/null @@ -1,7 +0,0 @@ -# glink - -> यो आदेश `-p linux link` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux link` diff --git a/pages.ne/osx/gln.md b/pages.ne/osx/gln.md deleted file mode 100644 index 4c937f399..000000000 --- a/pages.ne/osx/gln.md +++ /dev/null @@ -1,7 +0,0 @@ -# gln - -> यो आदेश `-p linux ln` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux ln` diff --git a/pages.ne/osx/glocate.md b/pages.ne/osx/glocate.md deleted file mode 100644 index dce51778f..000000000 --- a/pages.ne/osx/glocate.md +++ /dev/null @@ -1,7 +0,0 @@ -# glocate - -> यो आदेश `-p linux locate` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux locate` diff --git a/pages.ne/osx/glogger.md b/pages.ne/osx/glogger.md deleted file mode 100644 index 279441a7a..000000000 --- a/pages.ne/osx/glogger.md +++ /dev/null @@ -1,7 +0,0 @@ -# glogger - -> यो आदेश `-p linux logger` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux logger` diff --git a/pages.ne/osx/glogname.md b/pages.ne/osx/glogname.md deleted file mode 100644 index c9513aaa8..000000000 --- a/pages.ne/osx/glogname.md +++ /dev/null @@ -1,7 +0,0 @@ -# glogname - -> यो आदेश `-p linux logname` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux logname` diff --git a/pages.ne/osx/gls.md b/pages.ne/osx/gls.md deleted file mode 100644 index c86d11ef8..000000000 --- a/pages.ne/osx/gls.md +++ /dev/null @@ -1,7 +0,0 @@ -# gls - -> यो आदेश `-p linux ls` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux ls` diff --git a/pages.ne/osx/gmake.md b/pages.ne/osx/gmake.md deleted file mode 100644 index 4b2c0f4d1..000000000 --- a/pages.ne/osx/gmake.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmake - -> यो आदेश `-p linux make` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux make` diff --git a/pages.ne/osx/gmd5sum.md b/pages.ne/osx/gmd5sum.md deleted file mode 100644 index 0968935ea..000000000 --- a/pages.ne/osx/gmd5sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmd5sum - -> यो आदेश `-p linux md5sum` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux md5sum` diff --git a/pages.ne/osx/gmkdir.md b/pages.ne/osx/gmkdir.md deleted file mode 100644 index f0235e2b5..000000000 --- a/pages.ne/osx/gmkdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmkdir - -> यो आदेश `-p linux mkdir` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux mkdir` diff --git a/pages.ne/osx/gmkfifo.md b/pages.ne/osx/gmkfifo.md deleted file mode 100644 index a991c4ad4..000000000 --- a/pages.ne/osx/gmkfifo.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmkfifo - -> यो आदेश `-p linux mkfifo` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux mkfifo` diff --git a/pages.ne/osx/gmknod.md b/pages.ne/osx/gmknod.md deleted file mode 100644 index 839031015..000000000 --- a/pages.ne/osx/gmknod.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmknod - -> यो आदेश `-p linux mknod` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux mknod` diff --git a/pages.ne/osx/gmktemp.md b/pages.ne/osx/gmktemp.md deleted file mode 100644 index 71b73bf2c..000000000 --- a/pages.ne/osx/gmktemp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmktemp - -> यो आदेश `-p linux mktemp` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux mktemp` diff --git a/pages.ne/osx/gmv.md b/pages.ne/osx/gmv.md deleted file mode 100644 index 8e89d7c36..000000000 --- a/pages.ne/osx/gmv.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmv - -> यो आदेश `-p linux mv` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux mv` diff --git a/pages.ne/osx/gnice.md b/pages.ne/osx/gnice.md deleted file mode 100644 index 4f3aaa910..000000000 --- a/pages.ne/osx/gnice.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnice - -> यो आदेश `-p linux nice` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux nice` diff --git a/pages.ne/osx/gnl.md b/pages.ne/osx/gnl.md deleted file mode 100644 index e81f2cbfd..000000000 --- a/pages.ne/osx/gnl.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnl - -> यो आदेश `-p linux nl` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux nl` diff --git a/pages.ne/osx/gnohup.md b/pages.ne/osx/gnohup.md deleted file mode 100644 index 4768557a8..000000000 --- a/pages.ne/osx/gnohup.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnohup - -> यो आदेश `-p linux nohup` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux nohup` diff --git a/pages.ne/osx/gnproc.md b/pages.ne/osx/gnproc.md deleted file mode 100644 index 013129964..000000000 --- a/pages.ne/osx/gnproc.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnproc - -> यो आदेश `-p linux nproc` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux nproc` diff --git a/pages.ne/osx/gnumfmt.md b/pages.ne/osx/gnumfmt.md deleted file mode 100644 index bd348ef35..000000000 --- a/pages.ne/osx/gnumfmt.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnumfmt - -> यो आदेश `-p linux numfmt` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux numfmt` diff --git a/pages.ne/osx/god.md b/pages.ne/osx/god.md deleted file mode 100644 index b83c11c8c..000000000 --- a/pages.ne/osx/god.md +++ /dev/null @@ -1,7 +0,0 @@ -# god - -> यो आदेश `-p linux od` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux od` diff --git a/pages.ne/osx/gpaste.md b/pages.ne/osx/gpaste.md deleted file mode 100644 index 385b4959a..000000000 --- a/pages.ne/osx/gpaste.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpaste - -> यो आदेश `-p linux paste` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux paste` diff --git a/pages.ne/osx/gpathchk.md b/pages.ne/osx/gpathchk.md deleted file mode 100644 index c753f4442..000000000 --- a/pages.ne/osx/gpathchk.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpathchk - -> यो आदेश `-p linux pathchk` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux pathchk` diff --git a/pages.ne/osx/gping.md b/pages.ne/osx/gping.md deleted file mode 100644 index 4abd6d36b..000000000 --- a/pages.ne/osx/gping.md +++ /dev/null @@ -1,7 +0,0 @@ -# gping - -> यो आदेश `-p linux ping` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux ping` diff --git a/pages.ne/osx/gping6.md b/pages.ne/osx/gping6.md deleted file mode 100644 index 9e1bb0511..000000000 --- a/pages.ne/osx/gping6.md +++ /dev/null @@ -1,7 +0,0 @@ -# gping6 - -> यो आदेश `-p linux ping6` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux ping6` diff --git a/pages.ne/osx/gpinky.md b/pages.ne/osx/gpinky.md deleted file mode 100644 index 71ac6867f..000000000 --- a/pages.ne/osx/gpinky.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpinky - -> यो आदेश `-p linux pinky` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux pinky` diff --git a/pages.ne/osx/gpr.md b/pages.ne/osx/gpr.md deleted file mode 100644 index e275c99da..000000000 --- a/pages.ne/osx/gpr.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpr - -> यो आदेश `-p linux pr` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux pr` diff --git a/pages.ne/osx/gprintenv.md b/pages.ne/osx/gprintenv.md deleted file mode 100644 index 0b1b8a9e3..000000000 --- a/pages.ne/osx/gprintenv.md +++ /dev/null @@ -1,7 +0,0 @@ -# gprintenv - -> यो आदेश `-p linux printenv` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux printenv` diff --git a/pages.ne/osx/gprintf.md b/pages.ne/osx/gprintf.md deleted file mode 100644 index 6ee8788b3..000000000 --- a/pages.ne/osx/gprintf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gprintf - -> यो आदेश `-p linux printf` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux printf` diff --git a/pages.ne/osx/gptx.md b/pages.ne/osx/gptx.md deleted file mode 100644 index 902d6e872..000000000 --- a/pages.ne/osx/gptx.md +++ /dev/null @@ -1,7 +0,0 @@ -# gptx - -> यो आदेश `-p linux ptx` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux ptx` diff --git a/pages.ne/osx/gpwd.md b/pages.ne/osx/gpwd.md deleted file mode 100644 index ed7357af3..000000000 --- a/pages.ne/osx/gpwd.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpwd - -> यो आदेश `-p linux pwd` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux pwd` diff --git a/pages.ne/osx/grcp.md b/pages.ne/osx/grcp.md deleted file mode 100644 index 1aa87940b..000000000 --- a/pages.ne/osx/grcp.md +++ /dev/null @@ -1,7 +0,0 @@ -# grcp - -> यो आदेश `-p linux rcp` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux rcp` diff --git a/pages.ne/osx/greadlink.md b/pages.ne/osx/greadlink.md deleted file mode 100644 index 01e60f021..000000000 --- a/pages.ne/osx/greadlink.md +++ /dev/null @@ -1,7 +0,0 @@ -# greadlink - -> यो आदेश `-p linux readlink` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux readlink` diff --git a/pages.ne/osx/grealpath.md b/pages.ne/osx/grealpath.md deleted file mode 100644 index c195ccb6e..000000000 --- a/pages.ne/osx/grealpath.md +++ /dev/null @@ -1,7 +0,0 @@ -# grealpath - -> यो आदेश `-p linux realpath` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux realpath` diff --git a/pages.ne/osx/grexec.md b/pages.ne/osx/grexec.md deleted file mode 100644 index 76746be0f..000000000 --- a/pages.ne/osx/grexec.md +++ /dev/null @@ -1,7 +0,0 @@ -# grexec - -> यो आदेश `-p linux rexec` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux rexec` diff --git a/pages.ne/osx/grlogin.md b/pages.ne/osx/grlogin.md deleted file mode 100644 index d9ca64e05..000000000 --- a/pages.ne/osx/grlogin.md +++ /dev/null @@ -1,7 +0,0 @@ -# grlogin - -> यो आदेश `-p linux rlogin` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux rlogin` diff --git a/pages.ne/osx/grm.md b/pages.ne/osx/grm.md deleted file mode 100644 index cd941b7f6..000000000 --- a/pages.ne/osx/grm.md +++ /dev/null @@ -1,7 +0,0 @@ -# grm - -> यो आदेश `-p linux rm` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux rm` diff --git a/pages.ne/osx/grmdir.md b/pages.ne/osx/grmdir.md deleted file mode 100644 index e7cdcadf4..000000000 --- a/pages.ne/osx/grmdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# grmdir - -> यो आदेश `-p linux rmdir` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux rmdir` diff --git a/pages.ne/osx/grsh.md b/pages.ne/osx/grsh.md deleted file mode 100644 index 802ce1699..000000000 --- a/pages.ne/osx/grsh.md +++ /dev/null @@ -1,7 +0,0 @@ -# grsh - -> यो आदेश `-p linux rsh` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux rsh` diff --git a/pages.ne/osx/gruncon.md b/pages.ne/osx/gruncon.md deleted file mode 100644 index f4d915fc5..000000000 --- a/pages.ne/osx/gruncon.md +++ /dev/null @@ -1,7 +0,0 @@ -# gruncon - -> यो आदेश `-p linux runcon` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux runcon` diff --git a/pages.ne/osx/gsed.md b/pages.ne/osx/gsed.md deleted file mode 100644 index da8f1c2dd..000000000 --- a/pages.ne/osx/gsed.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsed - -> यो आदेश `-p linux sed` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux sed` diff --git a/pages.ne/osx/gseq.md b/pages.ne/osx/gseq.md deleted file mode 100644 index 2c6638071..000000000 --- a/pages.ne/osx/gseq.md +++ /dev/null @@ -1,7 +0,0 @@ -# gseq - -> यो आदेश `-p linux seq` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux seq` diff --git a/pages.ne/osx/gsha1sum.md b/pages.ne/osx/gsha1sum.md deleted file mode 100644 index 90f41d7d5..000000000 --- a/pages.ne/osx/gsha1sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha1sum - -> यो आदेश `-p linux sha1sum` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux sha1sum` diff --git a/pages.ne/osx/gsha224sum.md b/pages.ne/osx/gsha224sum.md deleted file mode 100644 index 34b52c37f..000000000 --- a/pages.ne/osx/gsha224sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha224sum - -> यो आदेश `-p linux sha224sum` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux sha224sum` diff --git a/pages.ne/osx/gsha256sum.md b/pages.ne/osx/gsha256sum.md deleted file mode 100644 index c21e67aa5..000000000 --- a/pages.ne/osx/gsha256sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha256sum - -> यो आदेश `-p linux sha256sum` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux sha256sum` diff --git a/pages.ne/osx/gsha384sum.md b/pages.ne/osx/gsha384sum.md deleted file mode 100644 index 0602da5d3..000000000 --- a/pages.ne/osx/gsha384sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha384sum - -> यो आदेश `-p linux sha384sum` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux sha384sum` diff --git a/pages.ne/osx/gsha512sum.md b/pages.ne/osx/gsha512sum.md deleted file mode 100644 index 7da14f3d6..000000000 --- a/pages.ne/osx/gsha512sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha512sum - -> यो आदेश `-p linux sha512sum` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux sha512sum` diff --git a/pages.ne/osx/gshred.md b/pages.ne/osx/gshred.md deleted file mode 100644 index 0cf9533df..000000000 --- a/pages.ne/osx/gshred.md +++ /dev/null @@ -1,7 +0,0 @@ -# gshred - -> यो आदेश `-p linux shred` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux shred` diff --git a/pages.ne/osx/gshuf.md b/pages.ne/osx/gshuf.md deleted file mode 100644 index 518767356..000000000 --- a/pages.ne/osx/gshuf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gshuf - -> यो आदेश `-p linux shuf` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux shuf` diff --git a/pages.ne/osx/gsleep.md b/pages.ne/osx/gsleep.md deleted file mode 100644 index 0148c56cc..000000000 --- a/pages.ne/osx/gsleep.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsleep - -> यो आदेश `-p linux sleep` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux sleep` diff --git a/pages.ne/osx/gsort.md b/pages.ne/osx/gsort.md deleted file mode 100644 index 56a3f409b..000000000 --- a/pages.ne/osx/gsort.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsort - -> यो आदेश `-p linux sort` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux sort` diff --git a/pages.ne/osx/gsplit.md b/pages.ne/osx/gsplit.md deleted file mode 100644 index 45d4c86e0..000000000 --- a/pages.ne/osx/gsplit.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsplit - -> यो आदेश `-p linux split` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux split` diff --git a/pages.ne/osx/gstat.md b/pages.ne/osx/gstat.md deleted file mode 100644 index 03ad10d4d..000000000 --- a/pages.ne/osx/gstat.md +++ /dev/null @@ -1,7 +0,0 @@ -# gstat - -> यो आदेश `-p linux stat` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux stat` diff --git a/pages.ne/osx/gstdbuf.md b/pages.ne/osx/gstdbuf.md deleted file mode 100644 index cf2426e51..000000000 --- a/pages.ne/osx/gstdbuf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gstdbuf - -> यो आदेश `-p linux stdbuf` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux stdbuf` diff --git a/pages.ne/osx/gstty.md b/pages.ne/osx/gstty.md deleted file mode 100644 index 66c1bb4aa..000000000 --- a/pages.ne/osx/gstty.md +++ /dev/null @@ -1,7 +0,0 @@ -# gstty - -> यो आदेश `-p linux stty` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux stty` diff --git a/pages.ne/osx/gsum.md b/pages.ne/osx/gsum.md deleted file mode 100644 index 6a4df8979..000000000 --- a/pages.ne/osx/gsum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsum - -> यो आदेश `-p linux sum` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux sum` diff --git a/pages.ne/osx/gsync.md b/pages.ne/osx/gsync.md deleted file mode 100644 index e76b16f07..000000000 --- a/pages.ne/osx/gsync.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsync - -> यो आदेश `-p linux sync` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux sync` diff --git a/pages.ne/osx/gtac.md b/pages.ne/osx/gtac.md deleted file mode 100644 index f93869a00..000000000 --- a/pages.ne/osx/gtac.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtac - -> यो आदेश `-p linux tac` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux tac` diff --git a/pages.ne/osx/gtail.md b/pages.ne/osx/gtail.md deleted file mode 100644 index 07c7bffe2..000000000 --- a/pages.ne/osx/gtail.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtail - -> यो आदेश `-p linux tail` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux tail` diff --git a/pages.ne/osx/gtalk.md b/pages.ne/osx/gtalk.md deleted file mode 100644 index bc4a58958..000000000 --- a/pages.ne/osx/gtalk.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtalk - -> यो आदेश `-p linux talk` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux talk` diff --git a/pages.ne/osx/gtar.md b/pages.ne/osx/gtar.md deleted file mode 100644 index ff0715456..000000000 --- a/pages.ne/osx/gtar.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtar - -> यो आदेश `-p linux tar` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux tar` diff --git a/pages.ne/osx/gtee.md b/pages.ne/osx/gtee.md deleted file mode 100644 index 9fc50320e..000000000 --- a/pages.ne/osx/gtee.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtee - -> यो आदेश `-p linux tee` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux tee` diff --git a/pages.ne/osx/gtelnet.md b/pages.ne/osx/gtelnet.md deleted file mode 100644 index 7d8b25426..000000000 --- a/pages.ne/osx/gtelnet.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtelnet - -> यो आदेश `-p linux telnet` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux telnet` diff --git a/pages.ne/osx/gtest.md b/pages.ne/osx/gtest.md deleted file mode 100644 index c6e4518c5..000000000 --- a/pages.ne/osx/gtest.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtest - -> यो आदेश `-p linux test` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux test` diff --git a/pages.ne/osx/gtftp.md b/pages.ne/osx/gtftp.md deleted file mode 100644 index 292434793..000000000 --- a/pages.ne/osx/gtftp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtftp - -> यो आदेश `-p linux tftp` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux tftp` diff --git a/pages.ne/osx/gtime.md b/pages.ne/osx/gtime.md deleted file mode 100644 index 1a00b86ce..000000000 --- a/pages.ne/osx/gtime.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtime - -> यो आदेश `-p linux time` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux time` diff --git a/pages.ne/osx/gtimeout.md b/pages.ne/osx/gtimeout.md deleted file mode 100644 index 89a66f2e3..000000000 --- a/pages.ne/osx/gtimeout.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtimeout - -> यो आदेश `-p linux timeout` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux timeout` diff --git a/pages.ne/osx/gtouch.md b/pages.ne/osx/gtouch.md deleted file mode 100644 index 40e23a473..000000000 --- a/pages.ne/osx/gtouch.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtouch - -> यो आदेश `-p linux touch` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux touch` diff --git a/pages.ne/osx/gtr.md b/pages.ne/osx/gtr.md deleted file mode 100644 index 182b3f244..000000000 --- a/pages.ne/osx/gtr.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtr - -> यो आदेश `-p linux tr` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux tr` diff --git a/pages.ne/osx/gtraceroute.md b/pages.ne/osx/gtraceroute.md deleted file mode 100644 index f64af0d99..000000000 --- a/pages.ne/osx/gtraceroute.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtraceroute - -> यो आदेश `-p linux traceroute` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux traceroute` diff --git a/pages.ne/osx/gtrue.md b/pages.ne/osx/gtrue.md deleted file mode 100644 index 262fa5845..000000000 --- a/pages.ne/osx/gtrue.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtrue - -> यो आदेश `-p linux true` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux true` diff --git a/pages.ne/osx/gtruncate.md b/pages.ne/osx/gtruncate.md deleted file mode 100644 index 341c49e9d..000000000 --- a/pages.ne/osx/gtruncate.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtruncate - -> यो आदेश `-p linux truncate` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux truncate` diff --git a/pages.ne/osx/gtsort.md b/pages.ne/osx/gtsort.md deleted file mode 100644 index 957ee9a1e..000000000 --- a/pages.ne/osx/gtsort.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtsort - -> यो आदेश `-p linux tsort` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux tsort` diff --git a/pages.ne/osx/gtty.md b/pages.ne/osx/gtty.md deleted file mode 100644 index b2765b92d..000000000 --- a/pages.ne/osx/gtty.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtty - -> यो आदेश `-p linux tty` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux tty` diff --git a/pages.ne/osx/guname.md b/pages.ne/osx/guname.md deleted file mode 100644 index ce71be5f0..000000000 --- a/pages.ne/osx/guname.md +++ /dev/null @@ -1,7 +0,0 @@ -# guname - -> यो आदेश `-p linux uname` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux uname` diff --git a/pages.ne/osx/gunexpand.md b/pages.ne/osx/gunexpand.md deleted file mode 100644 index dedf9d2a8..000000000 --- a/pages.ne/osx/gunexpand.md +++ /dev/null @@ -1,7 +0,0 @@ -# gunexpand - -> यो आदेश `-p linux unexpand` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux unexpand` diff --git a/pages.ne/osx/guniq.md b/pages.ne/osx/guniq.md deleted file mode 100644 index 9d02f793c..000000000 --- a/pages.ne/osx/guniq.md +++ /dev/null @@ -1,7 +0,0 @@ -# guniq - -> यो आदेश `-p linux uniq` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux uniq` diff --git a/pages.ne/osx/gunits.md b/pages.ne/osx/gunits.md deleted file mode 100644 index a890a44cc..000000000 --- a/pages.ne/osx/gunits.md +++ /dev/null @@ -1,7 +0,0 @@ -# gunits - -> यो आदेश `-p linux units` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux units` diff --git a/pages.ne/osx/gunlink.md b/pages.ne/osx/gunlink.md deleted file mode 100644 index 7c4997fc0..000000000 --- a/pages.ne/osx/gunlink.md +++ /dev/null @@ -1,7 +0,0 @@ -# gunlink - -> यो आदेश `-p linux unlink` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux unlink` diff --git a/pages.ne/osx/gupdatedb.md b/pages.ne/osx/gupdatedb.md deleted file mode 100644 index 7318dba97..000000000 --- a/pages.ne/osx/gupdatedb.md +++ /dev/null @@ -1,7 +0,0 @@ -# gupdatedb - -> यो आदेश `-p linux updatedb` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux updatedb` diff --git a/pages.ne/osx/guptime.md b/pages.ne/osx/guptime.md deleted file mode 100644 index de919d2eb..000000000 --- a/pages.ne/osx/guptime.md +++ /dev/null @@ -1,7 +0,0 @@ -# guptime - -> यो आदेश `-p linux uptime` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux uptime` diff --git a/pages.ne/osx/gusers.md b/pages.ne/osx/gusers.md deleted file mode 100644 index c51833c23..000000000 --- a/pages.ne/osx/gusers.md +++ /dev/null @@ -1,7 +0,0 @@ -# gusers - -> यो आदेश `-p linux users` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux users` diff --git a/pages.ne/osx/gvdir.md b/pages.ne/osx/gvdir.md deleted file mode 100644 index f0bb5731f..000000000 --- a/pages.ne/osx/gvdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# gvdir - -> यो आदेश `-p linux vdir` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux vdir` diff --git a/pages.ne/osx/gwc.md b/pages.ne/osx/gwc.md deleted file mode 100644 index 77bf26537..000000000 --- a/pages.ne/osx/gwc.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwc - -> यो आदेश `-p linux wc` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux wc` diff --git a/pages.ne/osx/gwhich.md b/pages.ne/osx/gwhich.md deleted file mode 100644 index af123d0b6..000000000 --- a/pages.ne/osx/gwhich.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwhich - -> यो आदेश `-p linux which` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux which` diff --git a/pages.ne/osx/gwho.md b/pages.ne/osx/gwho.md deleted file mode 100644 index 6c5355b8f..000000000 --- a/pages.ne/osx/gwho.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwho - -> यो आदेश `-p linux who` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux who` diff --git a/pages.ne/osx/gwhoami.md b/pages.ne/osx/gwhoami.md deleted file mode 100644 index ae1c0d2bf..000000000 --- a/pages.ne/osx/gwhoami.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwhoami - -> यो आदेश `-p linux whoami` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux whoami` diff --git a/pages.ne/osx/gwhois.md b/pages.ne/osx/gwhois.md deleted file mode 100644 index d5b453dc3..000000000 --- a/pages.ne/osx/gwhois.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwhois - -> यो आदेश `-p linux whois` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux whois` diff --git a/pages.ne/osx/gxargs.md b/pages.ne/osx/gxargs.md deleted file mode 100644 index 610460b1d..000000000 --- a/pages.ne/osx/gxargs.md +++ /dev/null @@ -1,7 +0,0 @@ -# gxargs - -> यो आदेश `-p linux xargs` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux xargs` diff --git a/pages.ne/osx/gyes.md b/pages.ne/osx/gyes.md deleted file mode 100644 index 6495ffe41..000000000 --- a/pages.ne/osx/gyes.md +++ /dev/null @@ -1,7 +0,0 @@ -# gyes - -> यो आदेश `-p linux yes` को उपनाम हो | - -- मौलिक आदेशको लागि कागजात हेर्नुहोस्: - -`tldr -p linux yes` diff --git a/pages.nl/android/logcat.md b/pages.nl/android/logcat.md index cb5a556d8..b1507c279 100644 --- a/pages.nl/android/logcat.md +++ b/pages.nl/android/logcat.md @@ -17,8 +17,8 @@ - Toon logs voor een specifieke PID: -`logcat --pid={{pid}}` +`logcat --pid {{pid}}` - Toon logs voor een proces van een specifiek pakket: -`logcat --pid=$(pidof -s {{pakket}})` +`logcat --pid $(pidof -s {{pakket}})` diff --git a/pages.nl/android/wm.md b/pages.nl/android/wm.md index 399703762..b4dfa4903 100644 --- a/pages.nl/android/wm.md +++ b/pages.nl/android/wm.md @@ -6,8 +6,8 @@ - Toon de fysieke grootte van het scherm van een Android-apparaat: -`wm {{size}}` +`wm size` - Toon de fysieke dichtheid van het scherm van een Android-apparaat: -`wm {{density}}` +`wm density` diff --git a/pages.nl/common/!.md b/pages.nl/common/!.md index eba38804b..b46b7cedc 100644 --- a/pages.nl/common/!.md +++ b/pages.nl/common/!.md @@ -1,19 +1,19 @@ # Exclamation mark > Ingebouwd in Bash om te vervangen met een commando in de geschiedenis. -> Meer informatie: . +> Meer informatie: . - Vervang het vorige commando en voer het uit met sudo: `sudo !!` -- Vervang met een commando op basis van het lijnnummer gevonden met`history`: +- Vervang met een commando op basis van het regelnummer gevonden met `history`: -`!{{number}}` +`!{{nummer}}` - Vervang met een commando dat een bepaald aantal regels terug werd gebruikt: -`!-{{number}}` +`!-{{nummer}}` - Vervang met het meest recente commando die begint met string: @@ -21,4 +21,8 @@ - Vervang met de argumenten van het laatste commando: -`{{command}} !*` +`{{commando}} !*` + +- Substitute met het laatste argument van het laatste commando:: + +`{{commando}} !$` diff --git a/pages.nl/common/2to3.md b/pages.nl/common/2to3.md index 5d48ef451..46901a491 100644 --- a/pages.nl/common/2to3.md +++ b/pages.nl/common/2to3.md @@ -13,11 +13,11 @@ - Converteer specifieke Python 2-taalfuncties naar Python 3: -`2to3 --write {{pad/naar/bestand.py}} --fix={{raw_input}} --fix={{print}}` +`2to3 --write {{pad/naar/bestand.py}} --fix {{raw_input}} --fix {{print}}` - Converteer alle Python 2-taalfuncties behalve de gespecificeerde naar Python 3: -`2to3 --write {{pad/naar/bestand.py}} --nofix={{has_key}} --nofix={{isinstance}}` +`2to3 --write {{pad/naar/bestand.py}} --nofix {{has_key}} --nofix {{isinstance}}` - Geef een lijst weer met alle beschikbare taalfuncties die kunnen worden geconverteerd van Python 2 naar Python 3: @@ -25,8 +25,8 @@ - Converteer alle Python 2-bestanden in een map naar Python 3: -`2to3 --output-dir={{pad/naar/python3_map}} --write-unchanged-files --nobackups {{pad/naar/python2_map}}` +`2to3 --output-dir {{pad/naar/python3_map}} --write-unchanged-files --nobackups {{pad/naar/python2_map}}` - Voer 2to3 uit met meerdere threads: -`2to3 --processes={{4}} --output-dir={{pad/naar/python3_map}} --write --nobackups --no-diff {{pad/naar/python2_map}}` +`2to3 --processes {{4}} --output-dir {{pad/naar/python3_map}} --write --nobackups --no-diff {{pad/naar/python2_map}}` diff --git a/pages.nl/common/7zr.md b/pages.nl/common/7zr.md index d2f6e715b..af56b1422 100644 --- a/pages.nl/common/7zr.md +++ b/pages.nl/common/7zr.md @@ -1,7 +1,7 @@ # 7zr > Bestandsarchiver met een hoge compressieverhouding. -> Vergelijkbaar met `7z`, behalve dat het alleen `.7z`-bestanden ondersteunt. +> Vergelijkbaar met `7z`, behalve dat het alleen 7z-bestanden ondersteunt. > Meer informatie: . - Archiveer een bestand of map: diff --git a/pages.nl/common/[.md b/pages.nl/common/[.md index 4d608244f..202c684d8 100644 --- a/pages.nl/common/[.md +++ b/pages.nl/common/[.md @@ -2,7 +2,7 @@ > Controleer bestandstypes en vergelijk waardes. > Geeft een 0 terug als de voorwaarde waar (true) is, als het niet waar (false) is geeft het een 1 terug. -> Meer informatie: . +> Meer informatie: . - Test of een gegeven variabele gelijk is aan een gegeven tekst: diff --git a/pages.nl/common/[[.md b/pages.nl/common/[[.md index 2350f8264..d5d8dab79 100644 --- a/pages.nl/common/[[.md +++ b/pages.nl/common/[[.md @@ -2,7 +2,7 @@ > Controleer bestandstypen en vergelijk waarden. > Retourneert een status van 0 als de voorwaarde resulteert in waar, 1 als deze resulteert in onwaar. -> Meer informatie: . +> Meer informatie: . - Test of een gegeven variabele gelijk/niet gelijk is aan de opgegeven string: diff --git a/pages.nl/common/^.md b/pages.nl/common/^.md new file mode 100644 index 000000000..1f807be8d --- /dev/null +++ b/pages.nl/common/^.md @@ -0,0 +1,17 @@ +# Caret + +> Bash ingebouwd commando om snel een string in het vorige commando te vervangen en het resultaat uit te voeren. +> Equivalent aan `!!:s^string1^string2`. +> Meer informatie: . + +- Voer het vorige commando uit waarbij `string1` wordt vervangen door `string2`: + +`^{{string1}}^{{string2}}` + +- Verwijder `string1` uit het vorige commando: + +`^{{string1}}^` + +- Vervang `string1` door `string2` in het vorige commando en voeg `string3` toe aan het einde ervan: + +`^{{string1}}^{{string2}}^{{string3}}` diff --git a/pages.nl/common/a2ping.md b/pages.nl/common/a2ping.md index 90241621d..15921a494 100644 --- a/pages.nl/common/a2ping.md +++ b/pages.nl/common/a2ping.md @@ -3,7 +3,7 @@ > Converteer afbeeldingen in EPS- of PDF-bestanden. > Meer informatie: . -- Converteer een afbeelding naar PDF (Opmerking: het opgeven van een uitvoerbestandsnaam is optioneel): +- Converteer een afbeelding naar PDF (Let op: het opgeven van een uitvoerbestandsnaam is optioneel): `a2ping {{pad/naar/afbeelding.ext}} {{pad/naar/uitvoer.pdf}}` @@ -11,11 +11,11 @@ `a2ping --nocompress {{none|zip|best|flate}} {{pad/naar/bestand}}` -- Scan HiResBoundingBox indien aanwezig (Opmerking: de standaard is yes): +- Scan HiResBoundingBox indien aanwezig (Let op: de standaard is yes): `a2ping --nohires {{pad/naar/bestand}}` -- Sta pagina-inhoud onder en links van de oorsprong toe (Opmerking: de standaard is no): +- Sta pagina-inhoud onder en links van de oorsprong toe (Let op: de standaard is no): `a2ping --below {{pad/naar/bestand}}` diff --git a/pages.nl/common/ac.md b/pages.nl/common/ac.md index a9fd0c162..29f7b3e36 100644 --- a/pages.nl/common/ac.md +++ b/pages.nl/common/ac.md @@ -1,20 +1,20 @@ # ac -> Druk statistieken af over hoe lang gebruikers verbonden zijn geweest. +> Toon statistieken over hoe lang gebruikers verbonden zijn geweest. > Meer informatie: . -- Druk af hoe lang de huidige gebruiker verbonden is in uren: +- Toon hoe lang de huidige gebruiker verbonden is in uren: `ac` -- Druk af hoe lang gebruikers verbonden zijn in uren: +- Toon hoe lang gebruikers verbonden zijn in uren: `ac -p` -- Druk af hoe lang een bepaalde gebruiker verbonden is in uren: +- Toon hoe lang een bepaalde gebruiker verbonden is in uren: `ac -p {{gebruikersnaam}}` -- Print hoe lang een bepaalde gebruiker verbonden is in uren per dag (met totaal): +- Toon hoe lang een bepaalde gebruiker verbonden is in uren per dag (met totaal): `ac -dp {{gebruikersnaam}}` diff --git a/pages.nl/common/accelerate.md b/pages.nl/common/accelerate.md index c5d436164..f44685db1 100644 --- a/pages.nl/common/accelerate.md +++ b/pages.nl/common/accelerate.md @@ -1,4 +1,4 @@ -# Accelerate +# accelerate > Accelerate is een bibliotheek waarmee dezelfde PyTorch-code kan worden uitgevoerd op elke gedistribueerde configuratie. > Meer informatie: . @@ -11,7 +11,7 @@ `accelerate config` -- Druk de geschatte GPU-geheugenkosten af van het uitvoeren van een Hugging Face model met verschillende gegevenstypen: +- Toon de geschatte GPU-geheugenkosten van het uitvoeren van een Hugging Face model met verschillende gegevenstypen: `accelerate estimate-memory {{name/model}}` diff --git a/pages.nl/common/ack.md b/pages.nl/common/ack.md index cd276bf5e..0e01bd1b8 100644 --- a/pages.nl/common/ack.md +++ b/pages.nl/common/ack.md @@ -1,7 +1,7 @@ # ack > Een zoektool zoals grep, geoptimaliseerd voor ontwikkelaars. -> Zie ook: `rg`, dat is veel sneller. +> Bekijk ook: `rg`, dat is veel sneller. > Meer informatie: . - Zoek recursief naar bestanden met een tekenreeks of reguliere expressie in de huidige map: @@ -18,17 +18,17 @@ - Beperk het zoeken tot bestanden van een specifiek type: -`ack --type={{ruby}} "{{zoekpatroon}}"` +`ack --type {{ruby}} "{{zoekpatroon}}"` - Zoek niet in bestanden van een specifiek type: -`ack --type=no{{ruby}} "{{zoekpatroon}}"` +`ack --type no{{ruby}} "{{zoekpatroon}}"` - Tel het totaal aantal gevonden matches: `ack --count --no-filename "{{zoekpatroon}}"` -- Druk alleen voor elk bestand de bestandsnamen en het aantal overeenkomsten af: +- Toon alleen voor elk bestand de bestandsnamen en het aantal overeenkomsten: `ack --count --files-with-matches "{{zoekpatroon}}"` diff --git a/pages.nl/common/acme.sh.md b/pages.nl/common/acme.sh.md index 02bdb5eaf..a5b2a39a1 100644 --- a/pages.nl/common/acme.sh.md +++ b/pages.nl/common/acme.sh.md @@ -1,7 +1,7 @@ # acme.sh > Shell-script dat het ACME-clientprotocol implementeert, een alternatief voor `certbot`. -> Zie ook `acme.sh dns`. +> Bekijk ook `acme.sh dns`. > Meer informatie: . - Geef een certificaat uit met behulp van de webroot-modus: diff --git a/pages.nl/common/adb-logcat.md b/pages.nl/common/adb-logcat.md index 57e0747d8..e94f13d9b 100644 --- a/pages.nl/common/adb-logcat.md +++ b/pages.nl/common/adb-logcat.md @@ -25,11 +25,11 @@ - Geef logboeken weer voor een specifiek proces: -`adb logcat --pid={{pid}}` +`adb logcat --pid {{pid}}` - Logboeken weergeven voor het proces van een specifiek pakket: -`adb logcat --pid=$(adb shell pidof -s {{pakket}})` +`adb logcat --pid $(adb shell pidof -s {{pakket}})` - Kleur de log in (gebruik meestal met filters): diff --git a/pages.nl/common/adscript.md b/pages.nl/common/adscript.md index 218f3a9c9..82dcf5d92 100644 --- a/pages.nl/common/adscript.md +++ b/pages.nl/common/adscript.md @@ -5,7 +5,7 @@ - Compileer een bestand naar een objectbestand: -`adscript --output {{pad/naar/bestand.o}} {{pad/naar/input_file.adscript}}` +`adscript --output {{pad/naar/bestand.o}} {{pad/naar/invoer_bestand.adscript}}` - Compileer en koppel een bestand aan een zelfstandig uitvoerbaar bestand: diff --git a/pages.nl/common/airodump-ng.md b/pages.nl/common/airodump-ng.md index 469b81b97..e52313675 100644 --- a/pages.nl/common/airodump-ng.md +++ b/pages.nl/common/airodump-ng.md @@ -4,10 +4,18 @@ > Deel van `aircrack-ng`. > Meer informatie: . -- Leg pakketten vast en geef informatie weer over een draadloos netwerk: +- Leg pakketten vast en geef informatie weer over draadloze netwerken op de 2.4GHz band: `sudo airodump-ng {{interface}}` +- Leg pakketten vast en geef informatie weer over draadloze netwerken op de 5GHz band: + +`sudo airodump-ng {{interface}} --band a` + +- Leg pakketten vast en geef informatie weer over draadloze netwerken op de 2.4GHz en de 5GHz band: + +`sudo airodump-ng {{interface}} --band abg` + - Leg pakketten vast en geef informatie weer over een draadloos netwerk met het MAC-adres en kanaal, en sla de uitvoer op in een bestand: `sudo airodump-ng --channel {{kanaal}} --write {{pad/naar/bestand}} --bssid {{mac}} {{interface}}` diff --git a/pages.nl/common/alacritty.md b/pages.nl/common/alacritty.md index f043e2ec0..5f33c747e 100644 --- a/pages.nl/common/alacritty.md +++ b/pages.nl/common/alacritty.md @@ -15,10 +15,10 @@ `alacritty -e {{bevel}}` -- Geef een alternatief configuratiebestand op (standaard ingesteld op `$XDG_CONFIG_HOME/alacritty/alacritty.yml`): +- Geef een alternatief configuratiebestand op (standaard ingesteld op `$XDG_CONFIG_HOME/alacritty/alacritty.toml`): -`alacritty --config-file {{pad/naar/config.yml}}` +`alacritty --config-file {{pad/naar/config.toml}}` -- Uitvoeren met live config reload ingeschakeld (kan ook standaard worden ingeschakeld in `alacritty.yml`): +- Uitvoeren met live config reload ingeschakeld (kan ook standaard worden ingeschakeld in `alacritty.toml`): -`alacritty --live-config-reload --config-file {{pad/naar/config.yml}}` +`alacritty --live-config-reload --config-file {{pad/naar/config.toml}}` diff --git a/pages.nl/common/amass-db.md b/pages.nl/common/amass-db.md deleted file mode 100644 index a6df40a84..000000000 --- a/pages.nl/common/amass-db.md +++ /dev/null @@ -1,20 +0,0 @@ -# amass db - -> Interactie met een Amass database. -> Meer informatie: . - -- Toon alle uitgevoerde opsommingen in de database: - -`amass db -dir {{pad/naar/database_map}} -list` - -- Toon de resultaten van een specifieke opsommingsindex en domeinnaam: - -`amass db -dir {{pad/naar/database_map}} -d {{domeinnaam}} -enum {{indexlijst}} -show` - -- Toon alle gevonden subdomeinen van een domeinnaam binnen de opsomming: - -`amass db -dir {{pad/naar/database_map}} -d {{domeinnaam}} -enum {{indexlijst}} -names` - -- Toon een samenvatting van de gevonden subdomeinen binnen de opsomming: - -`amass db -dir {{pad/naar/database_map}} -d {{domeinnaam}} -enum {{indexlijst}} -summary` diff --git a/pages.nl/common/amass-enum.md b/pages.nl/common/amass-enum.md index aa487b67c..4bc8064f0 100644 --- a/pages.nl/common/amass-enum.md +++ b/pages.nl/common/amass-enum.md @@ -1,17 +1,17 @@ # amass enum > Vind subdomeinen van een domein. -> Meer informatie: . +> Meer informatie: . -- Vind, passief, subdomeinen van een domein: +- Vind, passief, subdomeinen van een [d]omein: -`amass enum -passive -d {{domeinnaam}}` +`amass enum -d {{domeinnaam}}` -- Zoek subdomeinen van een domein en verifieer ze actief in een poging de gevonden subdomeinen op te lossen: +- Zoek subdomeinen van een [d]omein en verifieer ze actief in een poging de gevonden subdomeinen op te lossen: `amass enum -active -d {{domeinnaam}} -p {{80,443,8080}}` -- Doe een brute force zoekopdracht op een subdomein: +- Doe een brute force zoekopdracht op een sub[d]omein: `amass enum -brute -d {{domeinnaam}}` @@ -19,6 +19,10 @@ `amass enum -o {{uitvoer_bestand}} -d {{domeinnaam}}` -- Sla de resultaten op in een database: +- Sla de resultaten op in een database en andere gedetailleerde output naar een map: -`amass enum -o {{uitvoer_bestand}} -dir {{pad/naar/database_map}}` +`amass enum -o {{uitvoer_bestand}} -dir {{pad/naar/database_map}} -d {{domeinnaam}}` + +- Toon alle beschikbare databronnen: + +`amass enum -list` diff --git a/pages.nl/common/amass-intel.md b/pages.nl/common/amass-intel.md index d448dd5fe..6c9cecd4c 100644 --- a/pages.nl/common/amass-intel.md +++ b/pages.nl/common/amass-intel.md @@ -1,7 +1,7 @@ # amass intel > Verzamel open source informatie over een organisatie, zoals hoofddomeinen en ASN's. -> Meer informatie: . +> Meer informatie: . - Vind hoofddomeinen in een range van IP adressen: @@ -15,7 +15,7 @@ `amass intel -whois -d {{domeinnaam}}` -- Vind ASN's die bij een organisatie horen: +- Vind ASN's die bij een [org]anisatie horen: `amass intel -org {{organisatienaam}}` @@ -26,3 +26,7 @@ - Sla de resultaten op in een tekstbestand: `amass intel -o {{uitvoer_bestand}} -whois -d {{domeinnaam}}` + +- Toon alle beschikbare databronnen: + +`amass intel -list` diff --git a/pages.nl/common/amass.md b/pages.nl/common/amass.md index 65b05ac45..71675301a 100644 --- a/pages.nl/common/amass.md +++ b/pages.nl/common/amass.md @@ -1,20 +1,20 @@ # amass > Uitgebreide tool voor Attack Surface Mapping en Asset Discovery. -> Sommige subcommando's zoals `amass db` hebben hun eigen documentatie. -> Meer informatie: . +> Sommige subcommando's zoals `amass intel` hebben hun eigen documentatie. +> Meer informatie: . - Voer een Amass subcommando uit: -`amass {{subcommando}}` +`amass {{intel|enum}} {{opties}}` - Toon de generieke help pagina: `amass -help` -- Toon de help pagina van een subcommando (zoals `intel`, `enum` etc.): +- Toon de help pagina van een subcommando: -`amass -help {{subcommando}}` +`amass {{intel|enum}} -help` - Toon de huidige versie: diff --git a/pages.nl/common/arch.md b/pages.nl/common/arch.md index 4fe42be5c..359dc7e41 100644 --- a/pages.nl/common/arch.md +++ b/pages.nl/common/arch.md @@ -1,7 +1,7 @@ # arch > Geef de naam van de systeemarchitectuur weer. -> Zie ook `uname`. +> Bekijk ook `uname`. > Meer informatie: . - Geef de architectuur van het systeem weer: diff --git a/pages.nl/common/at.md b/pages.nl/common/at.md new file mode 100644 index 000000000..f469adc1a --- /dev/null +++ b/pages.nl/common/at.md @@ -0,0 +1,17 @@ +# at + +> Voer commando's eenmaal later uit. +> De service atd (of atrun) moet actief zijn voor de daadwerkelijke uitvoering. +> Meer informatie: . + +- Voer commando's uit van `stdin` over 5 minuten (druk op `Ctrl + D` als je klaar bent): + +`at now + 5 minutes` + +- Voer een commando uit van `stdin` om 10:00 AM vandaag: + +`echo "{{./make_db_backup.sh}}" | at 1000` + +- Voer commando's uit van een gegeven bestand volgende dinsdag: + +`at -f {{pad/naar/bestand}} 9:30 PM Tue` diff --git a/pages.nl/common/awk.md b/pages.nl/common/awk.md index e93bc3a46..50d9528c9 100644 --- a/pages.nl/common/awk.md +++ b/pages.nl/common/awk.md @@ -31,6 +31,6 @@ `awk '($10 == {{value}})'` -- Toon alle regels waarbij de waarde van de 10e kolom tussen een min en een max zit: +- Print een tabel van gebruikers met UID >= 1000 met header en opgemaakte uitvoer, gebruikmakend van een dubbele punt als scheidingsteken (`%-20s` betekent: 20 links uitgelijnde tekens, `%6s` betekent: 6 rechts uitgelijnde tekens): -`awk '($10 >= {{min_value}} && $10 <= {{max_value}})'` +`awk 'BEGIN {FS=":"; printf "%-20s %6s %25s\n", "Name", "UID", "Shell"} $3 >= 1000 {printf "%-20s %6d %25s\n", $1, $3, $7}' /etc/passwd` diff --git a/pages.nl/common/azure-cli.md b/pages.nl/common/azure-cli.md index 0c16467fd..3a3d5bbaf 100644 --- a/pages.nl/common/azure-cli.md +++ b/pages.nl/common/azure-cli.md @@ -1,4 +1,4 @@ -# azure cli +# azure-cli > Dit commando is een alias van `az`. > Meer informatie: . diff --git a/pages.nl/common/base32.md b/pages.nl/common/base32.md index df86d8a88..d1e8b6751 100644 --- a/pages.nl/common/base32.md +++ b/pages.nl/common/base32.md @@ -7,6 +7,10 @@ `base32 {{pad/naar/bestand}}` +- Zet gecodeerde uitvoer naar een specifieke breedte (`0` schakelt het uit): + +`base32 --wrap {{0|76|...}} {{pad/naar/bestand}}` + - Decodeer een bestand: `base32 --decode {{pad/naar/bestand}}` diff --git a/pages.nl/common/base64.md b/pages.nl/common/base64.md index 00a9a7d40..a786fccf2 100644 --- a/pages.nl/common/base64.md +++ b/pages.nl/common/base64.md @@ -7,6 +7,10 @@ `base64 {{bestandsnaam}}` +- Zet gecodeerde uitvoer naar een specifieke breedte (`0` schakelt het uit): + +`base64 --wrap {{0|76|...}} {{pad/naar/bestand}}` + - Decodeer een bestand: `base64 --decode {{bestandsnaam}}` diff --git a/pages.nl/common/bat.md b/pages.nl/common/bat.md index 7d0ee92d7..39392fdc8 100644 --- a/pages.nl/common/bat.md +++ b/pages.nl/common/bat.md @@ -10,20 +10,28 @@ - Voeg verschillende bestanden samen in het doelbestand: -`bat {{pad/naar/bestand1 pad/naar/bestand2 ...}} > {{doelbestand}}` +`bat {{pad/naar/bestand1 pad/naar/bestand2 ...}} > {{pad/naar/doelbestand}}` -- Voeg verschillende bestanden toe aan het doelbestand: +- Verwijder decoraties en schakel paging uit (`--style plain` kan vervangen worden met `-p` of beide opties met `-pp`): -`bat {{pad/naar/bestand1 pad/naar/bestand2 ...}} >> {{doelbestand}}` +`bat --style plain --pager never {{pad/naar/bestand}}` + +- Highlight een specifieke regel of een reeks van regels met een andere achtergrondkleur: + +`bat {{-H|--highlight-line}} {{10|5:10|:10|10:|10:+5}} {{pad/naar/bestand}}` + +- Toon niet-printbare karakters zoals spatie, tab of witregel: + +`bat {{-A|--show-all}} {{pad/naar/bestand}}` - Nummer alle uitvoerregels: -`bat --number {{pad/naar/bestand}}` +`bat {{-n|--number}} {{pad/naar/bestand}}` - Highlight de syntax van een JSON-bestand: -`bat --language json {{pad/naar/bestand.json}}` +`bat {{-l|--language}} json {{pad/naar/bestand.json}}` - Toon alle ondersteunde talen: -`bat --list-languages` +`bat {{-L|--list-languages}}` diff --git a/pages.nl/common/bc.md b/pages.nl/common/bc.md new file mode 100644 index 000000000..3953bc03d --- /dev/null +++ b/pages.nl/common/bc.md @@ -0,0 +1,33 @@ +# bc + +> Een rekenmachinetaal met willekeurige precisie. +> Zie ook: `dc`, `qalc`. +> Meer informatie: . + +- Start een interactieve sessie: + +`bc` + +- Start een [i]nteractieve sessie met de standaard wiskundige [b]ibliotheek ingeschakeld: + +`bc --interactive --mathlib` + +- Bereken een uitdrukking: + +`echo '{{5 / 3}}' | bc` + +- Voer een script uit: + +`bc {{pad/naar/script.bc}}` + +- Bereken een uitdrukking met de gespecificeerde schaal: + +`echo 'scale = {{10}}; {{5 / 3}}' | bc` + +- Bereken een sinus/cosinus/arctangens/natuurlijke logaritme/exponentiële functie met behulp van `mathlib`: + +`echo '{{s|c|a|l|e}}({{1}})' | bc --mathlib` + +- Voer een inline faculteitsscript uit: + +`echo "define factorial(n) { if (n <= 1) return 1; return n*factorial(n-1); }; factorial({{10}})" | bc` diff --git a/pages.nl/common/bird.md b/pages.nl/common/bird.md new file mode 100644 index 000000000..3d638dceb --- /dev/null +++ b/pages.nl/common/bird.md @@ -0,0 +1,13 @@ +# bird + +> BIRD Internet Routing Daemon. +> Routingdaemon met ondersteuning voor BGP, OSPF, Babel en anderen. +> Meer informatie: . + +- Start Bird met een specifiek configuratiebestand: + +`bird -c {{pad/naar/bird.conf}}` + +- Start Bird als een specifieke gebruiker en groep: + +`bird -u {{gebruikersnaam}} -g {{groep}}` diff --git a/pages.nl/common/bmptopnm.md b/pages.nl/common/bmptopnm.md new file mode 100644 index 000000000..abf98cdc9 --- /dev/null +++ b/pages.nl/common/bmptopnm.md @@ -0,0 +1,16 @@ +# bmptopnm + +> Converteer een BMP bestand naar een PBM, PGM of PNM afbeelding. +> Meer informatie: . + +- Genereer de PBM, PGM of PNM afbeelding als output, vanuit een Windows of OS/2 BMP afbeelding als input: + +`bmptopnm {{pad/naar/bestand.bmp}}` + +- Rapporteer de inhoud van een BMP header naar `stderr`: + +`bmptopnm -verbose {{pad/naar/bestand.bmp}}` + +- Toon de versie: + +`bmptopnm -version` diff --git a/pages.nl/common/bmptoppm.md b/pages.nl/common/bmptoppm.md new file mode 100644 index 000000000..6127ae32b --- /dev/null +++ b/pages.nl/common/bmptoppm.md @@ -0,0 +1,8 @@ +# bmptoppm + +> Dit commando is vervangen door `bmptopnm`. +> Meer informatie: . + +- Bekijk de documentatie van het huidige commando: + +`tldr bmptopnm` diff --git a/pages.nl/common/cal.md b/pages.nl/common/cal.md new file mode 100644 index 000000000..28a42154c --- /dev/null +++ b/pages.nl/common/cal.md @@ -0,0 +1,17 @@ +# cal + +> Toon een kalender met de huidige dag gemarkeerd. +> Bekijk ook: `gcal`. +> Meer informatie: . + +- Toon een kalender voor de huidige maand: + +`cal` + +- Toon een kalender voor een specifiek jaar: + +`cal {{jaar}}` + +- Toon een kalender voor een specifieke maand en jaar: + +`cal {{maand}} {{jaar}}` diff --git a/pages.nl/common/cat.md b/pages.nl/common/cat.md index cff255372..865de82dc 100644 --- a/pages.nl/common/cat.md +++ b/pages.nl/common/cat.md @@ -1,7 +1,7 @@ # cat > Toon en voeg bestanden samen. -> Meer informatie: . +> Meer informatie: . - Toon de inhoud van een bestand in `stdout`: diff --git a/pages.nl/common/certutil.md b/pages.nl/common/certutil.md new file mode 100644 index 000000000..1cf0d92f6 --- /dev/null +++ b/pages.nl/common/certutil.md @@ -0,0 +1,24 @@ +# certutil + +> Beheer sleutels en certificaten in zowel NSS-databases als andere NSS-tokens. +> Meer informatie: . + +- Maak een [N]ieuwe certificaatdatabase aan in de huidige [d]irectory: + +`certutil -N -d .` + +- Toon alle certificaten in een database: + +`certutil -L -d .` + +- Toon alle private [S]leutels in een database door het wachtwoord[b]estand te specificeren: + +`certutil -K -d . -f {{pad/naar/wachtwoord_bestand.txt}}` + +- [V]oeg het ondertekende certificaat toe aan de database van de aanvrager door een [b]ijnaam, [v]ertrouwensattributen en een [i]nvoer-CRT-bestand te specificeren: + +`certutil -A -n "{{server_certificaat}}" -t ",," -i {{pad/naar/bestand.crt}} -d .` + +- Voeg subject alternative names toe aan een [c]ertificaat met een specifieke sleutelgrootte ([g]): + +`certutil -S -f {{pad/naar/wachtwoordbestand.txt}} -d . -t ",," -c "{{server_certificaat}}" -n "{{server_naam}}" -g {{2048}} -s "CN={{common_name}},O={{organisatie}}"` diff --git a/pages.nl/common/chgrp.md b/pages.nl/common/chgrp.md index a5c4778bc..d62787eb2 100644 --- a/pages.nl/common/chgrp.md +++ b/pages.nl/common/chgrp.md @@ -17,4 +17,4 @@ - Verander de beheerdersgroep van een bestand/map naar de permissies van een referentiebestand: -`chgrp --reference={{pad/naar/referentiebestand}} {{pad/naar/bestand_of_map}}` +`chgrp --reference {{pad/naar/referentiebestand}} {{pad/naar/bestand_of_map}}` diff --git a/pages.nl/common/chown.md b/pages.nl/common/chown.md index b6dfa1ad1..7cd1e7569 100644 --- a/pages.nl/common/chown.md +++ b/pages.nl/common/chown.md @@ -11,6 +11,10 @@ `chown {{gebruiker}}:{{groep}} {{pad/naar/bestand_of_map}}` +- Verander de gebruikersbeheerder en -groep zodat beiden de naam `user` krijgen: + +`chown {{user}}: {{pad/naar/bestand_of_map}}` + - Verander recursief de beheerder van een map en alle inhoud: `chown -R {{gebruiker}} {{pad/naar/bestand_of_map}}` @@ -21,4 +25,4 @@ - Verander de beheerder van een bestand of map naar dezelfde als een referentiebestand: -`chown --reference={{pad/naar/referentiebestand}} {{pad/naar/bestand_of_map}}` +`chown --reference {{pad/naar/referentiebestand}} {{pad/naar/bestand_of_map}}` diff --git a/pages.nl/common/cksum.md b/pages.nl/common/cksum.md index ffdbb07f7..85fdf2120 100644 --- a/pages.nl/common/cksum.md +++ b/pages.nl/common/cksum.md @@ -1,7 +1,7 @@ # cksum > Bereken de CRC checksums en het aantal bytes van een bestand. -> Opmerking: op oudere UNIX systemen kan de CRC implementatie verschillen. +> Let op: op oudere UNIX systemen kan de CRC implementatie verschillen. > Meer informatie: . - Toon een 32-bit checksum, grootte in bytes en bestandsnaam: diff --git a/pages.nl/common/clang++.md b/pages.nl/common/clang++.md index e86df37bd..315cb113e 100644 --- a/pages.nl/common/clang++.md +++ b/pages.nl/common/clang++.md @@ -22,7 +22,7 @@ - Compileer broncode naar LLVM Intermediate Representation (IR): -`clang++ -S -emit-llvm {{pad/naar/bron.cpp}} -o {{pad/naar/output.ll}}` +`clang++ -S -emit-llvm {{pad/naar/bron.cpp}} -o {{pad/naar/uitvoer.ll}}` - Optimaliseer het gecompileerde programma voor prestaties: diff --git a/pages.nl/common/clear.md b/pages.nl/common/clear.md new file mode 100644 index 000000000..4db63d00b --- /dev/null +++ b/pages.nl/common/clear.md @@ -0,0 +1,20 @@ +# clear + +> Leegt het scherm van de terminal. +> Meer informatie: . + +- Maak het scherm leeg (gelijk aan het indrukken van Control-L in de Bash-shell): + +`clear` + +- Maak het scherm leeg maar behoud de scrollbackbuffer van de terminal: + +`clear -x` + +- Geef het type terminal aan dat leeggemaakt moet worden (standaard ingesteld op de waarde van de omgevingsvariabele `TERM`): + +`clear -T {{type_of_terminal}}` + +- Toon de versie van `ncurses` die door `clear` wordt gebruikt: + +`clear -V` diff --git a/pages.nl/common/compare.md b/pages.nl/common/compare.md new file mode 100644 index 000000000..aec28648e --- /dev/null +++ b/pages.nl/common/compare.md @@ -0,0 +1,7 @@ +# compare + +> Dit commando is een alias van `magick compare`. + +- Bekijk de documentatie van het originele commando: + +`tldr magick compare` diff --git a/pages.nl/common/convert.md b/pages.nl/common/convert.md new file mode 100644 index 000000000..5e4c83c20 --- /dev/null +++ b/pages.nl/common/convert.md @@ -0,0 +1,9 @@ +# convert + +> Dit commando is een alias van `magick convert`. +> Let op: deze alias is verouderd sinds ImageMagick 7. Het is vervangen door `magick`. +> Gebruik `magick convert` als je de oude tool wilt gebruiken in versies 7+. + +- Bekijk de documentatie van het originele commando: + +`tldr magick convert` diff --git a/pages.nl/common/coproc.md b/pages.nl/common/coproc.md new file mode 100644 index 000000000..a02ba9782 --- /dev/null +++ b/pages.nl/common/coproc.md @@ -0,0 +1,28 @@ +# coproc + +> Bash ingebouwd commando voor het maken van interactieve asynchrone subshells. +> Meer informatie: . + +- Voer een subshell asynchroon uit: + +`coproc { {{commando1; commando2; ...}}; }` + +- Maak een coprocess met een specifieke naam: + +`coproc {{naam}} { {{commando1; commando2; ...}}; }` + +- Schrijf naar de `stdin` van een specifiek coprocess: + +`echo "{{invoer}}" >&"${{{naam}}[1]}"` + +- Lees van de `stdout` van een specifiek coprocess: + +`read {{variabele}} <&"${{{naam}}[0]}"` + +- Maak een coprocess dat herhaaldelijk `stdin` leest en opdrachten op de invoer uitvoert: + +`coproc {{naam}} { while read line; do {{commando1; commando2; ...}}; done }` + +- Maak en gebruik een coprocess dat `bc` uitvoert: + +`coproc BC { bc --mathlib; }; echo "1/3" >&"${BC[1]}"; read output <&"${BC[0]}"; echo "$output"` diff --git a/pages.nl/common/cp.md b/pages.nl/common/cp.md new file mode 100644 index 000000000..f420bc2d6 --- /dev/null +++ b/pages.nl/common/cp.md @@ -0,0 +1,36 @@ +# cp + +> Kopieer bestanden en directories. +> Meer informatie: . + +- Kopieer een bestand naar een andere locatie: + +`cp {{pad/naar/bronbestand.ext}} {{pad/naar/doelbestand.ext}}` + +- Kopieer een bestand naar een andere directory, met behoud van de bestandsnaam: + +`cp {{pad/naar/bronbestand.ext}} {{pad/naar/doelmap}}` + +- Kopieer de inhoud van een directory recursief naar een andere locatie (als de bestemming bestaat, wordt de directory erin gekopieerd): + +`cp -R {{pad/naar/bronmap}} {{pad/naar/doelmap}}` + +- Kopieer een directory recursief, in verbose modus (toont bestanden terwijl ze worden gekopieerd): + +`cp -vR {{pad/naar/bronmap}} {{pad/naar/doelmap}}` + +- Kopieer meerdere bestanden tegelijk naar een directory: + +`cp -t {{pad/naar/doelmap}} {{pad/naar/bestand1 pad/naar/bestand2 ...}}` + +- Kopieer tekstbestanden naar een andere locatie, in interactieve modus (vraagt de gebruiker om bevestiging voordat overschrijven plaatsvindt): + +`cp -i {{*.txt}} {{pad/naar/doelmap}}` + +- Volg symbolische links voordat je kopieert: + +`cp -L {{link}} {{pad/naar/doelmap}}` + +- Gebruik het eerste argument als de doelmap (handig voor `xargs ... | cp -t `): + +`cp -t {{pad/naar/doelmap}} {{pad/naar/bestand_of_map1 pad/naar/bestand_of_map2 ...}}` diff --git a/pages.nl/common/curl.md b/pages.nl/common/curl.md new file mode 100644 index 000000000..75235b6ab --- /dev/null +++ b/pages.nl/common/curl.md @@ -0,0 +1,37 @@ +# curl + +> Zet gegevens over van of naar een server. +> Ondersteunt de meeste protocollen, waaronder HTTP, HTTPS, FTP, SCP, enz. +> Meer informatie: . + +- Maak een HTTP GET-verzoek en dump de inhoud naar `stdout`: + +`curl {{https://example.com}}` + +- Maak een HTTP GET-verzoek, vo[L]g eventuele `3xx` redirects, en [D]ump de antwoordheaders en inhoud naar `stdout`: + +`curl --location --dump-header - {{https://example.com}}` + +- Download een bestand en sla de [U]itvoer op onder de bestandsnaam zoals aangegeven door de URL: + +`curl --remote-name {{https://example.com/filename.zip}}` + +- Stuur form-encoded [g]egevens (POST-verzoek van het type `application/x-www-form-urlencoded`). Gebruik `--data @file_name` of `--data @'-'` om van `stdin` te lezen: + +`curl -X POST --data {{'name=bob'}} {{http://example.com/form}}` + +- Stuur een verzoek met een extra header, met behulp van een aangepaste HTTP-methode en via een pro[x]y (zoals BurpSuite), waarbij onveilige zelfondertekende certificaten worden genegeerd: + +`curl -k --proxy {{http://127.0.0.1:8080}} --header {{'Authorization: Bearer token'}} --request {{GET|PUT|POST|DELETE|PATCH|...}} {{https://example.com}}` + +- Verstuur gegevens in JSON-formaat, met de juiste Content-Type [H]eader: + +`curl --data {{'{"name":"bob"}'}} --header {{'Content-Type: application/json'}} {{http://example.com/users/1234}}` + +- Verstrek een clientcertificaat en sleutel voor een bron, en sla de certificaatvalidatie over: + +`curl --cert {{client.pem}} --key {{key.pem}} --insecure {{https://example.com}}` + +- Los een hostnaam op naar een aangepast IP-adres, met [v]erbose uitvoer (vergelijkbaar met het bewerken van het `/etc/hosts`-bestand voor aangepaste DNS-resolutie): + +`curl --verbose --resolve {{example.com}}:{{80}}:{{127.0.0.1}} {{http://example.com}}` diff --git a/pages.nl/common/cut.md b/pages.nl/common/cut.md index c1de718f4..15f13e775 100644 --- a/pages.nl/common/cut.md +++ b/pages.nl/common/cut.md @@ -5,12 +5,16 @@ - Toon een specifiek karakter/veldbereik voor iedere regel: -`{{commando}} | cut --{{characters|fields}}={{1|1,10|1-10|1-|-10}}` +`{{commando}} | cut --{{characters|fields}} {{1|1,10|1-10|1-|-10}}` - Toon een bereik voor iedere regel met een specifieke scheiding: -`{{commando}} | cut --delimiter="{{,}}" --fields={{1}}` +`{{commando}} | cut --delimiter "{{,}}" --fields {{1}}` - Toon een bereik van iedere regel voor een specifiek bestand: -`cut --characters={{1}} {{pad/naar/bestand}}` +`cut --characters {{1}} {{pad/naar/bestand}}` + +- Toon specifieke velden van `NUL` afgesloten regels (bijv. zoals in `find . -print0`) in plaats van nieuwe regels: + +`{{command}} | cut --zero-terminated --fields {{1}}` diff --git a/pages.nl/common/date.md b/pages.nl/common/date.md new file mode 100644 index 000000000..c1cb49b08 --- /dev/null +++ b/pages.nl/common/date.md @@ -0,0 +1,36 @@ +# date + +> Stel de systeemdatum in of toon deze. +> Meer informatie: . + +- Toon de huidige datum in het standaardformaat van de locale: + +`date +%c` + +- Toon de huidige datum in UTC, in het ISO 8601-formaat: + +`date -u +%Y-%m-%dT%H:%M:%S%Z` + +- Toon de huidige datum als een Unix timestamp (seconden sinds de Unix-epoch): + +`date +%s` + +- Converteer een datum gespecificeerd als een Unix timestamp naar het standaard formaat: + +`date -d @{{1473305798}}` + +- Converteer een opgegeven datum naar het Unix timestamp formaat: + +`date -d "{{2018-09-01 00:00}}" +%s --utc` + +- Toon de huidige datum in het RFC-3339 formaat (`YYYY-MM-DD hh:mm:ss TZ`): + +`date --rfc-3339 s` + +- Stel de huidige datum in met het formaat `MMDDhhmmYYYY.ss` (`YYYY` en `.ss` zijn optioneel): + +`date {{093023592021.59}}` + +- Toon het huidige ISO-weeknummer: + +`date +%V` diff --git a/pages.nl/common/dd.md b/pages.nl/common/dd.md new file mode 100644 index 000000000..c617fb3d3 --- /dev/null +++ b/pages.nl/common/dd.md @@ -0,0 +1,24 @@ +# dd + +> Converteer en kopieer een bestand. +> Meer informatie: . + +- Maak een opstartbare USB-schijf van een isohybrid-bestand (zoals `archlinux-xxx.iso`) en toon de voortgang: + +`dd if={{pad/naar/bestand.iso}} of={{/dev/usb_schijf}} status=progress` + +- Kopieer een schijf naar een andere schijf met een blokgrootte van 4 MiB en schrijf alle gegevens voordat het commando eindigt: + +`dd bs=4194304 conv=fsync if={{/dev/bron_schijf}} of={{/dev/doel_schijf}}` + +- Genereer een bestand met een specifiek aantal willekeurige bytes met behulp van de kernel random driver: + +`dd bs={{100}} count={{1}} if=/dev/urandom of={{pad/naar/willekeurig_bestand}}` + +- Benchmark de sequentiële schrijfsnelheid van een schijf: + +`dd bs={{1024}} count={{1000000}} if=/dev/zero of={{pad/naar/bestand_1GB}}` + +- Maak een systeemback-up, sla deze op in een IMG bestand (kan later worden hersteld door `if` en `of` om te wisselen) en toon de voortgang: + +`dd if={{/dev/schijf_apparaat}} of={{pad/naar/bestand.img}} status=progress` diff --git a/pages.nl/common/dircolors.md b/pages.nl/common/dircolors.md new file mode 100644 index 000000000..9363fa300 --- /dev/null +++ b/pages.nl/common/dircolors.md @@ -0,0 +1,24 @@ +# dircolors + +> Geef commando's weer om de LS_COLOR-omgevingsvariabele in te stellen en style `ls`, `dir` enz. +> Meer informatie: . + +- Geef commando's weer om LS_COLOR in te stellen met standaardkleuren: + +`dircolors` + +- Geef commando's weer om LS_COLOR in te stellen met kleuren uit een bestand: + +`dircolors {{pad/naar/bestand}}` + +- Geef commando's weer voor de Bourne-shell: + +`dircolors --bourne-shell` + +- Geef commando's weer voor de C-shell: + +`dircolors --c-shell` + +- Bekijk de standaardkleuren voor bestandstypen en extensies: + +`dircolors --print-data` diff --git a/pages.nl/common/dirname.md b/pages.nl/common/dirname.md new file mode 100644 index 000000000..001669a97 --- /dev/null +++ b/pages.nl/common/dirname.md @@ -0,0 +1,16 @@ +# dirname + +> Berekent de bovenliggende map van een bestand of map. +> Meer informatie: . + +- Bereken de bovenliggende map van een opgegeven pad: + +`dirname {{pad/naar/bestand_of_map}}` + +- Bereken de bovenliggende map van meerdere paden: + +`dirname {{pad/naar/bestand_of_map1 pad/naar/bestand_of_map2 ...}}` + +- Scheid de uitvoer met een NUL-teken in plaats van een nieuwe regel (handig bij gebruik met `xargs`): + +`dirname --zero {{pad/naar/bestand_of_map1 pad/naar/bestand_of_map2 ...}}` diff --git a/pages.nl/common/docker-container-diff.md b/pages.nl/common/docker-container-diff.md index 95cc6af94..aa941589d 100644 --- a/pages.nl/common/docker-container-diff.md +++ b/pages.nl/common/docker-container-diff.md @@ -1,7 +1,7 @@ # docker container diff > Dit commando is een alias van `docker diff`. -> Meer informatie: . +> Meer informatie: . - Bekijk de documentatie van het originele commando: diff --git a/pages.nl/common/docker-container-remove.md b/pages.nl/common/docker-container-remove.md index cecb664d1..0c014c754 100644 --- a/pages.nl/common/docker-container-remove.md +++ b/pages.nl/common/docker-container-remove.md @@ -1,7 +1,7 @@ # docker container remove > Dit commando is een alias van `docker rm`. -> Meer informatie: . +> Meer informatie: . - Bekijk de documentatie van het originele commando: diff --git a/pages.nl/common/docker-container-rm.md b/pages.nl/common/docker-container-rm.md index 5cb1f6bf1..5ec5e1475 100644 --- a/pages.nl/common/docker-container-rm.md +++ b/pages.nl/common/docker-container-rm.md @@ -1,7 +1,7 @@ # docker container rm > Dit commando is een alias van `docker rm`. -> Meer informatie: . +> Meer informatie: . - Bekijk de documentatie van het originele commando: diff --git a/pages.nl/common/docker-diff.md b/pages.nl/common/docker-diff.md index 01868c765..a844c7ef6 100644 --- a/pages.nl/common/docker-diff.md +++ b/pages.nl/common/docker-diff.md @@ -1,7 +1,7 @@ # docker diff > Inspecteer wijzigingen in bestanden of mappen op het bestandssysteem van een container. -> Meer informatie: . +> Meer informatie: . - Inspecteer de wijzigingen in een container sinds deze is gemaakt: diff --git a/pages.nl/common/docker-rm.md b/pages.nl/common/docker-rm.md index 8ce5c0765..3e63b3a9c 100644 --- a/pages.nl/common/docker-rm.md +++ b/pages.nl/common/docker-rm.md @@ -1,7 +1,7 @@ # docker rm > Verwijder een of meer containers. -> Meer informatie: . +> Meer informatie: . - Verwijder containers: @@ -17,4 +17,4 @@ - Toon de help: -`docker rm` +`docker rm --help` diff --git a/pages.nl/common/docker.md b/pages.nl/common/docker.md index 124ef4948..50dd63b58 100644 --- a/pages.nl/common/docker.md +++ b/pages.nl/common/docker.md @@ -4,7 +4,7 @@ > Sommige subcommando's zoals `docker run` hebben hun eigen documentatie. > Meer informatie: . -- Toon alle docker containers (actief en gestopte): +- Toon alle Docker containers (actief en gestopte): `docker ps --all` @@ -16,7 +16,7 @@ `docker {{start|stop}} {{container_naam}}` -- Download een image uit een docker register: +- Download een image uit een Docker register: `docker pull {{image}}` diff --git a/pages.nl/common/du.md b/pages.nl/common/du.md index c3281e529..b011bc9bd 100644 --- a/pages.nl/common/du.md +++ b/pages.nl/common/du.md @@ -26,3 +26,7 @@ - Toont de grootte in leesbare vorm van alle `.jpg` bestanden in sub-mappen van de huidige map en laat een cumulatief totaal zien op het eind: `du -ch {{*/*.jpg}}` + +- Toont alle bestanden en mappen (inclusief verborgen) boven een bepaalde drempelwaarde ([t]hreshold) (bruikbaar om te onderzoeken wat veel ruimte in neemt): + +`du --all --human-readable --threshold {{1G|1024M|1048576K}} .[^.]* *` diff --git a/pages.nl/common/duc.md b/pages.nl/common/duc.md new file mode 100644 index 000000000..bed98411d --- /dev/null +++ b/pages.nl/common/duc.md @@ -0,0 +1,29 @@ +# duc + +> Een verzameling van tools voor het indexeren, inspecteren en visualiseren van schijfgebruik. +> Duc onderhoudt een database van geaccumuleerde groottes van directories van het bestandssysteem, waardoor je deze database kunt raadplegen of mooie grafieken kunt maken om te laten zien waar de data zich bevindt. +> Meer informatie: . + +- Indexeer de /usr directory en schrijf naar de standaard database locatie ~/.duc.db: + +`duc index {{/usr}}` + +- Lijst alle bestanden en directories onder /usr/local en toon relatieve bestandsgroottes in een [g]rafiek: + +`duc ls -Fg {{/usr/local}}` + +- Lijst alle bestanden en directories onder /usr/local recursief met behulp van boomweergave: + +`duc ls -Fg -R {{/usr/local}}` + +- Start de grafische interface om het bestandssysteem te verkennen met behulp van zonnestraalgrafieken: + +`duc gui {{/usr}}` + +- Start de ncurses console interface om het bestandssysteem te verkennen: + +`duc ui {{/usr}}` + +- Dump database-informatie: + +`duc info` diff --git a/pages.nl/common/echo.md b/pages.nl/common/echo.md index bd30688da..3b82fd6a7 100644 --- a/pages.nl/common/echo.md +++ b/pages.nl/common/echo.md @@ -1,17 +1,17 @@ # echo -> Drukt gegeven argumenten af. +> Toont gegeven argumenten. > Meer informatie: . -- Druk een tekstbericht af. Let op: aanhalingstekens zijn optimaal: +- Toon een tekstbericht. Let op: aanhalingstekens zijn optioneel: `echo "{{Hallo Wereld}}"` -- Druk een bericht af met omgevingsvariabelen: +- Toon een bericht met omgevingsvariabelen: `echo "{{Mijn pad is $PATH}}"` -- Drukt een bericht af zonder te volgen met een nieuwe regel: +- Toont een bericht zonder te volgen met een nieuwe regel: `echo -n "{{Hallo Wereld}}"` @@ -23,6 +23,6 @@ `echo -e "{{kolom 1\kolom 2}}"` -- Druk de afsluitstatus van de laatst uitgevoerde opdracht af (Opmerking: in Windows Command Prompt en PowerShell zijn de equivalente opdrachten respectievelijk `echo %errorlevel%` en `$lastexitcode`): +- Toon de afsluitstatus van de laatst uitgevoerde opdracht (Let op: in Windows Command Prompt en PowerShell zijn de equivalente opdrachten respectievelijk `echo %errorlevel%` en `$lastexitcode`): `echo $?` diff --git a/pages.nl/common/ed.md b/pages.nl/common/ed.md new file mode 100644 index 000000000..72126605a --- /dev/null +++ b/pages.nl/common/ed.md @@ -0,0 +1,33 @@ +# ed + +> De originele Unix tekst editor. +> Bekijk ook: `awk`, `sed`. +> Meer informatie: . + +- Start een interactieve editor sessie met een leeg document: + +`ed` + +- Start een interactieve editor sessie met een leeg document en een specifieke prompt: + +`ed --prompt='> '` + +- Start een interactieve editor sessie met gebruiksvriendelijke foutmeldingen: + +`ed --verbose` + +- Start een interactieve editor sessie met een leeg document en zonder diagnostics, het aantal bytes en de '!' prompt: + +`ed --quiet` + +- Start een interactieve editor sessie zonder exit status change als het commando faalt: + +`ed --loose-exit-status` + +- Pas een specifiek bestand aan (dit toont het aantal bytes van het geladen bestand): + +`ed {{pad/naar/bestand}}` + +- Vervang een string met een specifieke vervanging voor alle regels: + +`,s/{{reguliere_expressie}}/{{vervanging}}/g` diff --git a/pages.nl/common/exec.md b/pages.nl/common/exec.md new file mode 100644 index 000000000..6b276aa01 --- /dev/null +++ b/pages.nl/common/exec.md @@ -0,0 +1,8 @@ +# exec + +> Voer een commando uit zonder een child-proces te creëren. +> Meer informatie: . + +- Voer een specifiek commando uit met behulp van de huidige omgevingsvariabelen: + +`exec {{commando -with -flags}}` diff --git a/pages.nl/common/exit.md b/pages.nl/common/exit.md new file mode 100644 index 000000000..9ced1ebcd --- /dev/null +++ b/pages.nl/common/exit.md @@ -0,0 +1,12 @@ +# exit + +> Verlaat de shell. +> Meer informatie: . + +- Verlaat de shell met de exitstatus van het meest recent uitgevoerde commando: + +`exit` + +- Verlaat de shell met een specifieke exitstatus: + +`exit {{exit_code}}` diff --git a/pages.nl/common/expand.md b/pages.nl/common/expand.md new file mode 100644 index 000000000..a8ef0676b --- /dev/null +++ b/pages.nl/common/expand.md @@ -0,0 +1,24 @@ +# expand + +> Vervang tabs met spaties. +> Meer informatie: . + +- Vervang tabs in ieder bestand met spaties en schrijf het naar `stdout`: + +`expand {{pad/naar/bestand}}` + +- Vervang tabs met spaties, lezend vanaf `stdin`: + +`expand` + +- Vervang geen tabs na een karakter: + +`expand -i {{pad/naar/bestand}}` + +- Laat tabs een bepaald aantal tekens uit elkaar staan, niet 8: + +`expand -t {{nummer}} {{pad/naar/bestand}}` + +- Gebruik een door komma's gescheiden lijst met expliciete tabposities: + +`expand -t {{1,4,6}}` diff --git a/pages.nl/common/export.md b/pages.nl/common/export.md new file mode 100644 index 000000000..483ce1847 --- /dev/null +++ b/pages.nl/common/export.md @@ -0,0 +1,12 @@ +# export + +> Exporteer shellvariabelen naar child-processen. +> Meer informatie: . + +- Stel een omgevingsvariabele in: + +`export {{VARIABELE}}={{waarde}}` + +- Voeg een pad toe aan de omgevingsvariabele `PATH`: + +`export PATH=$PATH:{{pad/om/toe_te_voegen}}` diff --git a/pages.nl/common/expr.md b/pages.nl/common/expr.md new file mode 100644 index 000000000..ae33a367f --- /dev/null +++ b/pages.nl/common/expr.md @@ -0,0 +1,32 @@ +# expr + +> Evalueer expressies en manipuleer string. +> Meer informatie: . + +- Krijg de lengte van een specifieke string: + +`expr length "{{string}}"` + +- Krijg de substring van een string met een specifieke lengte: + +`expr substr "{{string}}" {{van}} {{lengte}}` + +- Vergelijk een specifieke substring met een verankerd patroon: + +`expr match "{{string}}" '{{patroon}}'` + +- Verkrijg de eerste karakterpositie van een specifieke set in een tekenreeks: + +`expr index "{{string}}" "{{karakters}}"` + +- Bereken een specifieke mathematische expressie: + +`expr {{expressie1}} {{+|-|*|/|%}} {{expressie2}}` + +- Bekijk de eerste expressie als de waarde niet nul is en niet null, anders de tweede: + +`expr {{expressie1}} \| {{expressie2}}` + +- Bekijk de eerste expressie als beide expressies niet nul zijn en niet null, anders 0: + +`expr {{expressie1}} \& {{expressie2}}` diff --git a/pages.nl/common/factor.md b/pages.nl/common/factor.md new file mode 100644 index 000000000..9fc9128db --- /dev/null +++ b/pages.nl/common/factor.md @@ -0,0 +1,12 @@ +# factor + +> Toon de priemfactor van een getal. +> Meer informatie: . + +- Toon de priemfactor van een getal: + +`factor {{nummer}}` + +- Neem de invoer van `stdin` als er geen argument is opgegeven: + +`echo {{nummer}} | factor` diff --git a/pages.nl/common/fc.md b/pages.nl/common/fc.md new file mode 100644 index 000000000..de1237d83 --- /dev/null +++ b/pages.nl/common/fc.md @@ -0,0 +1,24 @@ +# fc + +> Open het meest recente commando en bewerk het. +> Meer informatie: . + +- Open in de standaard systeemeditor: + +`fc` + +- Specificeer een editor om mee te openen: + +`fc -e {{'emacs'}}` + +- Toon recente commando's uit de geschiedenis: + +`fc -l` + +- Toon recente commando's in omgekeerde volgorde: + +`fc -l -r` + +- Toon commando's in een gegeven interval: + +`fc '{{416}}' '{{420}}'` diff --git a/pages.nl/common/find.md b/pages.nl/common/find.md new file mode 100644 index 000000000..2ece96b8d --- /dev/null +++ b/pages.nl/common/find.md @@ -0,0 +1,36 @@ +# find + +> Vind bestanden of mappen onder een mappenboom, recursief. +> Meer informatie: . + +- Vind bestanden op basis van extensie: + +`find {{root_pad}} -name '{{*.ext}}'` + +- Vind bestanden die overeenkomen met meerdere pad-/naam patronen: + +`find {{root_pad}} -path '{{**/path/**/*.ext}}' -or -name '{{*patroon*}}'` + +- Vind mappen die overeenkomen met een gegeven naam, hoofdletterongevoelig: + +`find {{root_pad}} -type d -iname '{{*lib*}}'` + +- Vind bestanden die overeenkomen met een gegeven patroon, met uitsluiting van specifieke paden: + +`find {{root_pad}} -name '{{*.py}}' -not -path '{{*/site-packages/*}}'` + +- Vind bestanden die overeenkomen met een gegeven groottebereik, waarbij de recursieve diepte beperkt is tot "1": + +`find {{root_pad}} -maxdepth 1 -size {{+500k}} -size {{-10M}}` + +- Voer een commando uit voor elk bestand (gebruik `{}` binnen het commando om de bestandsnaam te openen): + +`find {{root_pad}} -name '{{*.ext}}' -exec {{wc -l}} {} \;` + +- Vind alle bestanden die vandaag zijn gewijzigd en geef de resultaten door aan een enkel commando als argumenten: + +`find {{root_pad}} -daystart -mtime {{-1}} -exec {{tar -cvf archief.tar}} {} \+` + +- Vind lege bestanden (0 bytes) of mappen en verwijder ze uitvoerig: + +`find {{root_pad}} -type {{f|d}} -empty -delete -print` diff --git a/pages.nl/common/finger.md b/pages.nl/common/finger.md new file mode 100644 index 000000000..9fd0f4f60 --- /dev/null +++ b/pages.nl/common/finger.md @@ -0,0 +1,24 @@ +# finger + +> Programma voor het opzoeken van gebruikersinformatie. +> Meer informatie: . + +- Toon informatie over momenteel ingelogde gebruikers: + +`finger` + +- Toon informatie over een specifieke gebruiker: + +`finger {{gebruikersnaam}}` + +- Toon de loginnaam, echte naam, terminalnaam en andere informatie van de gebruiker: + +`finger -s` + +- Geef een output in meerdere regels weer met dezelfde informatie als `-s` evenals de thuisdirectory van de gebruiker, thuistelefoonnummer, loginshell, mailstatus, enz.: + +`finger -l` + +- Voorkom het matchen tegen gebruikersnamen en gebruik alleen login namen: + +`finger -m` diff --git a/pages.nl/common/fmt.md b/pages.nl/common/fmt.md new file mode 100644 index 000000000..4d9dd4f4c --- /dev/null +++ b/pages.nl/common/fmt.md @@ -0,0 +1,20 @@ +# fmt + +> Herformatteer een tekstbestand door de alinea's samen te voegen en de regelbreedte te beperken tot een aantal tekens (standaard 75). +> Meer informatie: . + +- Herformatteer een bestand: + +`fmt {{pad/naar/bestand}}` + +- Herformatteer een bestand met uitvoerregels van (hoogstens) `n` tekens: + +`fmt -w {{n}} {{pad/naar/bestand}}` + +- Herformatteer een bestand zonder regels die korter zijn dan de opgegeven breedte samen te voegen: + +`fmt -s {{pad/naar/bestand}}` + +- Herformatteer een bestand met uniforme spatiëring (1 spatie tussen woorden en 2 spaties tussen alinea's): + +`fmt -u {{pad/naar/bestand}}` diff --git a/pages.nl/common/fold.md b/pages.nl/common/fold.md new file mode 100644 index 000000000..c568e5f08 --- /dev/null +++ b/pages.nl/common/fold.md @@ -0,0 +1,16 @@ +# fold + +> Breek elke regel in een invoerbestand af om in een gespecificeerde breedte te passen en toon het in `stdout`. +> Meer informatie: . + +- Breek elke regel af op de standaard breedte (80 tekens): + +`fold {{pad/naar/bestand}}` + +- Breek elke regel af op een breedte van "30": + +`fold -w30 {{pad/naar/bestand}}` + +- Breek elke regel af op een breedte van "5" en breek de regel bij spaties (zet elk door spaties gescheiden woord op een nieuwe regel, woorden langer dan 5 tekens worden afgebroken): + +`fold -w5 -s {{pad/naar/bestand}}` diff --git a/pages.nl/common/for.md b/pages.nl/common/for.md new file mode 100644 index 000000000..0fbb51244 --- /dev/null +++ b/pages.nl/common/for.md @@ -0,0 +1,24 @@ +# for + +> Voer een commando meerdere keren uit. +> Meer informatie: . + +- Voer de gegeven commando's uit voor elk van de opgegeven items: + +`for {{variabele}} in {{item1 item2 ...}}; do {{echo "Loop wordt uitgevoerd"}}; done` + +- Itereer over een gegeven reeks nummers: + +`for {{variabele}} in {{{van}}..{{tot}}..{{stap}}}; do {{echo "Loop wordt uitgevoerd"}}; done` + +- Itereer over een gegeven lijst van bestanden: + +`for {{variabele}} in {{pad/naar/bestand1 pad/naar/bestand2 ...}}; do {{echo "Loop wordt uitgevoerd"}}; done` + +- Itereer over een gegeven lijst van directories: + +`for {{variabele}} in {{pad/naar/directory1/ pad/naar/directory2/ ...}}; do {{echo "Loop wordt uitgevoerd"}}; done` + +- Voer een gegeven commando uit in elke directory: + +`for {{variabele}} in */; do (cd "${{variabele}}" || continue; {{echo "Loop wordt uitgevoerd"}}) done` diff --git a/pages.nl/common/fossil-ci.md b/pages.nl/common/fossil-ci.md index 5a2a6dc71..784980cae 100644 --- a/pages.nl/common/fossil-ci.md +++ b/pages.nl/common/fossil-ci.md @@ -1,6 +1,6 @@ -# fossil-ci +# fossil ci -> Dit commando is een alias van `fossil-commit`. +> Dit commando is een alias van `fossil commit`. > Meer informatie: . - Bekijk de documentatie van het originele commando: diff --git a/pages.nl/common/fossil-delete.md b/pages.nl/common/fossil-delete.md index c6324d599..9e7ef3878 100644 --- a/pages.nl/common/fossil-delete.md +++ b/pages.nl/common/fossil-delete.md @@ -1,4 +1,4 @@ -# fossil-delete +# fossil delete > Dit commando is een alias van `fossil rm`. > Meer informatie: . diff --git a/pages.nl/common/fossil-forget.md b/pages.nl/common/fossil-forget.md index 1f50db65a..073077373 100644 --- a/pages.nl/common/fossil-forget.md +++ b/pages.nl/common/fossil-forget.md @@ -1,4 +1,4 @@ -# fossil-forget +# fossil forget > Dit commando is een alias van `fossil rm`. > Meer informatie: . diff --git a/pages.nl/common/fossil-init.md b/pages.nl/common/fossil-init.md index 0f9e649ff..d001b1487 100644 --- a/pages.nl/common/fossil-init.md +++ b/pages.nl/common/fossil-init.md @@ -1,7 +1,7 @@ # fossil init > Initialiseer een nieuwe repository voor een project. -> Zie ook: `fossil clone`. +> Bekijk ook: `fossil clone`. > Meer informatie: . - Maak een nieuwe repository in een opgegeven bestand: diff --git a/pages.nl/common/fossil-new.md b/pages.nl/common/fossil-new.md index d257d8ef6..ac4561e4a 100644 --- a/pages.nl/common/fossil-new.md +++ b/pages.nl/common/fossil-new.md @@ -1,6 +1,6 @@ -# fossil-new +# fossil new -> Dit commando is een alias van `fossil-init`. +> Dit commando is een alias van `fossil init`. > Meer informatie: . - Bekijk de documentatie van het originele commando: diff --git a/pages.nl/common/fossil-rm.md b/pages.nl/common/fossil-rm.md index ec0543fc8..0ddbaa8eb 100644 --- a/pages.nl/common/fossil-rm.md +++ b/pages.nl/common/fossil-rm.md @@ -1,7 +1,7 @@ # fossil rm > Verwijder bestanden of mappen uit Fossil versiebeheer. -> Zie ook: `fossil forget`. +> Bekijk ook: `fossil forget`. > Meer informatie: . - Verwijder een bestand of map uit Fossil versiebeheer: diff --git a/pages.nl/common/frp.md b/pages.nl/common/frp.md new file mode 100644 index 000000000..7c6cb8527 --- /dev/null +++ b/pages.nl/common/frp.md @@ -0,0 +1,12 @@ +# frp + +> Fast Reverse Proxy: snel netwerktunnels opzetten om bepaalde services bloot te stellen aan het internet of andere externe netwerken. +> Meer informatie: . + +- Bekijk de documentatie voor `frpc`, het `frp`-clientcomponent: + +`tldr frpc` + +- Bekijk de documentatie voor `frps`, het `frp`-servercomponent: + +`tldr frps` diff --git a/pages.nl/common/frpc.md b/pages.nl/common/frpc.md new file mode 100644 index 000000000..f77c215c8 --- /dev/null +++ b/pages.nl/common/frpc.md @@ -0,0 +1,29 @@ +# frpc + +> Maak verbinding met een `frps`-server om verbindingen op de huidige host te proxyen. +> Onderdeel van `frp`. +> Meer informatie: . + +- Start de service met het standaardconfiguratiebestand (aangenomen wordt dat dit `frps.ini` is in de huidige map): + +`frpc` + +- Start de service met het nieuwere TOML-configuratiebestand (`frps.toml` in plaats van `frps.ini`) in de huidige map: + +`frpc {{-c|--config}} ./frps.toml` + +- Start de service met een specifiek configuratiebestand: + +`frpc {{-c|--config}} {{pad/naar/bestand}}` + +- Controleer of het configuratiebestand geldig is: + +`frpc verify {{-c|--config}} {{pad/naar/bestand}}` + +- Toon het script om autocompletion op te zetten voor Bash, fish, PowerShell of Zsh: + +`frpc completion {{bash|fish|powershell|zsh}}` + +- Toon de versie: + +`frpc {{-v|--version}}` diff --git a/pages.nl/common/frps.md b/pages.nl/common/frps.md new file mode 100644 index 000000000..3509af12e --- /dev/null +++ b/pages.nl/common/frps.md @@ -0,0 +1,29 @@ +# frps + +> Stel snel een reverse proxy-service in. +> Onderdeel van `frp`. +> Meer informatie: . + +- Start de service met het standaardconfiguratiebestand (aangenomen wordt dat dit `frps.ini` is in de huidige map): + +`frps` + +- Start de service met het nieuwere TOML-configuratiebestand (`frps.toml` in plaats van `frps.ini`) in de huidige map: + +`frps {{-c|--config}} ./frps.toml` + +- Start de service met een specifiek configuratiebestand: + +`frps {{-c|--config}} {{pad/naar/bestand}}` + +- Controleer of het configuratiebestand geldig is: + +`frps verify {{-c|--config}} {{pad/naar/bestand}}` + +- Toon het script om autocompletion op te zetten voor Bash, fish, PowerShell of Zsh: + +`frps completion {{bash|fish|powershell|zsh}}` + +- Toon de versie: + +`frps {{-v|--version}}` diff --git a/pages.nl/common/ftp.md b/pages.nl/common/ftp.md new file mode 100644 index 000000000..5939beb50 --- /dev/null +++ b/pages.nl/common/ftp.md @@ -0,0 +1,36 @@ +# ftp + +> Hulpmiddelen om via het File Transfer Protocol met een server te communiceren. +> Meer informatie: . + +- Verbinden met een FTP-server: + +`ftp {{ftp.voorbeeld.com}}` + +- Verbinden met een FTP-server met opgave van IP-adres en poort: + +`ftp {{ip_adres}} {{poort}}` + +- Omschakelen naar binaire overdrachtsmodus (grafische bestanden, gecomprimeerde bestanden, etc): + +`binary` + +- Meerdere bestanden overdragen zonder bevestiging voor elk bestand: + +`prompt off` + +- Meerdere bestanden downloaden (glob-expressie): + +`mget {{*.png}}` + +- Meerdere bestanden uploaden (glob-expressie): + +`mput {{*.zip}}` + +- Meerdere bestanden verwijderen op de externe server: + +`mdelete {{*.txt}}` + +- Een bestand hernoemen op de externe server: + +`rename {{originele_bestandsnaam}} {{nieuwe_bestandsnaam}}` diff --git a/pages.nl/common/gcal.md b/pages.nl/common/gcal.md new file mode 100644 index 000000000..e372020d4 --- /dev/null +++ b/pages.nl/common/gcal.md @@ -0,0 +1,24 @@ +# gcal + +> Toon een kalender. +> Meer informatie: . + +- Toon een kalender voor de huidige maand: + +`gcal` + +- Toon de kalender voor de maand februari van het jaar 2010: + +`gcal 2 2010` + +- Toon een kalender met weeknummers: + +`gcal --with-week-number` + +- Verander de startdag van de week naar de eerste dag van de week (maandag): + +`gcal --starting-day=1` + +- Toon de vorige, huidige en volgende maand rondom vandaag: + +`gcal .` diff --git a/pages.nl/common/gcc.md b/pages.nl/common/gcc.md index ef5dbcf9b..13e5de53f 100644 --- a/pages.nl/common/gcc.md +++ b/pages.nl/common/gcc.md @@ -5,15 +5,15 @@ - Meerdere bronbestanden compileren in een uitvoerbaar bestand: -`gcc {{pad/naar/source1.c pad/naar/source2.c ...}} -o {{pad/naar/output_executable}}` +`gcc {{pad/naar/source1.c pad/naar/source2.c ...}} -o {{pad/naar/uitvoer_executable}}` - Toon gemeenschappelijke waarschuwingen, foutopsporingssymbolen in output en optimaliseer zonder debuggen te beïnvloeden: -`gcc {{pad/naar/bron.c}} -Wall -g -Og -o {{pad/naar/output_executable}}` +`gcc {{pad/naar/bron.c}} -Wall -g -Og -o {{pad/naar/uitvoer_executable}}` - Neem bibliotheken op vanuit een ander pad: -`gcc {{pad/naar/bron.c}} -o {{pad/naar/output_executable}} -I{{pad/naar/header}} -L{{pad/naar/library}} -l{{library_name}}` +`gcc {{pad/naar/bron.c}} -o {{pad/naar/uitvoer_executable}} -I{{pad/naar/header}} -L{{pad/naar/library}} -l{{library_name}}` - Compileer broncode naar Assembler instructies: diff --git a/pages.nl/common/gh-cs.md b/pages.nl/common/gh-cs.md index cb1ed361e..eefa0d2e7 100644 --- a/pages.nl/common/gh-cs.md +++ b/pages.nl/common/gh-cs.md @@ -1,6 +1,6 @@ -# gh-cs +# gh cs -> Dit commando is een alias van `gh-codespace`. +> Dit commando is een alias van `gh codespace`. > Meer informatie: . - Bekijk de documentatie van het originele commando: diff --git a/pages.nl/common/git-add.md b/pages.nl/common/git-add.md index 01385b2ae..1a951736b 100644 --- a/pages.nl/common/git-add.md +++ b/pages.nl/common/git-add.md @@ -9,24 +9,28 @@ - Voeg alle bestanden toe (bijgehouden en niet bijgehouden): -`git add -A` +`git add {{-A|--all}}` + +- Voeg alle bestanden toe in de huidige map: + +`git add .` - Voeg alleen al bijgehouden bestanden toe: -`git add -u` +`git add {{-u|--update}}` - Voeg ook genegeerde bestanden toe: -`git add -f` +`git add {{-f|--force}}` - Interactief delen van bestanden toevoegen: -`git add -p` +`git add {{-p|--patch}}` - Interactief delen van een opgegeven bestand toevoegen: -`git add -p {{pad/naar/bestand}}` +`git add {{-p|--patch}} {{pad/naar/bestand}}` - Interactief een bestand toevoegen: -`git add -i` +`git add {{-i|--interactive}}` diff --git a/pages.nl/common/git-stage.md b/pages.nl/common/git-stage.md index 7a5385d82..dd69544c1 100644 --- a/pages.nl/common/git-stage.md +++ b/pages.nl/common/git-stage.md @@ -1,4 +1,4 @@ -# git-stage +# git stage > Dit commando is een alias van `git add`. > Meer informatie: . diff --git a/pages.nl/common/gnmic-sub.md b/pages.nl/common/gnmic-sub.md index cfb551b28..0b9dd9acf 100644 --- a/pages.nl/common/gnmic-sub.md +++ b/pages.nl/common/gnmic-sub.md @@ -1,4 +1,4 @@ -# gnmic-sub +# gnmic sub > Dit commando is een alias van `gnmic subscribe`. > Meer informatie: . diff --git a/pages.nl/common/grep.md b/pages.nl/common/grep.md new file mode 100644 index 000000000..2deb2c55b --- /dev/null +++ b/pages.nl/common/grep.md @@ -0,0 +1,36 @@ +# grep + +> Zoek patronen in bestanden met behulp van reguliere expressies. +> Meer informatie: . + +- Zoek naar een patroon in een bestand: + +`grep "{{zoekpatroon}}" {{pad/naar/bestand}}` + +- Zoek naar een exacte string (schakelt reguliere expressies uit): + +`grep {{-F|--fixed-strings}} "{{exacte_string}}" {{pad/naar/bestand}}` + +- Zoek naar een patroon in alle bestanden in een map, recursief, toon regelnummers van overeenkomsten, negeer binaire bestanden: + +`grep {{-r|--recursive}} {{-n|--line-number}} --binary-files {{without-match}} "{{zoekpatroon}}" {{pad/naar/map}}` + +- Gebruik uitgebreide reguliere expressies (ondersteunt `?`, `+`, `{}`, `()` en `|`), in hoofdletterongevoelige modus: + +`grep {{-E|--extended-regexp}} {{-i|--ignore-case}} "{{zoekpatroon}}" {{pad/naar/bestand}}` + +- Print 3 regels context rondom, voor of na elke overeenkomst: + +`grep --{{context|before-context|after-context}} 3 "{{zoekpatroon}}" {{pad/naar/bestand}}` + +- Print bestandsnaam en regelnummers voor elke overeenkomst met kleuruitvoer: + +`grep {{-H|--with-filename}} {{-n|--line-number}} --color=always "{{zoekpatroon}}" {{pad/naar/bestand}}` + +- Zoek naar regels die overeenkomen met een patroon en print alleen de overeenkomstige tekst: + +`grep {{-o|--only-matching}} "{{zoekpatroon}}" {{pad/naar/bestand}}` + +- Zoek in `stdin` naar regels die niet overeenkomen met een patroon: + +`cat {{pad/naar/bestand}} | grep {{-v|--invert-match}} "{{zoekpatroon}}"` diff --git a/pages.nl/common/groups.md b/pages.nl/common/groups.md new file mode 100644 index 000000000..58da1dfb8 --- /dev/null +++ b/pages.nl/common/groups.md @@ -0,0 +1,13 @@ +# groups + +> Toon groepslidmaatschappen voor een gebruiker. +> Bekijk ook: `groupadd`, `groupdel`, `groupmod`. +> Meer informatie: . + +- Toon groepslidmaatschappen voor de huidige gebruiker: + +`groups` + +- Toon groepslidmaatschappen voor een lijst van gebruikers: + +`groups {{gebruikersnaam1 gebruikersnaam2 ...}}` diff --git a/pages.nl/common/hostid.md b/pages.nl/common/hostid.md new file mode 100644 index 000000000..1f106f790 --- /dev/null +++ b/pages.nl/common/hostid.md @@ -0,0 +1,8 @@ +# hostid + +> Toon het numerieke identificatienummer voor de huidige host (niet noodzakelijkerwijs het IP-adres). +> Meer informatie: . + +- Toon het numerieke identificatienummer voor de huidige host in hexadecimale notatie: + +`hostid` diff --git a/pages.nl/common/hostname.md b/pages.nl/common/hostname.md new file mode 100644 index 000000000..fa8e09822 --- /dev/null +++ b/pages.nl/common/hostname.md @@ -0,0 +1,24 @@ +# hostname + +> Toon of stel de hostnaam van het systeem in. +> Meer informatie: . + +- Toon de huidige hostnaam: + +`hostname` + +- Toon het netwerkadres van de hostnaam: + +`hostname -i` + +- Toon alle netwerkadressen van de host: + +`hostname -I` + +- Toon de FQDN (Fully Qualified Domain Name): + +`hostname --fqdn` + +- Stel een nieuwe hostnaam in: + +`hostname {{nieuwe_hostnaam}}` diff --git a/pages.nl/common/http.md b/pages.nl/common/http.md new file mode 100644 index 000000000..483be8592 --- /dev/null +++ b/pages.nl/common/http.md @@ -0,0 +1,36 @@ +# http + +> HTTPie: een HTTP-client ontworpen voor het testen, debuggen en in het algemeen interactie met API's en HTTP-servers. +> Meer informatie: . + +- Maak een eenvoudige GET-aanvraag (toont response header en inhoud): + +`http {{https://example.org}}` + +- Print specifieke uitvoerinhoud (`H`: request headers, `B`: request body, `h`: response headers, `b`: response body, `m`: response metadata): + +`http --print {{H|B|h|b|m|Hh|Hhb|...}} {{https://example.com}}` + +- Specificeer de HTTP-methode bij het verzenden van een aanvraag en gebruik een proxy om de aanvraag te onderscheppen: + +`http {{GET|POST|HEAD|PUT|PATCH|DELETE|...}} --proxy {{http|https}}:{{http://localhost:8080|socks5://localhost:9050|...}} {{https://example.com}}` + +- Volg eventuele `3xx` redirects en specificeer extra headers in een verzoek: + +`http {{-F|--follow}} {{https://example.com}} {{'User-Agent: Mozilla/5.0' 'Accept-Encoding: gzip'}}` + +- Authenticeer bij een server met verschillende authenticatiemethoden: + +`http --auth {{gebruikersnaam:wachtwoord|token}} --auth-type {{basic|digest|bearer}} {{GET|POST|...}} {{https://example.com/auth}}` + +- Maak een verzoek maar verzend het niet (vergelijkbaar met een dry-run): + +`http --offline {{GET|DELETE|...}} {{https://example.com}}` + +- Gebruik benoemde sessies voor aanhoudende aangepaste headers, auth-referenties en cookies: + +`http --session {{session_naam|pad/naar/session.json}} {{--auth gebruikersnaam:wachtwoord https://example.com/auth API-KEY:xxx}}` + +- Upload een bestand naar een formulier (het onderstaande voorbeeld gaat ervan uit dat het formulier `` is): + +`http --form {{POST}} {{https://example.com/upload}} {{cv@pad/naar/bestand}}` diff --git a/pages.nl/common/httpie.md b/pages.nl/common/httpie.md new file mode 100644 index 000000000..889f40b21 --- /dev/null +++ b/pages.nl/common/httpie.md @@ -0,0 +1,17 @@ +# httpie + +> Beheersinterface voor HTTPie. +> Zie ook: `http`, de tool zelf. +> Meer informatie: . + +- Controleer op updates voor `http`: + +`httpie cli check-updates` + +- Toon geïnstalleerde `http` plugins: + +`httpie cli plugins list` + +- Installeer/upgrade/installeer plugins: + +`httpie cli plugins {{install|upgrade|uninstall}} {{plugin_naam}}` diff --git a/pages.nl/common/https.md b/pages.nl/common/https.md new file mode 100644 index 000000000..bce6c23da --- /dev/null +++ b/pages.nl/common/https.md @@ -0,0 +1,7 @@ +# https + +> Dit commando is een alias van `http`. + +- Bekijk de documentatie van het originele commando: + +`tldr http` diff --git a/pages.nl/common/icontopbm.md b/pages.nl/common/icontopbm.md new file mode 100644 index 000000000..2654a4c35 --- /dev/null +++ b/pages.nl/common/icontopbm.md @@ -0,0 +1,8 @@ +# icontopbm + +> Dit commando is vervangen door `sunicontopnm`. +> Meer informatie: . + +- Bekijk de documentatie van het huidige commando: + +`tldr sunicontopnm` diff --git a/pages.nl/common/id.md b/pages.nl/common/id.md new file mode 100644 index 000000000..5ab0cbce9 --- /dev/null +++ b/pages.nl/common/id.md @@ -0,0 +1,28 @@ +# id + +> Toon de huidige gebruikers- en groepsidentiteit. +> Meer informatie: . + +- Toon de ID (UID), groep-ID (GID) en groepen waartoe de huidige gebruiker behoort: + +`id` + +- Toon de identiteit van de huidige gebruiker: + +`id -un` + +- Toon de identiteit van de huidige gebruiker als een nummer: + +`id -u` + +- Toon de identiteit van de huidige primaire groepsidentiteit: + +`id -gn` + +- Toon de identiteit van de huidige primaire groepsidentiteit als een nummer: + +`id -g` + +- Toon de ID (UID), groep-ID (GID) en groepen waartoe een willekeurige gebruiker behoort: + +`id {{gebruikersnaam}}` diff --git a/pages.nl/common/identify.md b/pages.nl/common/identify.md new file mode 100644 index 000000000..3ed389437 --- /dev/null +++ b/pages.nl/common/identify.md @@ -0,0 +1,7 @@ +# identify + +> Dit commando is een alias van `magick identify`. + +- Bekijk de documentatie van het originele commando: + +`tldr magick identify` diff --git a/pages.nl/common/if.md b/pages.nl/common/if.md new file mode 100644 index 000000000..879315693 --- /dev/null +++ b/pages.nl/common/if.md @@ -0,0 +1,37 @@ +# if + +> Voert voorwaardelijke verwerking uit in shell-scripts. +> Bekijk ook: `test`, `[`. +> Meer informatie: . + +- Voer de opgegeven commando's uit als de exitstatus van het voorwaardelijke commando nul is: + +`if {{voorwaarde_commando}}; then {{echo "Voorwaarde is waar"}}; fi` + +- Voer de opgegeven commando's uit als de exitstatus van het voorwaardelijke commando niet nul is: + +`if ! {{voorwaarde_commando}}; then {{echo "Voorwaarde is waar"}}; fi` + +- Voer de eerste opgegeven commando's uit als de exitstatus van het voorwaardelijke commando nul is, anders voer de tweede opgegeven commando's uit: + +`if {{voorwaarde_commando}}; then {{echo "Voorwaarde is waar"}}; else {{echo "Voorwaarde is onwaar"}}; fi` + +- Controleer of een bestand ([f]) bestaat: + +`if [[ -f {{pad/naar/bestand}} ]]; then {{echo "Voorwaarde is waar"}}; fi` + +- Controleer of een map ([d]) bestaat: + +`if [[ -d {{pad/naar/map}} ]]; then {{echo "Voorwaarde is waar"}}; fi` + +- Controleer of een bestand of map b[e]staat: + +`if [[ -e {{pad/naar/bestand_of_map}} ]]; then {{echo "Voorwaarde is waar"}}; fi` + +- Controleer of een variabele is gedefinieerd: + +`if [[ -n "${{variabele}}" ]]; then {{echo "Voorwaarde is waar"}}; fi` + +- Toon alle mogelijke voorwaarden (`test` is een alias voor `[`; beide worden vaak gebruikt met `if`): + +`man [` diff --git a/pages.nl/common/ifconfig.md b/pages.nl/common/ifconfig.md new file mode 100644 index 000000000..96fccded2 --- /dev/null +++ b/pages.nl/common/ifconfig.md @@ -0,0 +1,24 @@ +# ifconfig + +> Netwerkinterface-configurator. +> Meer informatie: . + +- Bekijk netwerkinstellingen van een Ethernet-adapter: + +`ifconfig eth0` + +- Toon details van alle interfaces, inclusief uitgeschakelde interfaces: + +`ifconfig -a` + +- Schakel de eth0-interface uit: + +`ifconfig eth0 down` + +- Schakel de eth0-interface in: + +`ifconfig eth0 up` + +- Ken een IP-adres toe aan de eth0-interface: + +`ifconfig eth0 {{ip_adres}}` diff --git a/pages.nl/common/import.md b/pages.nl/common/import.md new file mode 100644 index 000000000..06ff636f9 --- /dev/null +++ b/pages.nl/common/import.md @@ -0,0 +1,7 @@ +# import + +> Dit commando is een alias van `magick import`. + +- Bekijk de documentatie van het originele commando: + +`tldr magick import` diff --git a/pages.nl/common/indent.md b/pages.nl/common/indent.md new file mode 100644 index 000000000..d9b92f9be --- /dev/null +++ b/pages.nl/common/indent.md @@ -0,0 +1,16 @@ +# indent + +> Wijzig het uiterlijk van een C/C++-programma door spaties in te voegen of te verwijderen. +> Meer informatie: . + +- Formatteer C/C++-broncode volgens de Linux style guide, maak automatisch een back-up van de originele bestanden en vervang deze door de ingesprongen versies: + +`indent --linux-style {{pad/naar/bron.c}} {{pad/naar/andere_bron.c}}` + +- Formatteer C/C++-broncode volgens de GNU-stijl en sla de ingesprongen versie op in een ander bestand: + +`indent --gnu-style {{pad/naar/bron.c}} -o {{pad/naar/indented_source.c}}` + +- Formatteer C/C++-broncode volgens de stijl van Kernighan & Ritchie (K&R), geen tabs, 3 spaties per inspringing en breek regels af op 120 tekens: + +`indent --k-and-r-style --indent-level3 --no-tabs --line-length120 {{pad/naar/bron.c}} -o {{pad/naar/indented_source.c}}` diff --git a/pages.nl/common/install.md b/pages.nl/common/install.md new file mode 100644 index 000000000..2d4ed339d --- /dev/null +++ b/pages.nl/common/install.md @@ -0,0 +1,29 @@ +# install + +> Kopieer bestanden en stel attributen in. +> Kopieer bestanden (vaak uitvoerbare) naar een systeemlocatie zoals `/usr/local/bin` en geef ze de juiste permissies/eigendom. +> Meer informatie: . + +- Kopieer bestanden naar de bestemming: + +`install {{pad/naar/bronbestand1 pad/naar/bronbestand2 ...}} {{pad/naar/bestemming}}` + +- Kopieer bestanden naar de bestemming en stel hun eigendom in: + +`install --owner {{gebruiker}} {{pad/naar/bronbestand1 pad/naar/bronbestand2 ...}} {{pad/naar/bestemming}}` + +- Kopieer bestanden naar de bestemming en stel hun groepseigendom in: + +`install --group {{gebruiker}} {{pad/naar/bronbestand1 pad/naar/bronbestand2 ...}} {{pad/naar/bestemming}}` + +- Kopieer bestanden naar de bestemming en stel hun `modus` in: + +`install --mode {{+x}} {{pad/naar/bronbestand1 pad/naar/bronbestand2 ...}} {{pad/naar/bestemming}}` + +- Kopieer bestanden en pas toegangstijden/wijzigingstijden van de bron toe op de bestemming: + +`install --preserve-timestamps {{pad/naar/bronbestand1 pad/naar/bronbestand2 ...}} {{pad/naar/bestemming}}` + +- Kopieer bestanden en maak de mappen op de bestemming aan als ze niet bestaan: + +`install -D {{pad/naar/bronbestand1 pad/naar/bronbestand2 ...}} {{pad/naar/bestemming}}` diff --git a/pages.nl/common/ipcs.md b/pages.nl/common/ipcs.md new file mode 100644 index 000000000..559f51390 --- /dev/null +++ b/pages.nl/common/ipcs.md @@ -0,0 +1,32 @@ +# ipcs + +> Toon informatie over het gebruik van XSI IPC-faciliteiten: gedeelde geheugensegmenten, berichtenwachtrijen en semafoorarrays. +> Meer informatie: . + +- Toon informatie over alle IPC: + +`ipcs -a` + +- Toon informatie over actieve gedeelde [m]emory-segmenten, berichten[q]ueues of [s]emaphore-sets: + +`ipcs {{-m|-q|-s}}` + +- Toon informatie over de maximaal toegestane grootte in [b]ytes: + +`ipcs -b` + +- Toon de gebruikersnaam en groepsnaam van de [c]reator voor alle IPC-faciliteiten: + +`ipcs -c` + +- Toon de [p]ID van de laatste operatoren voor alle IPC-faciliteiten: + +`ipcs -p` + +- Toon toegang[s]tijden voor alle IPC-faciliteiten: + +`ipcs -t` + +- Toon [o]utstanding gebruik voor actieve berichtenwachtrijen en gedeelde geheugensegmenten: + +`ipcs -o` diff --git a/pages.nl/common/jf.md b/pages.nl/common/jf.md new file mode 100644 index 000000000..6025286d2 --- /dev/null +++ b/pages.nl/common/jf.md @@ -0,0 +1,16 @@ +# jf + +> Werk met JFrog producten zoals Artifactory, Xray, Distribution, Pipelines en Mission Control. +> Meer informatie: . + +- Voeg een nieuwe configuratie toe: + +`jf config add` + +- Toon de huidige configuratie: + +`jf config show` + +- Zoek naar artifacts binnen de opgegeven repository en map: + +`jf rt search --recursive {{repostiory_naam}}/{{pad}}/` diff --git a/pages.nl/common/jobs.md b/pages.nl/common/jobs.md new file mode 100644 index 000000000..402e0774b --- /dev/null +++ b/pages.nl/common/jobs.md @@ -0,0 +1,20 @@ +# jobs + +> Toon de status van jobs in de huidige sessie. +> Meer informatie: . + +- Toon de status van alle jobs: + +`jobs` + +- Toon de status van een specifieke job: + +`jobs %{{job_id}}` + +- Toon de status en proces-ID's van alle jobs: + +`jobs -l` + +- Toon de proces-ID's van alle jobs: + +`jobs -p` diff --git a/pages.nl/common/join.md b/pages.nl/common/join.md new file mode 100644 index 000000000..d818d9a5c --- /dev/null +++ b/pages.nl/common/join.md @@ -0,0 +1,24 @@ +# join + +> Voeg regels van twee gesorteerde bestanden samen op een gemeenschappelijk veld. +> Meer informatie: . + +- Voeg twee bestanden samen op het eerste (standaard) veld: + +`join {{pad/naar/bestand1}} {{pad/naar/bestand2}}` + +- Voeg twee bestanden samen met een komma (in plaats van een spatie) als veldscheidingsteken: + +`join -t {{','}} {{pad/naar/bestand1}} {{pad/naar/bestand2}}` + +- Voeg veld 3 van bestand 1 samen met veld 1 van bestand 2: + +`join -1 {{3}} -2 {{1}} {{pad/naar/bestand1}} {{pad/naar/bestand2}}` + +- Produceer een regel voor elke niet-koppelbare regel van bestand 1: + +`join -a {{1}} {{pad/naar/bestand1}} {{pad/naar/bestand2}}` + +- Voeg een bestand samen vanaf `stdin`: + +`cat {{pad/naar/bestand1}} | join - {{pad/naar/bestand2}}` diff --git a/pages.nl/common/just.1.md b/pages.nl/common/just.1.md index b1dd6ff83..1bec08a1b 100644 --- a/pages.nl/common/just.1.md +++ b/pages.nl/common/just.1.md @@ -19,6 +19,6 @@ `just -l` -- Print de justfile: +- Toon de justfile: `just --dump` diff --git a/pages.nl/common/kill.md b/pages.nl/common/kill.md new file mode 100644 index 000000000..3ae4da706 --- /dev/null +++ b/pages.nl/common/kill.md @@ -0,0 +1,33 @@ +# kill + +> Stuurt een signaal naar een proces, meestal om het proces te stoppen. +> Alle signalen behalve SIGKILL en SIGSTOP kunnen door het proces worden onderschept om een nette afsluiting uit te voeren. +> Meer informatie: . + +- Beëindig een programma met behulp van het standaard SIGTERM (terminate) signaal: + +`kill {{proces_id}}` + +- Lijst beschikbare signalen op (te gebruiken zonder het `SIG` voorvoegsel): + +`kill -l` + +- Beëindig een programma met behulp van het SIGHUP (hang up) signaal. Veel daemons zullen herladen in plaats van beëindigen: + +`kill -{{1|HUP}} {{proces_id}}` + +- Beëindig een programma met behulp van het SIGINT (interrupt) signaal. Dit wordt meestal geïnitieerd door de gebruiker die `Ctrl + C` indrukt: + +`kill -{{2|INT}} {{proces_id}}` + +- Signaleer het besturingssysteem om een programma onmiddellijk te beëindigen (het programma krijgt geen kans om het signaal te onderscheppen): + +`kill -{{9|KILL}} {{proces_id}}` + +- Signaleer het besturingssysteem om een programma te pauzeren totdat een SIGCONT ("continue") signaal wordt ontvangen: + +`kill -{{17|STOP}} {{proces_id}}` + +- Stuur een `SIGUSR1` signaal naar alle processen met de gegeven GID (groeps-ID): + +`kill -{{SIGUSR1}} -{{groep_id}}` diff --git a/pages.nl/common/killall.md b/pages.nl/common/killall.md new file mode 100644 index 000000000..ec9381e2b --- /dev/null +++ b/pages.nl/common/killall.md @@ -0,0 +1,25 @@ +# killall + +> Verstuur een kill-signaal naar alle instanties van een proces op naam (moet exact overeenkomen). +> Alle signalen behalve SIGKILL en SIGSTOP kunnen door het proces worden onderschept, waardoor een nette afsluiting mogelijk is. +> Meer informatie: . + +- Beëindig een proces met behulp van het standaard SIGTERM (terminate) signaal: + +`killall {{proces_naam}}` + +- [l]ijst beschikbare signaalnamen (te gebruiken zonder het 'SIG'-voorvoegsel): + +`killall -l` + +- Vraag interactief om bevestiging voordat het proces wordt beëindigd: + +`killall -i {{proces_naam}}` + +- Beëindig een proces met het SIGINT (interrupt) signaal, hetzelfde signaal dat wordt verzonden door `Ctrl + C` in te drukken: + +`killall -INT {{proces_naam}}` + +- Forceer het beëindigen van een proces: + +`killall -KILL {{proces_naam}}` diff --git a/pages.nl/common/last.md b/pages.nl/common/last.md new file mode 100644 index 000000000..5cde52b26 --- /dev/null +++ b/pages.nl/common/last.md @@ -0,0 +1,28 @@ +# last + +> Bekijk de laatst ingelogde gebruikers. +> Meer informatie: . + +- Bekijk de laatste logins, hun duur en andere informatie uit `/var/log/wtmp`: + +`last` + +- Geef aan hoeveel van de laatste logins moeten worden weergegeven: + +`last -n {{aantal_logins}}` + +- Toon de volledige datum en tijd voor vermeldingen en toon vervolgens de hostnaam-kolom als laatste om afkapping te voorkomen: + +`last -F -a` + +- Bekijk alle logins van een specifieke gebruiker en toon het IP-adres in plaats van de hostnaam: + +`last {{gebruikersnaam}} -i` + +- Bekijk alle geregistreerde herstarts (d.w.z. de laatste logins van de pseudo-gebruiker "reboot"): + +`last reboot` + +- Bekijk alle geregistreerde uitschakelingen (d.w.z. de laatste logins van de pseudo-gebruiker "shutdown"): + +`last shutdown` diff --git a/pages.nl/common/lex.md b/pages.nl/common/lex.md new file mode 100644 index 000000000..179c00869 --- /dev/null +++ b/pages.nl/common/lex.md @@ -0,0 +1,18 @@ +# lex + +> Generator voor lexicale analyzers. +> Gegeven de specificatie voor een lexicale analyzer, genereert C-code die deze implementeert. +> Opmerking: op de meeste grote besturingssystemen is dit commando een alias voor `flex`. +> Meer informatie: . + +- Genereer een analyzer van een Lex-bestand en sla deze op in het bestand `lex.yy.c`: + +`lex {{analyzer.l}}` + +- Specificeer het uitvoerbestand: + +`lex -t {{analyzer.l}} > {{analyzer.c}}` + +- Compileer een C-bestand dat door Lex is gegenereerd: + +`c99 {{pad/naar/lex.yy.c}} -o {{uitvoerbaar_bestand}}` diff --git a/pages.nl/common/link.md b/pages.nl/common/link.md new file mode 100644 index 000000000..5f637ceaf --- /dev/null +++ b/pages.nl/common/link.md @@ -0,0 +1,9 @@ +# link + +> Maak een harde koppeling naar een bestaand bestand. +> Voor meer opties, zie het `ln` commando. +> Meer informatie: . + +- Maak een harde koppeling van een nieuw bestand naar een bestaand bestand: + +`link {{pad/naar/bestaand_bestand}} {{pad/naar/nieuw_bestand}}` diff --git a/pages.nl/common/linode-cli-nodebalancers.md b/pages.nl/common/linode-cli-nodebalancers.md index 715b835f7..9c3150ef5 100644 --- a/pages.nl/common/linode-cli-nodebalancers.md +++ b/pages.nl/common/linode-cli-nodebalancers.md @@ -10,7 +10,7 @@ - Maak een nieuwe NodeBalancer: -`linode-cli nodebalancers create --region {{region}}` +`linode-cli nodebalancers create --region {{regio}}` - Toon details van een specifieke NodeBalancer: @@ -18,7 +18,7 @@ - Update een bestaande NodeBalancer: -`linode-cli nodebalancers update {{nodebalancer_id}} --label {{new_label}}` +`linode-cli nodebalancers update {{nodebalancer_id}} --label {{nieuw_label}}` - Verwijder een NodeBalancer: @@ -30,4 +30,4 @@ - Voeg een nieuwe configuratie toe aan een NodeBalancer: -`linode-cli nodebalancers configs create {{nodebalancer_id}} --port {{port}} --protocol {{protocol}}` +`linode-cli nodebalancers configs create {{nodebalancer_id}} --port {{poort}} --protocol {{protocol}}` diff --git a/pages.nl/common/lldb.md b/pages.nl/common/lldb.md new file mode 100644 index 000000000..db2614e62 --- /dev/null +++ b/pages.nl/common/lldb.md @@ -0,0 +1,16 @@ +# lldb + +> De LLVM Low-Level Debugger. +> Meer informatie: . + +- Debug een uitvoerbaar bestand: + +`lldb {{uitvoerbaar_bestand}}` + +- Koppel `lldb` aan een draaiend proces met een gegeven PID: + +`lldb -p {{pid}}` + +- Wacht op de start van een nieuw proces met een gegeven naam en koppel eraan: + +`lldb -w -n {{proces_naam}}` diff --git a/pages.nl/common/logger.md b/pages.nl/common/logger.md new file mode 100644 index 000000000..b2595b0b8 --- /dev/null +++ b/pages.nl/common/logger.md @@ -0,0 +1,24 @@ +# logger + +> Voeg berichten toe aan syslog (/var/log/syslog). +> Meer informatie: . + +- Log een bericht naar syslog: + +`logger {{bericht}}` + +- Neem invoer van `stdin` en log naar syslog: + +`echo {{log_entry}} | logger` + +- Stuur de uitvoer naar een externe syslog-server die op een bepaalde poort draait. Standaardpoort is 514: + +`echo {{log_entry}} | logger --server {{hostname}} --port {{poort}}` + +- Gebruik een specifieke tag voor elke gelogde regel. Standaard is de naam van de ingelogde gebruiker: + +`echo {{log_entry}} | logger --tag {{tag}}` + +- Log berichten met een gegeven prioriteit. Standaard is `user.notice`. Zie `man logger` voor alle prioriteitsopties: + +`echo {{log_entry}} | logger --priority {{user.warning}}` diff --git a/pages.nl/common/look.md b/pages.nl/common/look.md new file mode 100644 index 000000000..81d381b5d --- /dev/null +++ b/pages.nl/common/look.md @@ -0,0 +1,22 @@ +# look + +> Toon regels die beginnen met een prefix in een gesorteerd bestand. +> Let op: de regels in het bestand moeten gesorteerd zijn. +> Bekijk ook: `grep`, `sort`. +> Meer informatie: . + +- Zoek naar regels die beginnen met een specifieke prefix in een specifiek bestand: + +`look {{prefix}} {{pad/naar/bestand}}` + +- Zoek hoofdletterongevoelig ([f]) alleen op alfanumerieke tekens ([d]): + +`look -f -d {{prefix}} {{pad/naar/bestand}}` + +- Specificeer een string-[t]erminatiekarakter (standaard is spatie): + +`look -t {{,}}` + +- Zoek in `/usr/share/dict/words` (`--ignore-case` en `--alphanum` worden aangenomen): + +`look {{prefix}}` diff --git a/pages.nl/common/lp.md b/pages.nl/common/lp.md index 11b61e490..3324e10fb 100644 --- a/pages.nl/common/lp.md +++ b/pages.nl/common/lp.md @@ -3,23 +3,23 @@ > Print bestanden. > Meer informatie: . -- Print de output van een commando met de standaard printer (bekijk het `lpstat` commando): +- Toon de output van een commando met de standaard printer (bekijk het `lpstat` commando): `echo "test" | lp` -- Print een bestand met de standaard printer: +- Toon een bestand met de standaard printer: `lp {{pad/naar/bestandsnaam}}` -- Print een bestand met een printer met naam (bekijk het `lpstat` commando): +- Toon een bestand met een printer met naam (bekijk het `lpstat` commando): `lp -d {{printer_naam}} {{pad/naar/bestandsnaam}}` -- Print N kopieën van een bestand met de standaard printer (vervang N met het gewenste aantal kopieën): +- Toon N kopieën van een bestand met de standaard printer (vervang N met het gewenste aantal kopieën): `lp -n {{N}} {{pad/naar/bestandsnaam}}` -- Print alleen specifieke pagina's met de standaard printer (print pagina's 1, 3-5, and 16): +- Toon alleen specifieke pagina's met de standaard printer (print pagina's 1, 3-5, and 16): `lp -P 1,3-5,16 {{pad/naar/bestandsnaam}}` diff --git a/pages.nl/common/ls.md b/pages.nl/common/ls.md new file mode 100644 index 000000000..0c1ac9714 --- /dev/null +++ b/pages.nl/common/ls.md @@ -0,0 +1,36 @@ +# ls + +> Toon de inhoud van een map. +> Meer informatie: . + +- Toon één bestand per regel: + +`ls -1` + +- Toon alle bestanden, inclusief verborgen bestanden: + +`ls -a` + +- Toon alle bestanden, met een `/` achter de namen van mappen: + +`ls -F` + +- Lange lijstweergave (permissies, eigendom, grootte en wijzigingsdatum) van alle bestanden: + +`ls -la` + +- Lange lijstweergave met grootte weergegeven in leesbare eenheden (KiB, MiB, GiB): + +`ls -lh` + +- Lange lijstweergave gesorteerd op grootte (aflopend) recursief: + +`ls -lSR` + +- Lange lijstweergave van alle bestanden, gesorteerd op wijzigingsdatum (oudste eerst): + +`ls -ltr` + +- Toon alleen mappen: + +`ls -d */` diff --git a/pages.nl/common/magick-compare.md b/pages.nl/common/magick-compare.md new file mode 100644 index 000000000..e7ed238ea --- /dev/null +++ b/pages.nl/common/magick-compare.md @@ -0,0 +1,13 @@ +# magick compare + +> Maak een vergelijkingsafbeelding om visueel de verschillen te zien tussen twee afbeeldingen. +> Bekijk ook: `magick`. +> Meer informatie: . + +- Vergelijk twee afbeeldingen: + +`magick compare {{pad/naar/afbeelding1.png}} {{pad/naar/afbeelding2.png}} {{pad/naar/diff.png}}` + +- Vergelijk twee afbeelding door gebruik te maken van de gespecificeerde metriek: + +`magick compare -verbose -metric {{PSNR}} {{pad/naar/afbeelding1.png}} {{pad/naar/afbeelding2.png}} {{pad/naar/diff.png}}` diff --git a/pages.nl/common/magick-convert.md b/pages.nl/common/magick-convert.md new file mode 100644 index 000000000..a36d3605c --- /dev/null +++ b/pages.nl/common/magick-convert.md @@ -0,0 +1,37 @@ +# magick convert + +> Converteer tussen afbeeldingsformaten, schaal, voeg samen, maak afbeeldingen en nog veel meer. +> Let op: deze tool (voorheen `convert`) is vervangen door `magick` in ImageMagick 7+. +> Meer informatie: . + +- Converteer een afbeelding van JPEG naar PNG: + +`magick convert {{pad/naar/invoer_afbeelding.jpg}} {{pad/naar/uitvoer_afbeelding.png}}` + +- Schaal een afbeelding naar 50% van zijn originele grootte: + +`magick convert {{pad/naar/invoer_afbeelding.png}} -resize 50% {{pad/naar/uitvoer_afbeelding.png}}` + +- Schaal een afbeelding en behoud de originele aspect ratio tot een maximale dimensie van 640x480: + +`magick convert {{pad/naar/invoer_afbeelding.png}} -resize 640x480 {{pad/naar/uitvoer_afbeelding.png}}` + +- Schaal een afbeelding zodat deze een gespecificeerde bestandsgrootte heeft: + +`magick convert {{pad/naar/invoer_afbeelding.png}} -define jpeg:extent=512kb {{pad/naar/uitvoer_afbeelding.jpg}}` + +- Verticaal/horizontaal toevoegen van afbeeldingen: + +`magick convert {{pad/naar/afbeelding1.png pad/naar/afbeelding2.png ...}} {{-append|+append}} {{pad/naar/uitvoer_afbeelding.png}}` + +- Maak een GIF van een series van afbeeldingen met 100ms pauze ertusen: + +`magick convert {{pad/naar/afbeelding1.png pad/naar/afbeelding2.png ...}} -delay {{10}} {{pad/naar/animation.gif}}` + +- Maak een afbeelding met niets anders dan een volledig rode achtergrond: + +`magick convert -size {{800x600}} "xc:{{#ff0000}}" {{pad/naar/afbeelding.png}}` + +- Maak een favicon van verschillende afbeeldingen met verschillende groottes: + +`magick convert {{pad/naar/afbeelding1.png pad/naar/afbeelding2.png ...}} {{pad/naar/favicon.ico}}` diff --git a/pages.nl/common/magick-identify.md b/pages.nl/common/magick-identify.md new file mode 100644 index 000000000..f125001e4 --- /dev/null +++ b/pages.nl/common/magick-identify.md @@ -0,0 +1,17 @@ +# magick identify + +> Beschrijf het formaat en eigenschappen van afbeeldingen. +> Bekijk ook: `magick`. +> Meer informatie: . + +- Beschrijf het formaat en basis eigenschappen van een afbeelding: + +`magick identify {{pad/naar/afbeelding}}` + +- Beschrijf het formaat en uitgebreide eigenschappen van een afbeelding: + +`magick identify -verbose {{pad/naar/afbeelding}}` + +- Verzamel de dimensies van alle JPEG bestanden in de huidige map en sla ze op naar een CSV-bestand: + +`magick identify -format "{{%f,%w,%h\n}}" {{*.jpg}} > {{pad/naar/bestandslijst.csv}}` diff --git a/pages.nl/common/magick-import.md b/pages.nl/common/magick-import.md new file mode 100644 index 000000000..2ee9c98a4 --- /dev/null +++ b/pages.nl/common/magick-import.md @@ -0,0 +1,17 @@ +# magick import + +> Leg een deel of het geheel van een X server scherm vast en sla de afbeelding op in een bestand. +> Bekijk ook: `magick`. +> Meer informatie: . + +- Leg het hele X server scherm vast in een PostScript bestand: + +`magick import -window root {{pad/naar/uitvoer.ps}}` + +- Leg de inhoud van een extern X server scherm vast in een PNG afbeelding: + +`magick import -window root -display {{externe_host}}:{{scherm}}.{{display}} {{pad/naar/uitvoer.png}}` + +- Leg een specifiek venster vast op basis van zijn ID zoals weergegeven door `xwininfo` in een JPEG-afbeelding: + +`magick import -window {{window_id}} {{pad/naar/uitvoer.jpg}}` diff --git a/pages.nl/common/magick-mogrify.md b/pages.nl/common/magick-mogrify.md new file mode 100644 index 000000000..250a85add --- /dev/null +++ b/pages.nl/common/magick-mogrify.md @@ -0,0 +1,26 @@ +# magick mogrify + +> Voer bewerkingen uit op meerdere afbeeldingen, zoals het wijzigen van de grootte, bijsnijden, omkeren en effecten toevoegen. +> Wijzigingen worden direct toegepast op het originele bestand. +> Bekijk ook: `magick`. +> Meer informatie: . + +- Wijzig de grootte van alle JPEG afbeeldingen in de map naar 50% van hun oorspronkelijke grootte: + +`magick mogrify -resize {{50%}} {{*.jpg}}` + +- Wijzig de grootte van alle afbeeldingen die beginnen met `DSC` naar 800x600: + +`magick mogrify -resize {{800x600}} {{DSC*}}` + +- Converteer alle PNG's in de map naar JPEG: + +`magick mogrify -format {{jpg}} {{*.png}}` + +- Halveer de verzadiging van alle afbeeldingsbestanden in de huidige map: + +`magick mogrify -modulate {{100,50}} {{*}}` + +- Verdubbel de helderheid van alle afbeeldingsbestanden in de huidige map: + +`magick mogrify -modulate {{200}} {{*}}` diff --git a/pages.nl/common/magick-montage.md b/pages.nl/common/magick-montage.md new file mode 100644 index 000000000..2322d2a20 --- /dev/null +++ b/pages.nl/common/magick-montage.md @@ -0,0 +1,25 @@ +# magick montage + +> Plaats afbeeldingen in een aanpasbaar raster. +> Bekijk ook: `magick`. +> Meer informatie: . + +- Plaats afbeeldingen in een raster, waarbij afbeeldingen die groter zijn dan de rastercelgrootte automatisch worden aangepast: + +`magick montage {{pad/naar/afbeelding1.jpg pad/naar/afbeelding2.jpg ...}} {{pad/naar/montage.jpg}}` + +- Plaats afbeeldingen in een raster, waarbij de rastercelgrootte automatisch wordt berekend op basis van de grootste afbeelding: + +`magick montage {{pad/naar/afbeelding1.jpg pad/naar/afbeelding2.jpg ...}} -geometry {{+0+0}} {{pad/naar/montage.jpg}}` + +- Specificeer de rastercelgrootte en pas de afbeeldingen aan om hierin te passen voordat ze worden geplaatst: + +`magick montage {{pad/naar/afbeelding1.jpg pad/naar/afbeelding2.jpg ...}} -geometry {{640x480+0+0}} {{pad/naar/montage.jpg}}` + +- Beperk het aantal rijen en kolommen in het raster, waardoor invoerafbeeldingen over meerdere output-montages worden verdeeld: + +`magick montage {{pad/naar/afbeelding1.jpg pad/naar/afbeelding2.jpg ...}} -geometry {{+0+0}} -tile {{2x3}} {{montage_%d.jpg}}` + +- Wijzig de grootte en snijd afbeeldingen bij om hun rastercellen te vullen voordat ze worden geplaatst: + +`magick montage {{pad/naar/afbeelding1.jpg pad/naar/afbeelding2.jpg ...}} -geometry {{+0+0}} -resize {{640x480^}} -gravity {{center}} -crop {{640x480+0+0}} {{pad/naar/montage.jpg}}` diff --git a/pages.nl/common/magick.md b/pages.nl/common/magick.md index d6461ac9c..f8b434389 100644 --- a/pages.nl/common/magick.md +++ b/pages.nl/common/magick.md @@ -1,18 +1,19 @@ # magick -> Creër, bewerk, vorm, of converteer bitmapafbeeldingen. -> ImageMagick versie 7+. Bekijk `convert` voor versies 6 en lager. -> Meer informatie: . +> Creër, bewerk, vorm of converteer bitmapafbeeldingen. +> Deze tool vervangt `convert` in ImageMagick 7+. Bekijk `magick convert` om de oude tool te gebruiken in versies 7+. +> Sommige subcommando's zoals `mogrify` hebben hun eigen documentatie. +> Meer informatie: . -- Converteer bestandstype: +- Converteer tussen afbeeldingsformaten: `magick {{pad/naar/invoer_afbeelding.png}} {{pad/naar/uitvoer_afbeelding.jpg}}` -- Formaat van een afbeelding wijzigen, maak een nieuw kopie: +- Wijzig de grootte van een afbeelding en maak een nieuwe kopie: `magick {{pad/naar/invoer_afbeelding.png}} -resize {{100x100}} {{pad/naar/uitvoer_afbeelding.jpg}}` -- Creër een GIF door middel van afbeeldingen: +- Maak een GIF van alle JPEG-afbeeldingen uit de huidige map: `magick {{*.jpg}} {{pad/naar/uitvoer_afbeelding.gif}}` @@ -20,6 +21,6 @@ `magick -size {{640x480}} pattern:checkerboard {{pad/naar/dambordpatroon.png}}` -- Converteer afbeeldingen naar individuele PDF-pagina's: +- Maak een PDF van alle JPEG-afbeeldingen uit de huidige map: `magick {{*.jpg}} -adjoin {{pad/naar/pagina-%d.pdf}}` diff --git a/pages.nl/common/make.md b/pages.nl/common/make.md new file mode 100644 index 000000000..ea313dc2f --- /dev/null +++ b/pages.nl/common/make.md @@ -0,0 +1,37 @@ +# make + +> Taakuitvoerder voor doelen beschreven in Makefile. +> Wordt meestal gebruikt om de compilatie van een uitvoerbaar bestand uit broncode te beheren. +> Meer informatie: . + +- Roep het eerste doel aan dat in de Makefile is gespecificeerd (meestal "all" genoemd): + +`make` + +- Roep een specifiek doel aan: + +`make {{doel}}` + +- Roep een specifiek doel aan en voer 4 taken tegelijk uit in parallel: + +`make -j{{4}} {{doel}}` + +- Gebruik een specifieke Makefile: + +`make --file {{pad/naar/bestand}}` + +- Voer make uit vanuit een andere map: + +`make --directory {{pad/naar/map}}` + +- Forceer het maken van een doel, zelfs als bronbestanden ongewijzigd zijn: + +`make --always-make {{doel}}` + +- Overschrijf een variabele die in de Makefile is gedefinieerd: + +`make {{doel}} {{variabele}}={{nieuwe_waarde}}` + +- Overschrijf variabelen die in de Makefile zijn gedefinieerd door de omgeving: + +`make --environment-overrides {{doel}}` diff --git a/pages.nl/common/man.md b/pages.nl/common/man.md new file mode 100644 index 000000000..3f2d37ea6 --- /dev/null +++ b/pages.nl/common/man.md @@ -0,0 +1,32 @@ +# man + +> Formatteer en toon handleidingen. +> Meer informatie: . + +- Toon de handleiding voor een commando: + +`man {{commando}}` + +- Toon de handleiding voor een commando uit sectie 7: + +`man {{7}} {{commando}}` + +- Toon alle beschikbare secties voor een commando: + +`man -f {{commando}}` + +- Toon het pad dat wordt doorzocht voor handleidingen: + +`man --path` + +- Toon de locatie van een handleiding in plaats van de handleiding zelf: + +`man -w {{commando}}` + +- Toon de handleiding in een specifieke taal: + +`man {{commando}} --locale={{taal}}` + +- Zoek naar handleidingen die een zoekterm bevatten: + +`man -k "{{zoekterm}}"` diff --git a/pages.nl/common/md5sum.md b/pages.nl/common/md5sum.md new file mode 100644 index 000000000..5d2cb9023 --- /dev/null +++ b/pages.nl/common/md5sum.md @@ -0,0 +1,28 @@ +# md5sum + +> Bereken MD5 cryptografische checksums. +> Meer informatie: . + +- Bereken de MD5 checksum voor één of meer bestanden: + +`md5sum {{pad/naar/bestand1 pad/naar/bestand2 ...}}` + +- Bereken en sla de lijst van MD5 checksums op in een bestand: + +`md5sum {{pad/naar/bestand1 pad/naar/bestand2 ...}} > {{pad/naar/bestand.md5}}` + +- Bereken een MD5 checksum van `stdin`: + +`{{commando}} | md5sum` + +- Lees een bestand met MD5 checksums en bestandsnamen en verifieer dat alle bestanden overeenkomende checksums hebben: + +`md5sum --check {{pad/naar/bestand.md5}}` + +- Toon alleen een bericht voor ontbrekende bestanden of wanneer verificatie mislukt: + +`md5sum --check --quiet {{pad/naar/bestand.md5}}` + +- Toon alleen een bericht wanneer verificatie mislukt, negeer ontbrekende bestanden: + +`md5sum --ignore-missing --check --quiet {{pad/naar/bestand.md5}}` diff --git a/pages.nl/common/mesg.md b/pages.nl/common/mesg.md new file mode 100644 index 000000000..41ce5f0bd --- /dev/null +++ b/pages.nl/common/mesg.md @@ -0,0 +1,17 @@ +# mesg + +> Controleer of stel in of een terminal berichten van andere gebruikers kan ontvangen, meestal van het `write`-commando. +> Zie ook `write`, `talk`. +> Meer informatie: . + +- Controleer of de terminal openstaat voor berichten: + +`mesg` + +- Sta geen berichten toe van het write-commando: + +`mesg n` + +- Sta berichten toe van het write-commando: + +`mesg y` diff --git a/pages.nl/common/mkdir.md b/pages.nl/common/mkdir.md new file mode 100644 index 000000000..0d57f0e0c --- /dev/null +++ b/pages.nl/common/mkdir.md @@ -0,0 +1,16 @@ +# mkdir + +> Maak mappen aan en stel hun permissies in. +> Meer informatie: . + +- Maak specifieke mappen aan: + +`mkdir {{pad/naar/map1 pad/naar/map2 ...}}` + +- Maak specifieke mappen en hun ouders ([p]) aan indien nodig: + +`mkdir {{-p|--parents}} {{pad/naar/map1 pad/naar/map2 ...}}` + +- Maak mappen aan met specifieke permissies: + +`mkdir {{-m|--mode}} {{rwxrw-r--}} {{pad/naar/map1 pad/naar/map2 ...}}` diff --git a/pages.nl/common/mkfifo.md b/pages.nl/common/mkfifo.md new file mode 100644 index 000000000..53d240f96 --- /dev/null +++ b/pages.nl/common/mkfifo.md @@ -0,0 +1,16 @@ +# mkfifo + +> Maak FIFOs (benoemde pipes). +> Meer informatie: . + +- Maak een benoemde pipe op een opgegeven pad: + +`mkfifo {{pad/naar/pipe}}` + +- Stuur data naar een benoemde pipe en stuur het commando naar de achtergrond: + +`echo {{"Hello World"}} > {{pad/naar/pipe}} &` + +- Ontvang data van benoemde pipe: + +`cat {{pad/naar/pipe}}` diff --git a/pages.nl/common/mktemp.md b/pages.nl/common/mktemp.md new file mode 100644 index 000000000..6a2416a90 --- /dev/null +++ b/pages.nl/common/mktemp.md @@ -0,0 +1,24 @@ +# mktemp + +> Maak een tijdelijk bestand of een tijdelijke map aan. +> Meer informatie: . + +- Maak een leeg tijdelijk bestand en toon het absolute pad: + +`mktemp` + +- Gebruik een aangepaste map als `$TMPDIR` niet is ingesteld (de standaard is platformafhankelijk, maar meestal `/tmp`): + +`mktemp -p {{/pad/naar/tempdir}}` + +- Gebruik een aangepast pad-sjabloon (`X`en worden vervangen door willekeurige alfanumerieke tekens): + +`mktemp {{/tmp/voorbeeld.XXXXXXXX}}` + +- Gebruik een aangepast bestandsnaam-sjabloon: + +`mktemp -t {{voorbeeld.XXXXXXXX}}` + +- Maak een lege tijdelijke map aan en toon het absolute pad: + +`mktemp -d` diff --git a/pages.nl/common/mogrify.md b/pages.nl/common/mogrify.md new file mode 100644 index 000000000..51e833821 --- /dev/null +++ b/pages.nl/common/mogrify.md @@ -0,0 +1,7 @@ +# mogrify + +> Dit commando is een alias van `magick mogrify`. + +- Bekijk de documentatie van het originele commando: + +`tldr magick mogrify` diff --git a/pages.nl/common/montage.md b/pages.nl/common/montage.md new file mode 100644 index 000000000..3bfe3ea43 --- /dev/null +++ b/pages.nl/common/montage.md @@ -0,0 +1,7 @@ +# montage + +> Dit commando is een alias van `magick montage`. + +- Bekijk de documentatie van het originele commando: + +`tldr magick montage` diff --git a/pages.nl/common/more.md b/pages.nl/common/more.md new file mode 100644 index 000000000..7aa03bcd9 --- /dev/null +++ b/pages.nl/common/more.md @@ -0,0 +1,29 @@ +# more + +> Toon een bestand interactief, met de mogelijkheid om te scrollen en te zoeken. +> Zie ook: `less`. +> Meer informatie: . + +- Open een bestand: + +`more {{pad/naar/bestand}}` + +- Toon een specifieke regel: + +`more +{{regelnummer}} {{pad/naar/bestand}}` + +- Ga naar de volgende pagina: + +`` + +- Zoek naar een string (druk op `n` om naar de volgende overeenkomst te gaan): + +`/{{iets}}` + +- Afsluiten: + +`q` + +- Toon hulp over interactieve commando's: + +`h` diff --git a/pages.nl/common/mount.md b/pages.nl/common/mount.md new file mode 100644 index 000000000..cb1b66c3e --- /dev/null +++ b/pages.nl/common/mount.md @@ -0,0 +1,36 @@ +# mount + +> Krijg toegang tot een volledig bestandssysteem in één directory. +> Meer informatie: . + +- Toon alle aangekoppelde bestandssystemen: + +`mount` + +- Koppel een apparaat aan een directory: + +`mount -t {{bestandssysteem_type}} {{pad/naar/apparaatbestand}} {{pad/naar/doelmap}}` + +- Maak een specifieke directory als deze niet bestaat en koppel een apparaat eraan: + +`mount --mkdir {{pad/naar/apparaatbestand}} {{pad/naar/doelmap}}` + +- Koppel een apparaat aan een directory voor een specifieke gebruiker: + +`mount -o uid={{gebruiker_id}},gid={{groep_id}} {{pad/naar/apparaatbestand}} {{pad/naar/doelmap}}` + +- Koppel een CD-ROM-apparaat (met het bestandstype ISO9660) aan `/cdrom` (alleen-lezen): + +`mount -t {{iso9660}} -o ro {{/dev/cdrom}} {{/cdrom}}` + +- Koppel alle bestandssystemen die zijn gedefinieerd in `/etc/fstab`: + +`mount -a` + +- Koppel een specifiek bestandssysteem zoals beschreven in `/etc/fstab` (bijv. `/dev/sda1 /my_drive ext2 defaults 0 2`): + +`mount {{/my_drive}}` + +- Koppel een directory aan een andere directory: + +`mount --bind {{pad/naar/oude_map}} {{pad/naar/nieuwe_map}}` diff --git a/pages.nl/common/musescore.md b/pages.nl/common/musescore.md index 0bbcf14ab..6eafef9ef 100644 --- a/pages.nl/common/musescore.md +++ b/pages.nl/common/musescore.md @@ -7,7 +7,7 @@ `musescore --audio-driver {{jack|alsa|portaudio|pulse}}` -- Stel de MP3 uitvoer bitsnelheid in in kbit/s: +- Stel de MP3 uitvoer bitsnelheid in kbit/s: `musescore --bitrate {{bitsnelheid}}` diff --git a/pages.nl/common/mv.md b/pages.nl/common/mv.md new file mode 100644 index 000000000..84657c21f --- /dev/null +++ b/pages.nl/common/mv.md @@ -0,0 +1,36 @@ +# mv + +> Verplaats of hernoem bestanden en mappen. +> Meer informatie: . + +- Hernoem een bestand of map als het doel geen bestaande map is: + +`mv {{pad/naar/bron}} {{pad/naar/doel}}` + +- Verplaats een bestand of map naar een bestaande map: + +`mv {{pad/naar/bron}} {{pad/naar/bestaande_map}}` + +- Verplaats meerdere bestanden naar een bestaande map, waarbij de bestandsnamen ongewijzigd blijven: + +`mv {{pad/naar/bron1 pad/naar/bron2 ...}} {{pad/naar/bestaande_map}}` + +- Vraag niet om bevestiging ([f]) voordat bestaande bestanden worden overschreven: + +`mv --force {{pad/naar/bron}} {{pad/naar/doel}}` + +- Vraag om bevestiging [i]nteractief voordat bestaande bestanden worden overschreven, ongeacht de bestandsrechten: + +`mv --interactive {{pad/naar/bron}} {{pad/naar/doel}}` + +- Overschrijf ([n]) geen bestaande bestanden op de doelbestemming: + +`mv --no-clobber {{pad/naar/bron}} {{pad/naar/doel}}` + +- Verplaats bestanden in [v]erbose-modus, waarbij de bestanden worden getoond nadat ze zijn verplaatst: + +`mv --verbose {{pad/naar/bron}} {{pad/naar/doel}}` + +- Specificeer de doelmap ([t]) (handig in situaties waarin de doelmap het eerste argument moet zijn): + +`{{find /var/log -type f -name '*.log' -print0}} | {{xargs -0}} mv --target-directory {{pad/naar/doel_map}}` diff --git a/pages.nl/common/mycli.md b/pages.nl/common/mycli.md new file mode 100644 index 000000000..3237df319 --- /dev/null +++ b/pages.nl/common/mycli.md @@ -0,0 +1,16 @@ +# mycli + +> Een command-line client voor MySQL die automatische aanvulling en syntaxisaccentuering kan uitvoeren. +> Meer informatie: . + +- Verbinden met een lokale database op poort 3306, met de gebruikersnaam van de huidige gebruiker: + +`mycli {{database_naam}}` + +- Verbinden met een database (gebruiker wordt gevraagd om een wachtwoord): + +`mycli -u {{gebruikersnaam}} {{database_naam}}` + +- Verbinden met een database op een andere host: + +`mycli -h {{database_host}} -P {{poort}} -u {{gebruikersnaam}} {{database_naam}}` diff --git a/pages.nl/common/nc.md b/pages.nl/common/nc.md index 065487b7a..8fd523d5c 100644 --- a/pages.nl/common/nc.md +++ b/pages.nl/common/nc.md @@ -1,7 +1,7 @@ # nc > Netcat is een veelzijdig hulpprogramma voor het omleiden van IO naar een netwerkstream. -> Meer informatie: . +> Meer informatie: . - Start een luisteraar op de opgegeven TCP poort en stuur er een bestand in: diff --git a/pages.nl/common/netcat.md b/pages.nl/common/netcat.md index e619c3c8f..79c10fa75 100644 --- a/pages.nl/common/netcat.md +++ b/pages.nl/common/netcat.md @@ -1,6 +1,7 @@ # netcat > Dit commando is een alias van `nc`. +> Meer informatie: . - Bekijk de documentatie van het originele commando: diff --git a/pages.nl/common/netstat.md b/pages.nl/common/netstat.md new file mode 100644 index 000000000..ca7578800 --- /dev/null +++ b/pages.nl/common/netstat.md @@ -0,0 +1,32 @@ +# netstat + +> Toon netwerkgerelateerde informatie zoals open verbindingen, open socketpoorten, enz. +> Meer informatie: . + +- Lijst alle poorten: + +`netstat --all` + +- Lijst alle luisterende poorten: + +`netstat --listening` + +- Lijst luisterende TCP-poorten: + +`netstat --tcp` + +- Toon PID en programmanamen: + +`netstat --program` + +- Lijst informatie continu: + +`netstat --continuous` + +- Lijst routes en los IP-adressen niet op naar hostnamen: + +`netstat --route --numeric` + +- Lijst luisterende TCP- en UDP-poorten (+ gebruiker en proces als je root bent): + +`netstat --listening --program --numeric --tcp --udp --extend` diff --git a/pages.nl/common/nice.md b/pages.nl/common/nice.md new file mode 100644 index 000000000..ce463e195 --- /dev/null +++ b/pages.nl/common/nice.md @@ -0,0 +1,9 @@ +# nice + +> Voer een programma uit met een aangepaste planningsprioriteit (niceness). +> Niceness-waarden variëren van -20 (de hoogste prioriteit) tot 19 (de laagste). +> Meer informatie: . + +- Start een programma met een aangepaste prioriteit: + +`nice -n {{niceness_waarde}} {{commando}}` diff --git a/pages.nl/common/nl.md b/pages.nl/common/nl.md new file mode 100644 index 000000000..096a11a9b --- /dev/null +++ b/pages.nl/common/nl.md @@ -0,0 +1,36 @@ +# nl + +> Voorzie regels van een nummer uit een bestand of van `stdin`. +> Meer informatie: . + +- Voorzie niet-lege regels in een bestand van een nummer: + +`nl {{pad/naar/bestand}}` + +- Lees van `stdin`: + +`{{commando}} | nl -` + +- Nummer [a]lle [b]ody regels inclusief lege regels of [n]ummer geen [b]ody regels: + +`nl -b {{a|n}} {{pad/naar/bestand}}` + +- Nummer alleen de [b]ody regels die overeenkomen met een basis reguliere expressie (BRE) [p]atroon: + +`nl -b p'FooBar[0-9]' {{pad/naar/bestand}}` + +- Gebruik een specifieke [i]ncrement voor regelnummering: + +`nl -i {{increment}} {{pad/naar/bestand}}` + +- Specificeer het nummeringsformaat voor regels: [r]echts of [l]inks uitgelijnd, met of zonder voorloopnullen ([z]eros): + +`nl -n {{rz|ln|rn}}` + +- Specificeer de breedte ([w]) van de nummering (standaard is 6): + +`nl -w {{col_width}} {{pad/naar/bestand}}` + +- Gebruik een specifieke string om de regelnummers van de regels te [s]cheiden (standaard is TAB): + +`nl -s {{separator}} {{pad/naar/bestand}}` diff --git a/pages.nl/common/nohup.md b/pages.nl/common/nohup.md new file mode 100644 index 000000000..c98a56ce8 --- /dev/null +++ b/pages.nl/common/nohup.md @@ -0,0 +1,20 @@ +# nohup + +> Laat een proces doorgaan wanneer de terminal wordt beëindigd. +> Meer informatie: . + +- Voer een proces uit dat kan doorgaan na het sluiten van de terminal: + +`nohup {{commando}} {{argument1 argument2 ...}}` + +- Start `nohup` in de achtergrondmodus: + +`nohup {{commando}} {{argument1 argument2 ...}} &` + +- Voer een shell-script uit dat kan doorgaan na het sluiten van de terminal: + +`nohup {{pad/naar/script.sh}} &` + +- Voer een proces uit en schrijf de uitvoer naar een specifiek bestand: + +`nohup {{commando}} {{argument1 argument2 ...}} > {{pad/naar/uitvoer_bestand}} &` diff --git a/pages.nl/common/nproc.md b/pages.nl/common/nproc.md new file mode 100644 index 000000000..914b4e1a4 --- /dev/null +++ b/pages.nl/common/nproc.md @@ -0,0 +1,16 @@ +# nproc + +> Toon het aantal beschikbare verwerkingsunits (meestal CPU's). +> Meer informatie: . + +- Toon het aantal beschikbare verwerkingsunits: + +`nproc` + +- Toon het aantal geïnstalleerde verwerkingsunits, inclusief eventuele inactieve: + +`nproc --all` + +- Trek, indien mogelijk, een bepaald aantal units af van de geretourneerde waarde: + +`nproc --ignore {{aantal}}` diff --git a/pages.nl/common/numfmt.md b/pages.nl/common/numfmt.md new file mode 100644 index 000000000..5bddbeffc --- /dev/null +++ b/pages.nl/common/numfmt.md @@ -0,0 +1,16 @@ +# numfmt + +> Converteer getallen naar en van mens-leesbare strings. +> Meer informatie: . + +- Converteer 1.5K (SI-eenheden) naar 1500: + +`numfmt --from=si 1.5K` + +- Converteer het 5e veld (1-gebaseerd) naar IEC-eenheden zonder de header te converteren: + +`ls -l | numfmt --header=1 --field=5 --to=iec` + +- Converteer naar IEC-eenheden, opvullen met 5 tekens, links uitgelijnd: + +`du -s * | numfmt --to=iec --format="%-5f"` diff --git a/pages.nl/common/nvm.md b/pages.nl/common/nvm.md new file mode 100644 index 000000000..5c28127d2 --- /dev/null +++ b/pages.nl/common/nvm.md @@ -0,0 +1,34 @@ +# nvm + +> Installeer, deïnstalleer of wissel tussen verschillende Node.js-versies. +> Ondersteunt versienummers zoals "12.8" of "v16.13.1", en labels zoals "stable", "system", enz. +> Zie ook: `asdf`. +> Meer informatie: . + +- Installeer een specifieke versie van Node.js: + +`nvm install {{node_versie}}` + +- Gebruik een specifieke versie van Node.js in de huidige shell: + +`nvm use {{node_versie}}` + +- Stel de standaardversie van Node.js in: + +`nvm alias default {{node_versie}}` + +- Toon alle beschikbare Node.js-versies en markeer de standaardversie: + +`nvm list` + +- Deïnstalleer een bepaalde versie van Node.js: + +`nvm uninstall {{node_versie}}` + +- Start de REPL van een specifieke versie van Node.js: + +`nvm run {{node_versie}} --version` + +- Voer een script uit in een specifieke versie van Node.js: + +`nvm exec {{node_versie}} node {{app.js}}` diff --git a/pages.nl/common/od.md b/pages.nl/common/od.md new file mode 100644 index 000000000..1d77f191b --- /dev/null +++ b/pages.nl/common/od.md @@ -0,0 +1,29 @@ +# od + +> Toon bestandsinhoud in octale, decimale of hexadecimale notatie. +> Toon optioneel de byte-offsets en/of de afdrukbare weergave voor elke regel. +> Meer informatie: . + +- Toon bestand met de standaardinstellingen: octale notatie, 8 bytes per regel, byte-offsets in octale notatie en dubbele regels vervangen door `*`: + +`od {{pad/naar/bestand}}` + +- Toon bestand in uitgebreide modus, d.w.z. zonder dubbele regels te vervangen door `*`: + +`od -v {{pad/naar/bestand}}` + +- Toon bestand in hexadecimale notatie (2-byte eenheden), met byte-offsets in decimale notatie: + +`od --format={{x}} --address-radix={{d}} -v {{pad/naar/bestand}}` + +- Toon bestand in hexadecimale notatie (1-byte eenheden) en 4 bytes per regel: + +`od --format={{x1}} --width={{4}} -v {{pad/naar/bestand}}` + +- Toon bestand in hexadecimale notatie samen met de tekenweergave, en toon geen byte-offsets: + +`od --format={{xz}} --address-radix={{n}} -v {{pad/naar/bestand}}` + +- Lees slechts 100 bytes van een bestand vanaf de 500ste byte: + +`od --read-bytes 100 --skip-bytes=500 -v {{pad/naar/bestand}}` diff --git a/pages.nl/common/open.fish.md b/pages.nl/common/open.fish.md index b9303eb9a..fd08b6c8b 100644 --- a/pages.nl/common/open.fish.md +++ b/pages.nl/common/open.fish.md @@ -1,7 +1,7 @@ # open > Opent bestanden, mappen en URI's met standaardtoepassingen. -> Deze commando is beschikbaar via `fish` op besturingssystemen zonder het ingebouwde `open`-commando (bijv. Haiku en macOS). +> Deze commando is beschikbaar via fish op besturingssystemen zonder het ingebouwde `open`-commando (bijv. Haiku en macOS). > Meer informatie: . - Open een bestand met de bijbehorende applicatie: diff --git a/pages.nl/common/open.md b/pages.nl/common/open.md index f81d6d60e..6b2cbe693 100644 --- a/pages.nl/common/open.md +++ b/pages.nl/common/open.md @@ -6,6 +6,6 @@ `tldr open -p osx` -- Bekijk de documentatie voor het command beschikbaar via `fish`: +- Bekijk de documentatie voor het command beschikbaar via fish: `tldr open.fish` diff --git a/pages.nl/common/pamarith.md b/pages.nl/common/pamarith.md new file mode 100644 index 000000000..45855d30b --- /dev/null +++ b/pages.nl/common/pamarith.md @@ -0,0 +1,9 @@ +# pamarith + +> Pas een binaire functie toe op twee Netpbm afbeeldingen. +> Bekijk ook: `pamfunc`. +> Meer informatie: . + +- Pas de gespecificeerde binaire functie pixel-gewijs toe op twee gespecificeerde afbeeldingen (welke hetzelfde formaat dienen te hebben): + +`pamarith -{{add|subtract|multiply|divide|difference|minimum|maximum|...}} {{pad/naar/afbeelding1.pam|pbm|pgm|ppm}} {{pad/naar/afbeelding2.pam|pbm|pgm|ppm}}` diff --git a/pages.nl/common/pambrighten.md b/pages.nl/common/pambrighten.md new file mode 100644 index 000000000..968589aa5 --- /dev/null +++ b/pages.nl/common/pambrighten.md @@ -0,0 +1,12 @@ +# pambrighten + +> Verander de saturatie en waarde van een PAM afbeelding. +> Meer informatie: . + +- Verhoog de verzadiging van elke pixel met het gespecificeerde percentage: + +`pambrighten -saturation {{percentage}} {{pad/naar/afbeelding.pam}} > {{pad/naar/uitvoer.pam}}` + +- Verhoog de waarde (van de HSV kleurruimte) van elke pixel met het gespecificeerde percentage: + +`pambrighten -value {{percentage}} {{pad/naar/afbeelding.pam}} > {{pad/naar/uitvoer.pam}}` diff --git a/pages.nl/common/pamcomp.md b/pages.nl/common/pamcomp.md new file mode 100644 index 000000000..b13959ba0 --- /dev/null +++ b/pages.nl/common/pamcomp.md @@ -0,0 +1,20 @@ +# pamcomp + +> Leg twee PAM afbeeldingen over elkaar. +> Meer informatie: . + +- Leg twee afbeeldingen over elkaar zodat de bovenlaag delen van de onderlaag blokeert: + +`pamcomp {{pad/naar/bovenlaag.pam}} {{pad/naar/onderlaag.pam}} > {{pad/naar/uitvoer.pam}}` + +- Zet de horizontale uitlijning van de bovenlaag: + +`pamcomp -align {{left|center|right|beyondleft|beyondright}} -xoff {{x_offset}} {{pad/naar/bovenlaag.pam}} {{pad/naar/onderlaag.pam}} > {{pad/naar/uitvoer.pam}}` + +- Zet de verticale uitlijning van de bovenlaag: + +`pamcomp -valign {{top|middle|bottom|above|below}} -yoff {{y_offset}} {{pad/naar/bovenlaag.pam}} {{pad/naar/onderlaag.pam}} > {{pad/naar/uitvoer.pam}}` + +- Zet de dekking van de bovenlaag: + +`pamcomp -opacity {{0.7}} {{pad/naar/bovenlaag.pam}} {{pad/naar/onderlaag.pam}} > {{pad/naar/uitvoer.pam}}` diff --git a/pages.nl/common/pamcrater.md b/pages.nl/common/pamcrater.md new file mode 100644 index 000000000..6d508ec13 --- /dev/null +++ b/pages.nl/common/pamcrater.md @@ -0,0 +1,13 @@ +# pamcrater + +> Maak een PAM afbeelding van een krater terrein. +> Bekijk ook: `pamshadedrelief`, `ppmrelief`. +> Meer informatie: . + +- Maak een afbeelding van een krater terrein met de gespecificeerde dimensies: + +`pamcrater -height {{hoogte}} -width {{breedte}} > {{pad/naar/uitvoer.pam}}` + +- Maak een afbeelding met het gespecificeerde nummer van kraters: + +`pamcrater -number {{n_kraters}} > {{pad/naar/uitvoer.pam}}` diff --git a/pages.nl/common/pamcut.md b/pages.nl/common/pamcut.md new file mode 100644 index 000000000..7c3d72e64 --- /dev/null +++ b/pages.nl/common/pamcut.md @@ -0,0 +1,17 @@ +# pamcut + +> Snij een rechthoekig gebied uit van een Netpbm afbeelding. +> Bekijk ook: `pamcrop`, `pamdice`, `pamcomp`. +> Meer informatie: . + +- Verwijder het gespecificeerde nummer van kolommen/rijen van iedere zijde van de afbeelding: + +`pamcut -cropleft {{waarde}} -cropright {{waarde}} -croptop {{waarde}} -cropbottom {{waarde}} {{pad/naar/afbeelding.ppm}} > {{pad/naar/uitvoer.ppm}}` + +- Behoud alleen de kolommen tussen de gespecificeerde kolommen (inclusief de gespecificeerde): + +`pamcut -left {{waarde}} -right {{waarde}} {{pad/naar/afbeelding.ppm}} > {{pad/naar/uitvoer.ppm}}` + +- Vul missende gebieden met zwarte pixels als de gespecificeerde rechthoek niet volledig ligt in de invoer-afbeelding: + +`pamcut -top {{waarde}} -bottom {{waarde}} -pad {{pad/naar/afbeelding.ppm}} > {{pad/naar/uitvoer.ppm}}` diff --git a/pages.nl/common/pamditherbw.md b/pages.nl/common/pamditherbw.md new file mode 100644 index 000000000..8a73df093 --- /dev/null +++ b/pages.nl/common/pamditherbw.md @@ -0,0 +1,21 @@ +# pamditherbw + +> Pas dithering toe op een grijze afbeelding, zet het bijvoorbeeld om in een patroon van een zwarte en witte pixels die eruitzien als de originele grijstinten. +> Bekijk ook: `pbmreduce`. +> Meer informatie: . + +- Lees een PGM afbeelding, pas dithering toe en sla het op naar een bestand: + +`ppmditherbw {{pad/naar/afbeelding.pgm}} > {{pad/naar/bestand.pgm}}` + +- Gebruik de gespecificeerde kwantificering methode: + +`ppmditherbw -{{floyd|fs|atkinson|threshold|hilbert|...}} {{pad/naar/afbeelding.pgm}} > {{pad/naar/bestand.pgm}}` + +- Gebruik de atkinson kwantificering methode en de gespecifieerde seed voor een pseudo-random nummer generator: + +`ppmditherbw -atkinson -randomseed {{1337}} {{pad/naar/afbeelding.pgm}} > {{pad/naar/bestand.pgm}}` + +- Specificeer de drempel waarde van de kwantificering methodes die een vorm van drempels uitvoeren: + +`ppmditherbw -{{fs|atkinson|thresholding}} -value {{0.3}} {{pad/naar/afbeelding.pgm}} > {{pad/naar/bestand.pgm}}` diff --git a/pages.nl/common/pamedge.md b/pages.nl/common/pamedge.md new file mode 100644 index 000000000..7d0b5f68c --- /dev/null +++ b/pages.nl/common/pamedge.md @@ -0,0 +1,8 @@ +# pamedge + +> Voer randdetectie uit op een Netpbm afbeelding. +> Meer informatie: . + +- Voer randdetectie uit op een Netpbm afbeelding: + +`pamedge {{pad/naar/invoer.pam}} > {{pad/naar/uitvoer.pam}}` diff --git a/pages.nl/common/pamenlarge.md b/pages.nl/common/pamenlarge.md new file mode 100644 index 000000000..59411f409 --- /dev/null +++ b/pages.nl/common/pamenlarge.md @@ -0,0 +1,13 @@ +# pamenlarge + +> Vergroot een PAM afbeelding door de pixels te dupliceren. +> Bekijk ook: `pbmreduce`, `pamditherbw`, `pbmpscale`. +> Meer informatie: . + +- Vergroot de gespecificeerde afbeelding met de gespecificeerde factor: + +`pamenlarge -scale {{N}} {{pad/naar/afbeelding.pam}} > {{pad/naar/uitvoer.pam}}` + +- Vergroot de gespecificeerde afbeelding met de gespecificeerde factors horizontaal en verticaal: + +`pamenlarge -xscale {{XN}} -yscale {{YN}} {{pad/naar/afbeelding.pam}} > {{pad/naar/uitvoer.pam}}` diff --git a/pages.nl/common/pamfile.md b/pages.nl/common/pamfile.md new file mode 100644 index 000000000..3b379b3d1 --- /dev/null +++ b/pages.nl/common/pamfile.md @@ -0,0 +1,16 @@ +# pamfile + +> Beschrijf Netpbm (PAM or PNM) bestanden. +> Meer informatie: . + +- Beschrijf de gespecificeerde Netpbm bestanden: + +`pamfile {{pad/naar/bestand1 pad/naar/bestand2 ...}}` + +- Beschrijf iedere afbeelding in ieder invoerbestand (in tegenstelling tot alleen de eerste afbeelding in elk bestand) in een machine-leesbaar formaat: + +`pamfile -allimages -machine {{pad/naar/bestand}}` + +- Toon hoeveel afbeeldingen de invoerbestanden bevatten: + +`pamfile -count {{pad/naar/bestand}}` diff --git a/pages.nl/common/pamfix.md b/pages.nl/common/pamfix.md new file mode 100644 index 000000000..3b1652a8a --- /dev/null +++ b/pages.nl/common/pamfix.md @@ -0,0 +1,17 @@ +# pamfix + +> Repareer errors in PAM, PBM, PGM en PPM bestanden. +> Bekijk ook: `pamfile`, `pamvalidate`. +> Meer informatie: . + +- Repareer een Netpbm bestand dat zijn laatste deel mist: + +`pamfix -truncate {{pad/naar/corrupt.ext}} > {{pad/naar/uitvoer.ext}}` + +- Repareer een Netpbm bestand waar de pixel waardes de afbeelding's `maxval` overschrijden door de overtredende pixels te verlagen in waarde: + +`pamfix -clip {{pad/naar/corrupt.ext}} > {{pad/naar/uitvoer.ext}}` + +- Repareer een Netpbm bestand waar de pixel waardes de afbeelding's `maxval` overschrijden door deze te verhogen: + +`pamfix -changemaxval {{pad/naar/corrupt.pam|pbm|pgm|ppm}} > {{pad/naar/uitvoer.pam|pbm|pgm|ppm}}` diff --git a/pages.nl/common/pamfixtrunc.md b/pages.nl/common/pamfixtrunc.md new file mode 100644 index 000000000..11174839a --- /dev/null +++ b/pages.nl/common/pamfixtrunc.md @@ -0,0 +1,8 @@ +# pamfixtrunc + +> Dit commando is vervangen door `pamfix -truncate`. +> Meer informatie: . + +- Bekijk de documentatie van het huidige commando: + +`tldr pamfix` diff --git a/pages.nl/common/pamflip.md b/pages.nl/common/pamflip.md new file mode 100644 index 000000000..ff0af50d9 --- /dev/null +++ b/pages.nl/common/pamflip.md @@ -0,0 +1,20 @@ +# pamflip + +> Flip of draai een PAM of PNM afbeelding. +> Meer informatie: . + +- Draai de invoer-afbeelding tegen de klok in met de gespecificeerde graden:: + +`pamflip -rotate{{90|180|270}} {{pad/naar/invoer.pam}} > {{pad/naar/uitvoer.pam}}` + +- Flip links met rechts: + +`pamflip -leftright {{pad/naar/invoer.pam}} > {{pad/naar/uitvoer.pam}}` + +- Flip boven met onder: + +`pamflip -topbottom {{pad/naar/invoer.pam}} > {{pad/naar/uitvoer.pam}}` + +- Flip de invoer-afbeelding met de diagonaal: + +`pamflip -transpose {{pad/naar/invoer.pam}} > {{pad/naar/uitvoer.pam}}` diff --git a/pages.nl/common/pamrgbatopng.md b/pages.nl/common/pamrgbatopng.md new file mode 100644 index 000000000..48669160c --- /dev/null +++ b/pages.nl/common/pamrgbatopng.md @@ -0,0 +1,8 @@ +# pamrgbatopng + +> Dit commando is vervangen door `pamtopng`. +> Meer informatie: . + +- Bekijk de documentatie van het huidige commando: + +`tldr pamtopng` diff --git a/pages.nl/common/pamscale.md b/pages.nl/common/pamscale.md index 50bd0539c..f2d014d5a 100644 --- a/pages.nl/common/pamscale.md +++ b/pages.nl/common/pamscale.md @@ -1,6 +1,6 @@ # pamscale -> Schaal een Netpbm image. +> Schaal een Netpbm afbeelding. > Meer informatie: . - Schaal een afbeelding zodat het resultaat de gespecificeerde verhoudingen heeft: diff --git a/pages.nl/common/pamshadedrelief.md b/pages.nl/common/pamshadedrelief.md new file mode 100644 index 000000000..34ea286f7 --- /dev/null +++ b/pages.nl/common/pamshadedrelief.md @@ -0,0 +1,13 @@ +# pamshadedrelief + +> Genereer een schaduwwerking van een hoogtekaart. +> Bekijk ook: `pamcrater`, `ppmrelief`. +> Meer informatie: . + +- Genereer een schaduwwerking afbeelding met de invoer-afbeelding als een hoogtekaart: + +`pamshadedrelief < {{pad/naar/invoer.pam}} > {{pad/naar/uitvoer.pam}}` + +- Pas de gamma aan van een afbeelding met de gespecificeerde factor: + +`pamshadedrelief -gamma {{factor}} < {{pad/naar/invoer.pam}} > {{pad/naar/uitvoer.pam}}` diff --git a/pages.nl/common/pamslice.md b/pages.nl/common/pamslice.md new file mode 100644 index 000000000..33062ef49 --- /dev/null +++ b/pages.nl/common/pamslice.md @@ -0,0 +1,20 @@ +# pamslice + +> Haal een regel van waarden uit een PAM afbeelding. +> Meer informatie: . + +- Toon de waarden van de pixels in de opgegeven rij in een tabel: + +`pamslice -row {{n}} {{pad/naar/afbeelding.pam}}` + +- Toon de waarden van de pixels in de opgegeven kolom in een tabel: + +`pamslice -column {{n}} {{pad/naar/afbeelding.pam}}` + +- Beschouw alleen het opgegeven vlak (m) van de invoer-afbeelding: + +`pamslice -row {{n}} -plane {{m}} {{pad/naar/afbeelding.pam}}` + +- Produceer uitvoer in een formaat dat geschikt is voor invoer naar een `xmgr` voor visualisatie: + +`pamslice -row {{n}} -xmgr {{pad/naar/afbeelding.pam}}` diff --git a/pages.nl/common/pamsplit.md b/pages.nl/common/pamsplit.md new file mode 100644 index 000000000..8b3f89191 --- /dev/null +++ b/pages.nl/common/pamsplit.md @@ -0,0 +1,13 @@ +# pamsplit + +> Split een Netpbm bestand met meerdere afbeeldingen in meerdere Netpbm bestanden met een enkele afbeelding. +> Bekijk ook: `pamfile`, `pampick`, `pamexec`. +> Meer informatie: . + +- Split een Netpbm bestand met meerdere afbeeldingen in meerdere Netpbm bestanden met een enkele afbeelding: + +`pamsplit {{pad/naar/afbeelding.pam}}` + +- Specificeer een patroon voor de benaming van de uitvoerbestanden: + +`pamsplit {{pad/naar/afbeelding.pam}} {{file_%d.pam}}` diff --git a/pages.nl/common/pamstretch.md b/pages.nl/common/pamstretch.md new file mode 100644 index 000000000..67689e408 --- /dev/null +++ b/pages.nl/common/pamstretch.md @@ -0,0 +1,13 @@ +# pamstretch + +> Vergroot een PAM afbeelding door te interpoleren tussen pixels. +> Bekijk ook: `pamstretch-gen`, `pamenlarge`, `pamscale`. +> Meer informatie: . + +- Vergroot een PAM afbeelding met een gehele factor: + +`pamstretch {{N}} {{pad/naar/afbeelding.pam}} > {{pad/naar/uitvoer.pam}}` + +- Vergroot een PAM afbeelding met de gespecificeerde factoren in de horizontale en verticale richtingen: + +`pamstretch -xscale {{XN}} -yscale {{YN}} {{pad/naar/afbeelding.pam}} > {{pad/naar/uitvoer.pam}}` diff --git a/pages.nl/common/pamtofits.md b/pages.nl/common/pamtofits.md new file mode 100644 index 000000000..6595d68e4 --- /dev/null +++ b/pages.nl/common/pamtofits.md @@ -0,0 +1,9 @@ +# pamtofits + +> Converteer een Netpbm afbeelding naar het Flexible afbeelding Transport System (FITS) formaat. +> Bekijk ook: `fitstopnm`. +> Meer informatie: . + +- Converteer een Netpbm afbeelding naar het FITS formaat: + +`pamtofits {{pad/naar/afbeelding.pam}} > {{pad/naar/uitvoer.fits}}` diff --git a/pages.nl/common/pamtogif.md b/pages.nl/common/pamtogif.md new file mode 100644 index 000000000..eed73bd4e --- /dev/null +++ b/pages.nl/common/pamtogif.md @@ -0,0 +1,17 @@ +# pamtogif + +> Converteer een Netpbm afbeelding naar een ongeanimeerde GIF afbeelding. +> Bekijk ook: `giftopnm`, `gifsicle`. +> Meer informatie: . + +- Converteer een Netpbm afbeelding naar een ongeanimeerde GIF afbeelding: + +`pamtogif {{pad/naar/afbeelding.pam}} > {{pad/naar/uitvoer.gif}}` + +- Markeer de gespecificeerde kleur als transparent in het uitvoer GIF bestand: + +`pamtogif -transparent {{kleur}} {{pad/naar/afbeelding.pam}} > {{pad/naar/uitvoer.gif}}` + +- Voeg de gespecificeerde tekst toe als commentaar in het uitvoer GIF bestand: + +`pamtogif -comment "{{Hallo Wereld!}}" {{pad/naar/afbeelding.pam}} > {{pad/naar/uitvoer.gif}}` diff --git a/pages.nl/common/pamtopng.md b/pages.nl/common/pamtopng.md new file mode 100644 index 000000000..02d15c91c --- /dev/null +++ b/pages.nl/common/pamtopng.md @@ -0,0 +1,21 @@ +# pamtopng + +> Converteer een PAM afbeelding naar PNG. +> Bekijk ook: `pnmtopng`, `pngtopam`. +> Meer informatie: . + +- Converteer de gespecificeerde PAM afbeelding naar PNG: + +`pamtopng {{pad/naar/afbeelding.pam}} > {{pad/naar/uitvoer.png}}` + +- Markeer de gespecificeerde kleur als transparent in de uitvoer-afbeelding: + +`pamtopng -transparent {{kleur}} {{pad/naar/afbeelding.pam}} > {{pad/naar/uitvoer.png}}` + +- Voeg de tekst in gespecificeerde bestand toe als tEXt chunks in de uitvoer: + +`pamtopng -text {{pad/naar/bestand.txt}} {{pad/naar/afbeelding.pam}} > {{pad/naar/uitvoer.png}}` + +- Zorg ervoor dat het uitvoerbestand geïnterlaced is in Adam7-formaat: + +`pamtopng -interlace {{pad/naar/afbeelding.pam}} > {{pad/naar/uitvoer.png}}` diff --git a/pages.nl/common/pamtopnm.md b/pages.nl/common/pamtopnm.md index 2015b5b04..7eb2823e7 100644 --- a/pages.nl/common/pamtopnm.md +++ b/pages.nl/common/pamtopnm.md @@ -7,6 +7,6 @@ `pamtopnm {{pad/naar/afbeelding.pam}} > {{pad/naar/uitvoer.pbm|pgm|ppm}}` -- Toon versie: +- Toon de versie: `pamtopnm -version` diff --git a/pages.nl/common/pamtouil.md b/pages.nl/common/pamtouil.md new file mode 100644 index 000000000..7b7ea7ddc --- /dev/null +++ b/pages.nl/common/pamtouil.md @@ -0,0 +1,12 @@ +# pamtouil + +> Converteer een PNM of PAM bestand naar een Motif UIL icon bestand. +> Meer informatie: . + +- Converteer een PNM of PAM bestand naar een Motif UIL icon bestand: + +`pamtouil {{pad/naar/invoer.pnm|pam}} > {{pad/naar/uitvoer.uil}}` + +- Specificeer een voorvoegsel dat in het uitvoer-UIL-bestand moet worden afgedrukt: + +`pamtouil -name {{uilname}} {{pad/naar/invoer.pnm|pam}} > {{pad/naar/uitvoer.uil}}` diff --git a/pages.nl/common/paste.md b/pages.nl/common/paste.md new file mode 100644 index 000000000..1a8fa3ac2 --- /dev/null +++ b/pages.nl/common/paste.md @@ -0,0 +1,24 @@ +# paste + +> Voeg regels van bestanden samen. +> Meer informatie: . + +- Voeg alle regels samen tot één enkele regel, met TAB als scheidingsteken: + +`paste -s {{pad/naar/bestand}}` + +- Voeg alle regels samen tot één enkele regel, met het opgegeven scheidingsteken: + +`paste -s -d {{scheidingsteken}} {{pad/naar/bestand}}` + +- Voeg twee bestanden zij aan zij samen, elk in zijn kolom, met TAB als scheidingsteken: + +`paste {{pad/naar/bestand1}} {{pad/naar/bestand2}}` + +- Voeg twee bestanden zij aan zij samen, elk in zijn kolom, met het opgegeven scheidingsteken: + +`paste -d {{scheidingsteken}} {{pad/naar/bestand1}} {{pad/naar/bestand2}}` + +- Voeg twee bestanden samen, met afwisselend toegevoegde regels: + +`paste -d '\n' {{pad/naar/bestand1}} {{pad/naar/bestand2}}` diff --git a/pages.nl/common/pathchk.md b/pages.nl/common/pathchk.md new file mode 100644 index 000000000..6d9d92dd2 --- /dev/null +++ b/pages.nl/common/pathchk.md @@ -0,0 +1,20 @@ +# pathchk + +> Controleer de geldigheid en draagbaarheid van padnamen. +> Meer informatie: . + +- Controleer padnamen op geldigheid in het huidige systeem: + +`pathchk {{pad1 pad2 …}}` + +- Controleer padnamen op geldigheid in een breder scala van POSIX-conforme systemen: + +`pathchk -p {{pad1 pad2 …}}` + +- Controleer padnamen op geldigheid in alle POSIX-conforme systemen: + +`pathchk --portability {{pad1 pad2 …}}` + +- Controleer alleen op lege padnamen of leidende streepjes (-): + +`pathchk -P {{pad1 pad2 …}}` diff --git a/pages.nl/common/pbmtoicon.md b/pages.nl/common/pbmtoicon.md new file mode 100644 index 000000000..69fca2e8f --- /dev/null +++ b/pages.nl/common/pbmtoicon.md @@ -0,0 +1,8 @@ +# pbmtoicon + +> Dit commando is vervangen door `pbmtosunicon`. +> Meer informatie: . + +- Bekijk de documentatie van het huidige commando: + +`tldr pbmtosunicon` diff --git a/pages.nl/common/pbmtosunicon.md b/pages.nl/common/pbmtosunicon.md new file mode 100644 index 000000000..06b4fc9ea --- /dev/null +++ b/pages.nl/common/pbmtosunicon.md @@ -0,0 +1,8 @@ +# pbmtosunicon + +> Converteer een PBM afbeelding naar een Sun icon. +> Meer informatie: . + +- Converteer een PBM afbeelding naar een Sun icon: + +`pbmtosunicon {{pad/naar/invoer.pbm}} > {{pad/naar/uitvoer.ico}}` diff --git a/pages.nl/common/pbmtoxbm.md b/pages.nl/common/pbmtoxbm.md index 8950cb454..775e84aac 100644 --- a/pages.nl/common/pbmtoxbm.md +++ b/pages.nl/common/pbmtoxbm.md @@ -1,9 +1,9 @@ # pbmtoxbm -> Converteer een PBM image naar een X11 of X10 bitmap. +> Converteer een PBM afbeelding naar een X11 of X10 bitmap. > Meer informatie: . -- Converteer een PPM image naar een X11 XBM bestand: +- Converteer een PPM afbeelding naar een X11 XBM bestand: `pbmtoxbm {{pad/naar/invoer_bestand.pbm}} > {{pad/naar/uitvoer_bestand.xbm}}` diff --git a/pages.nl/common/pcdindex.md b/pages.nl/common/pcdindex.md new file mode 100644 index 000000000..e509fae96 --- /dev/null +++ b/pages.nl/common/pcdindex.md @@ -0,0 +1,8 @@ +# pcdindex + +> Dit commando is hernoemd naar `pcdovtoppm`. +> Meer informatie: . + +- Bekijk de documentatie voor het commando onder zijn huidige naam: + +`tldr pcdovtoppm` diff --git a/pages.nl/common/pcdovtoppm.md b/pages.nl/common/pcdovtoppm.md new file mode 100644 index 000000000..bd0ba74c4 --- /dev/null +++ b/pages.nl/common/pcdovtoppm.md @@ -0,0 +1,20 @@ +# pcdovtoppm + +> Maak een indexafbeelding voor een fotocd op basis van het overzichtsbestand. +> Meer informatie: . + +- Maak een PPM-indexafbeelding van een PCD-overzichtsbestand: + +`pcdovtoppm {{pad/naar/bestand.pcd}} > {{pad/naar/uitvoer.ppm}}` + +- Specificeer de [m]aximale breedte van de uitvoer-afbeelding en de maximale grootte ([s]) van elke afbeelding die in de uitvoer wordt opgenomen: + +`pcdovtoppm -m {{breedte}} -s {{grootte}} {{pad/naar/bestand.pcd}} > {{pad/naar/uitvoer.ppm}}` + +- Specificeer het maximale [a]antal afbeeldingen en het maximale aantal kleuren ([c]): + +`pcdovtoppm -a {{n_afbeeldingen}} -c {{n_kleuren}} {{pad/naar/bestand.pcd}} > {{pad/naar/uitvoer.ppm}}` + +- Gebruik het gespecificeerde lettertype ([f]) voor annotaties en kleur de achtergrond [w]it: + +`pcdovtoppm -f {{lettertype}} -w {{pad/naar/bestand.pcd}} > {{pad/naar/uitvoer.ppm}}` diff --git a/pages.nl/common/pgmcrater.md b/pages.nl/common/pgmcrater.md new file mode 100644 index 000000000..abaaf650f --- /dev/null +++ b/pages.nl/common/pgmcrater.md @@ -0,0 +1,16 @@ +# pgmcrater + +> Dit commando is vervangen door `pamcrater`, `pamshadedrelief` en `pamtopnm`. +> Meer informatie: . + +- Bekijk de documentatie voor `pamcrater`: + +`tldr pamcrater` + +- Bekijk de documentatie voor `pamshadedrelief`: + +`tldr pamshadedrelief` + +- Bekijk de documentatie voor `pamtopnm`: + +`tldr pamtopnm` diff --git a/pages.nl/common/pgmedge.md b/pages.nl/common/pgmedge.md new file mode 100644 index 000000000..14d5dcebc --- /dev/null +++ b/pages.nl/common/pgmedge.md @@ -0,0 +1,8 @@ +# pgmedge + +> Dit commando is vervangen door `pamedge`. +> Meer informatie: . + +- Bekijk de documentatie van het huidige commando: + +`tldr pamedge` diff --git a/pages.nl/common/pgmnorm.md b/pages.nl/common/pgmnorm.md new file mode 100644 index 000000000..aa2bdf498 --- /dev/null +++ b/pages.nl/common/pgmnorm.md @@ -0,0 +1,8 @@ +# pgmnorm + +> Dit commando is vervangen door `pnmnorm`. +> Meer informatie: . + +- Bekijk de documentatie van het huidige commando: + +`tldr pnmnorm` diff --git a/pages.nl/common/pgmslice.md b/pages.nl/common/pgmslice.md new file mode 100644 index 000000000..04a6bbd88 --- /dev/null +++ b/pages.nl/common/pgmslice.md @@ -0,0 +1,8 @@ +# pgmslice + +> Dit commando is vervangen door `pamslice`. +> Meer informatie: . + +- Bekijk de documentatie van het huidige commando: + +`tldr pamslice` diff --git a/pages.nl/common/pgmtopbm.md b/pages.nl/common/pgmtopbm.md new file mode 100644 index 000000000..fff37f263 --- /dev/null +++ b/pages.nl/common/pgmtopbm.md @@ -0,0 +1,8 @@ +# pgmtopbm + +> Dit commando is vervangen door `pamditherbw`. +> Meer informatie: . + +- Bekijk de documentatie van het huidige commando: + +`tldr pamditherbw` diff --git a/pages.nl/common/ping.md b/pages.nl/common/ping.md new file mode 100644 index 000000000..ea03cd600 --- /dev/null +++ b/pages.nl/common/ping.md @@ -0,0 +1,32 @@ +# ping + +> Verstuur ICMP ECHO_REQUEST-pakketten naar netwerkhosts. +> Meer informatie: . + +- Ping host: + +`ping {{host}}` + +- Ping een host een specifiek aantal keren: + +`ping -c {{aantal}} {{host}}` + +- Ping host met een specifiek interval in seconden tussen verzoeken (standaard is 1 seconde): + +`ping -i {{seconden}} {{host}}` + +- Ping host zonder te proberen symbolische namen voor adressen op te zoeken: + +`ping -n {{host}}` + +- Ping host en laat een bel afgaan wanneer een pakket wordt ontvangen (als je terminal dit ondersteunt): + +`ping -a {{host}}` + +- Toon ook een bericht als er geen reactie is ontvangen: + +`ping -O {{host}}` + +- Ping een host met een specifiek aantal pings, timeout (`-W`) voor elk antwoord, en totale tijdslimiet (`-w`) voor de gehele ping-uitvoering: + +`ping -c {{aantal}} -W {{seconden}} -w {{seconden}} {{host}}` diff --git a/pages.nl/common/ping6.md b/pages.nl/common/ping6.md new file mode 100644 index 000000000..de2db5a9f --- /dev/null +++ b/pages.nl/common/ping6.md @@ -0,0 +1,24 @@ +# ping6 + +> Verstuur ICMP ECHO_REQUEST-pakketten naar netwerkhosts via een IPv6-adres. +> Meer informatie: . + +- Ping een host: + +`ping6 {{host}}` + +- Ping een host een specifiek aantal keren: + +`ping6 -c {{aantal}} {{host}}` + +- Ping een host met een specifiek interval in seconden tussen verzoeken (standaard is 1 seconde): + +`ping6 -i {{seconden}} {{host}}` + +- Ping een host zonder te proberen symbolische namen voor adressen op te zoeken: + +`ping6 -n {{host}}` + +- Ping een host en laat een bel afgaan wanneer een pakket wordt ontvangen (als je terminal dit ondersteunt): + +`ping6 -a {{host}}` diff --git a/pages.nl/common/pinky.md b/pages.nl/common/pinky.md new file mode 100644 index 000000000..02a05136b --- /dev/null +++ b/pages.nl/common/pinky.md @@ -0,0 +1,28 @@ +# pinky + +> Toon gebruikersinformatie met behulp van het `finger`-protocol. +> Meer informatie: . + +- Toon details over de huidige gebruiker: + +`pinky` + +- Toon details voor een specifieke gebruiker: + +`pinky {{gebruiker}}` + +- Toon details in het lange formaat: + +`pinky {{gebruiker}} -l` + +- Laat de home directory en shell van de gebruiker weg in het lange formaat: + +`pinky {{gebruiker}} -lb` + +- Laat het projectbestand van de gebruiker weg in het lange formaat: + +`pinky {{gebruiker}} -lh` + +- Laat de kolomkoppen weg in het korte formaat: + +`pinky {{gebruiker}} -f` diff --git a/pages.nl/common/pio-init.md b/pages.nl/common/pio-init.md index 9f17782cf..df40e16f1 100644 --- a/pages.nl/common/pio-init.md +++ b/pages.nl/common/pio-init.md @@ -1,4 +1,4 @@ -# pio-init +# pio init > Dit commando is een alias van `pio project`. diff --git a/pages.nl/common/pio-system.md b/pages.nl/common/pio-system.md index 3fcba0c31..31432fe85 100644 --- a/pages.nl/common/pio-system.md +++ b/pages.nl/common/pio-system.md @@ -3,7 +3,7 @@ > Gemengde systeem commando's voor PlatformIO. > Meer informatie: . -- Installeer shell completion voor de huidige shell (ondersteund Bash, Fish, Zsh en PowerShell): +- Installeer shell completion voor de huidige shell (ondersteund Bash, fish, Zsh en PowerShell): `pio system completion install` diff --git a/pages.nl/common/pngcheck.md b/pages.nl/common/pngcheck.md new file mode 100644 index 000000000..065d233af --- /dev/null +++ b/pages.nl/common/pngcheck.md @@ -0,0 +1,28 @@ +# pngcheck + +> Gedetailleerde informatie over en verifiëren van PNG-, JNG- en MNG-bestanden. +> Meer informatie: . + +- Toon een samenvatting van een afbeelding (breedte, hoogte, en kleurdiepte): + +`pngcheck {{pad/naar/afbeelding.png}}` + +- Toon informatie over een afbeelding met gekleurde ([c]) uitvoer: + +`pngcheck -c {{pad/naar/afbeelding.png}}` + +- Toon gedetailleerde ([v]) informatie over een afbeelding: + +`pngcheck -cvt {{pad/naar/afbeelding.png}}` + +- Ontvang een afbeelding van `stdin` en toon gedetailleerde informatie: + +`cat {{pad/naar/afbeelding.png}} | pngcheck -cvt` + +- Zoek ([s]) naar PNG-bestanden binnen een specifiek bestand en toon informatie: + +`pngcheck -s {{pad/naar/afbeelding.png}}` + +- Zoek naar PNG's binnen een ander bestand en e[x]tracteer ze: + +`pngcheck -x {{pad/naar/afbeelding.png}}` diff --git a/pages.nl/common/pngtopam.md b/pages.nl/common/pngtopam.md new file mode 100644 index 000000000..1a85ddd36 --- /dev/null +++ b/pages.nl/common/pngtopam.md @@ -0,0 +1,21 @@ +# pngtopam + +> Converteer een PNG afbeelding naar een Netpbm afbeelding. +> Bekijk ook: `pamtopng`. +> Meer informatie: . + +- Converteer de gespecificeerde PNG afbeelding naar een Netpbm afbeelding: + +`pngtopam {{pad/naar/afbeelding.png}} > {{pad/naar/uitvoer.pam}}` + +- Maak een uitvoerafbeelding die zowel de hoofdafbeelding als de transparantiemasker van de invoerafbeelding bevat: + +`pngtopam -alphapam {{pad/naar/afbeelding.png}} > {{pad/naar/uitvoer.pam}}` + +- Vervang transparente pixels door de gespecificeerde kleur: + +`pngtopam -mix -background {{kleur}} {{pad/naar/afbeelding.png}} > {{pad/naar/uitvoer.pam}}` + +- Schrijf tEXt chunks gevonden in de invoer-afbeelding naar het gespecificeerde tekstbestand: + +`pngtopam -text {{pad/naar/bestand.txt}} {{pad/naar/afbeelding.png}} > {{pad/naar/uitvoer.pam}}` diff --git a/pages.nl/common/pngtopnm.md b/pages.nl/common/pngtopnm.md new file mode 100644 index 000000000..1bc404e48 --- /dev/null +++ b/pages.nl/common/pngtopnm.md @@ -0,0 +1,8 @@ +# pngtopnm + +> Dit commando is vervangen door `pngtopam`. +> Meer informatie: . + +- Bekijk de documentatie van het huidige commando: + +`tldr pngtopam` diff --git a/pages.nl/common/pnmarith.md b/pages.nl/common/pnmarith.md new file mode 100644 index 000000000..98a61bcca --- /dev/null +++ b/pages.nl/common/pnmarith.md @@ -0,0 +1,8 @@ +# pnmarith + +> Dit commando is vervangen door `pamarith`. +> Meer informatie: . + +- Bekijk de documentatie van het huidige commando: + +`tldr pamarith` diff --git a/pages.nl/common/pnmcolormap.md b/pages.nl/common/pnmcolormap.md new file mode 100644 index 000000000..2475f01b6 --- /dev/null +++ b/pages.nl/common/pnmcolormap.md @@ -0,0 +1,16 @@ +# pnmcolormap + +> Maak een kwantisatiekleurkaart voor een PNM afbeelding. +> Meer informatie: . + +- Genereer een afbeelding met alleen `n_kleuren` of minder kleuren, zo dicht als mogelijk bij de invoer-afbeelding: + +`pnmcolormap {{n_kleuren}} {{pad/naar/invoer.pnm}} > {{pad/naar/uitvoer.ppm}}` + +- Gebruik de splitspread strategie voor het bepalen van de uitvoer-kleuren, welke waarschijnlijk een beter resultaat oplevert met afbeeldingen met kleine details: + +`pnmcolormap -splitspread {{n_kleuren}} {{pad/naar/invoer.pnm}} > {{pad/naar/uitvoer.ppm}}` + +- Sorteer de resulteerde kleurkaart, welke nuttig is voor het vergelijken van kleurkaarten: + +`pnmcolormap -sort {{pad/naar/invoer.pnm}} > {{pad/naar/uitvoer.ppm}}` diff --git a/pages.nl/common/pnmcut.md b/pages.nl/common/pnmcut.md new file mode 100644 index 000000000..a25981a89 --- /dev/null +++ b/pages.nl/common/pnmcut.md @@ -0,0 +1,8 @@ +# pnmcut + +> Dit commando is vervangen door `pamcut`. +> Meer informatie: . + +- Bekijk de documentatie van het huidige commando: + +`tldr pamcut` diff --git a/pages.nl/common/pnmenlarge.md b/pages.nl/common/pnmenlarge.md new file mode 100644 index 000000000..f6560a9c2 --- /dev/null +++ b/pages.nl/common/pnmenlarge.md @@ -0,0 +1,8 @@ +# pnmenlarge + +> Dit commando is vervangen door `pamenlarge`. +> Meer informatie: . + +- Bekijk de documentatie van het huidige commando: + +`tldr pamenlarge` diff --git a/pages.nl/common/pnmfile.md b/pages.nl/common/pnmfile.md new file mode 100644 index 000000000..0b478b98d --- /dev/null +++ b/pages.nl/common/pnmfile.md @@ -0,0 +1,8 @@ +# pnmfile + +> Dit commando is vervangen door `pamfile`. +> Meer informatie: . + +- Bekijk de documentatie van het huidige commando: + +`tldr pamfile` diff --git a/pages.nl/common/pnmflip.md b/pages.nl/common/pnmflip.md new file mode 100644 index 000000000..f7c476dd9 --- /dev/null +++ b/pages.nl/common/pnmflip.md @@ -0,0 +1,8 @@ +# pnmflip + +> Dit commando is vervangen door `pamflip`. +> Meer informatie: . + +- Bekijk de documentatie van het huidige commando: + +`tldr pamflip` diff --git a/pages.nl/common/pnminterp.md b/pages.nl/common/pnminterp.md new file mode 100644 index 000000000..5973e4690 --- /dev/null +++ b/pages.nl/common/pnminterp.md @@ -0,0 +1,8 @@ +# pnminterp + +> Dit commando is vervangen door `pamstretch`. +> Meer informatie: . + +- Bekijk de documentatie van het huidige commando: + +`tldr pamstretch` diff --git a/pages.nl/common/pnmnorm.md b/pages.nl/common/pnmnorm.md new file mode 100644 index 000000000..c1ac803e4 --- /dev/null +++ b/pages.nl/common/pnmnorm.md @@ -0,0 +1,21 @@ +# pnmnorm + +> Normaliseer het contrast in een PNM afbeelding. +> Bekijk ook: `pnmhisteq`. +> Meer informatie: . + +- Forceer de helderste pixels om wit te zijn, de donkerste pixels om zwart te zijn en verspreid de tussenliggende pixels lineair: + +`pnmnorm {{pad/naar/afbeelding.pnm}} > {{pad/naar/uitvoer.pnm}}` + +- Forceer de helderste pixels om wit te zijn, de donkerste pixels om zwart te zijn en verspreid de tussenliggende pixels kwadratisch zodat pixels met een helderheid van `n` 50% helderder worden: + +`pnmnorm -midvalue {{n}} {{pad/naar/afbeelding.pnm}} > {{pad/naar/uitvoer.pnm}}` + +- Behoud de tint van de pixels, pas alleen de helderheid aan: + +`pnmnorm -keephues {{pad/naar/afbeelding.pnm}} > {{pad/naar/uitvoer.pnm}}` + +- Specificeer een methode om de helderheid van een pixel te berekenen: + +`pnmnorm -{{luminosity|colorvalue|saturation}} {{pad/naar/afbeelding.pnm}} > {{pad/naar/uitvoer.pnm}}` diff --git a/pages.nl/common/pnmquantall.md b/pages.nl/common/pnmquantall.md new file mode 100644 index 000000000..ecd7710f7 --- /dev/null +++ b/pages.nl/common/pnmquantall.md @@ -0,0 +1,13 @@ +# pnmquantall + +> Voer `pnmquant` tegelijk uit op meerdere bestanden zodat deze een kleurkaart delen. +> Bekijk ook: `pnmquant`. +> Meer informatie: . + +- Voer `pnmquant` uit op meerdere bestanden met de gespecificeerde parameters en overschrijf de originele bestanden: + +`pnmquantall {{n_kleuren}} {{pad/naar/invoer1.pnm pad/naar/invoer2.pnm ...}}` + +- Sla de gekwantificeerde afbeeldingen op naar bestanden met dezelfde namen als de invoerbestanden, maar met de gespecificeerde extensie: + +`pnmquantall -ext {{extensie}} {{n_kleuren}} {{pad/naar/invoer1.pnm pad/naar/invoer2.pnm ...}}` diff --git a/pages.nl/common/pnmsplit.md b/pages.nl/common/pnmsplit.md new file mode 100644 index 000000000..8e7643322 --- /dev/null +++ b/pages.nl/common/pnmsplit.md @@ -0,0 +1,8 @@ +# pnmsplit + +> Dit commando is vervangen door `pamsplit`. +> Meer informatie: . + +- Bekijk de documentatie van het huidige commando: + +`tldr pamsplit` diff --git a/pages.nl/common/pnmtofits.md b/pages.nl/common/pnmtofits.md new file mode 100644 index 000000000..80c5f6293 --- /dev/null +++ b/pages.nl/common/pnmtofits.md @@ -0,0 +1,8 @@ +# pnmtofits + +> Dit commando is vervangen door `pamtofits`. +> Meer informatie: . + +- Bekijk de documentatie van het huidige commando: + +`tldr pamtofits` diff --git a/pages.nl/common/pnmtojpeg.md b/pages.nl/common/pnmtojpeg.md new file mode 100644 index 000000000..6f89e5717 --- /dev/null +++ b/pages.nl/common/pnmtojpeg.md @@ -0,0 +1,12 @@ +# pnmtojpeg + +> Converteer een PNM afbeelding naar het JPEG/JFIF/EXIF afbeeldingsformaat. +> Meer informatie: . + +- Lees een PNM afbeelding als invoer en produceer een JPEG/JFIF/EXIF afbeelding als uitvoer: + +`pnmtojpeg {{pad/naar/bestand.pnm}} > {{pad/naar/bestand.jpg}}` + +- Toon de versie: + +`pnmtojpeg -version` diff --git a/pages.nl/common/ppmbrighten.md b/pages.nl/common/ppmbrighten.md new file mode 100644 index 000000000..1b013a345 --- /dev/null +++ b/pages.nl/common/ppmbrighten.md @@ -0,0 +1,8 @@ +# ppmbrighten + +> Dit commando is vervangen door `pambrighten`. +> Meer informatie: . + +- Bekijk de documentatie van het huidige commando: + +`tldr pambrighten` diff --git a/pages.nl/common/ppmnorm.md b/pages.nl/common/ppmnorm.md new file mode 100644 index 000000000..523f49df5 --- /dev/null +++ b/pages.nl/common/ppmnorm.md @@ -0,0 +1,8 @@ +# ppmnorm + +> Dit commando is vervangen door `pnmnorm`. +> Meer informatie: . + +- Bekijk de documentatie van het huidige commando: + +`tldr pnmnorm` diff --git a/pages.nl/common/ppmquantall.md b/pages.nl/common/ppmquantall.md new file mode 100644 index 000000000..54095a594 --- /dev/null +++ b/pages.nl/common/ppmquantall.md @@ -0,0 +1,8 @@ +# ppmquantall + +> Dit commando is vervangen door `pnmquantall`. +> Meer informatie: . + +- Bekijk de documentatie van het huidige commando: + +`tldr pnmquantall` diff --git a/pages.nl/common/ppmtogif.md b/pages.nl/common/ppmtogif.md new file mode 100644 index 000000000..987efabdc --- /dev/null +++ b/pages.nl/common/ppmtogif.md @@ -0,0 +1,8 @@ +# ppmtogif + +> Dit commando is vervangen door `pamtogif`. +> Meer informatie: . + +- Bekijk de documentatie van het huidige commando: + +`tldr pamtogif` diff --git a/pages.nl/common/ppmtojpeg.md b/pages.nl/common/ppmtojpeg.md new file mode 100644 index 000000000..5f956e9c9 --- /dev/null +++ b/pages.nl/common/ppmtojpeg.md @@ -0,0 +1,8 @@ +# ppmtojpeg + +> Dit commando is vervangen door `pnmtojpeg`. +> Meer informatie: . + +- Bekijk de documentatie van het huidige commando: + +`tldr pnmtojpeg` diff --git a/pages.nl/common/ppmtomap.md b/pages.nl/common/ppmtomap.md new file mode 100644 index 000000000..a61518490 --- /dev/null +++ b/pages.nl/common/ppmtomap.md @@ -0,0 +1,8 @@ +# ppmtomap + +> Dit commando is vervangen door `pnmcolormap`. +> Meer informatie: . + +- Bekijk de documentatie van het huidige commando: + +`tldr pnmcolormap` diff --git a/pages.nl/common/ppmtouil.md b/pages.nl/common/ppmtouil.md new file mode 100644 index 000000000..2cbc7a670 --- /dev/null +++ b/pages.nl/common/ppmtouil.md @@ -0,0 +1,8 @@ +# ppmtouil + +> Dit commando is vervangen door `pamtouil`. +> Meer informatie: . + +- Bekijk de documentatie van het huidige commando: + +`tldr pamtouil` diff --git a/pages.nl/common/pr.md b/pages.nl/common/pr.md new file mode 100644 index 000000000..e2f4b7624 --- /dev/null +++ b/pages.nl/common/pr.md @@ -0,0 +1,28 @@ +# pr + +> Pagineer of kolomeer bestanden voor afdrukken. +> Meer informatie: . + +- Toon meerdere bestanden met een standaardkop- en voettekst: + +`pr {{pad/naar/bestand1 pad/naar/bestand2 ...}}` + +- Toon met een aangepaste gecentreerde koptekst: + +`pr -h "{{koptekst}}" {{pad/naar/bestand1 pad/naar/bestand2 ...}}` + +- Toon met genummerde regels en een aangepast datumnotatieformaat: + +`pr -n -D "{{formaat}}" {{pad/naar/bestand1 pad/naar/bestand2 ...}}` + +- Toon alle bestanden samen, één in elke kolom, zonder kop- of voettekst: + +`pr -m -T {{pad/naar/bestand1 pad/naar/bestand2 ...}}` + +- Toon, beginnend bij pagina 2 en tot en met pagina 5, met een gegeven paginalengte (inclusief kop- en voettekst): + +`pr +2:5 -l {{paginalengte}} {{pad/naar/bestand1 pad/naar/bestand2 ...}}` + +- Toon met een offset voor elke regel en een afkappende aangepaste paginabreedte: + +`pr -o {{offset}} -W {{breedte}} {{pad/naar/bestand1 pad/naar/bestand2 ...}}` diff --git a/pages.nl/common/printenv.md b/pages.nl/common/printenv.md new file mode 100644 index 000000000..cdb282202 --- /dev/null +++ b/pages.nl/common/printenv.md @@ -0,0 +1,16 @@ +# printenv + +> Toon waarden van alle of specifieke omgevingsvariabelen. +> Meer informatie: . + +- Toon key-value paren van alle omgevingsvariabelen: + +`printenv` + +- Toon de waarde van een specifieke variabele: + +`printenv {{HOME}}` + +- Toon de waarde van een variabele en eindig met NUL in plaats van een nieuwe regel: + +`printenv --null {{HOME}}` diff --git a/pages.nl/common/printf.md b/pages.nl/common/printf.md new file mode 100644 index 000000000..67a59e6e1 --- /dev/null +++ b/pages.nl/common/printf.md @@ -0,0 +1,28 @@ +# printf + +> Formatteer en toon tekst. +> Meer informatie: . + +- Toon een tekstbericht: + +`printf "{{%s\n}}" "{{Hallo wereld}}"` + +- Toon een geheel getal in vetgedrukt blauw: + +`printf "{{\e[1;34m%.3d\e[0m\n}}" {{42}}` + +- Toon een drijvend-komma getal met het Unicode euroteken: + +`printf "{{\u20AC %.2f\n}}" {{123.4}}` + +- Toon een tekstbericht samengesteld met omgevingsvariabelen: + +`printf "{{var1: %s\tvar2: %s\n}}" "{{$VAR1}}" "{{$VAR2}}"` + +- Sla een geformatteerd bericht op in een variabele (werkt niet in Zsh): + +`printf -v {{mijnvar}} {{"Dit is %s = %d\n" "een jaar" 2016}}` + +- Toon een hexadecimaal, octaal en wetenschappelijk getal: + +`printf "{{hex=%x octal=%o scientific=%e}}" 0x{{FF}} 0{{377}} {{100000}}` diff --git a/pages.nl/common/readlink.md b/pages.nl/common/readlink.md new file mode 100644 index 000000000..eb608afa1 --- /dev/null +++ b/pages.nl/common/readlink.md @@ -0,0 +1,12 @@ +# readlink + +> Volg symlinks en verkrijg symlink-informatie. +> Meer informatie: . + +- Toon het werkelijke bestand waarnaar de symlink verwijst: + +`readlink {{pad/naar/bestand}}` + +- Toon het absolute pad naar een bestand: + +`readlink -f {{pad/naar/bestand}}` diff --git a/pages.nl/common/realpath.md b/pages.nl/common/realpath.md new file mode 100644 index 000000000..5246c6bc7 --- /dev/null +++ b/pages.nl/common/realpath.md @@ -0,0 +1,24 @@ +# realpath + +> Toon het opgeloste absolute pad voor een bestand of map. +> Meer informatie: . + +- Toon het absolute pad voor een bestand of map: + +`realpath {{pad/naar/bestand_of_map}}` + +- Vereis dat alle padcomponenten bestaan: + +`realpath --canonicalize-existing {{pad/naar/bestand_of_map}}` + +- Los ".." componenten op voordat symlinks worden gevolgd: + +`realpath --logical {{pad/naar/bestand_of_map}}` + +- Schakel symlink-uitbreiding uit: + +`realpath --no-symlinks {{pad/naar/bestand_of_map}}` + +- Onderdruk foutmeldingen: + +`realpath --quiet {{pad/naar/bestand_of_map}}` diff --git a/pages.nl/common/rm.md b/pages.nl/common/rm.md index e386b3e14..0605d543f 100644 --- a/pages.nl/common/rm.md +++ b/pages.nl/common/rm.md @@ -1,7 +1,7 @@ # rm > Verwijder bestanden of mappen. -> Zie ook: `rmdir`. +> Bekijk ook: `rmdir`. > Meer informatie: . - Verwijder specifieke bestanden: diff --git a/pages.nl/common/ruff-check.md b/pages.nl/common/ruff-check.md new file mode 100644 index 000000000..c19f3d15b --- /dev/null +++ b/pages.nl/common/ruff-check.md @@ -0,0 +1,33 @@ +# ruff check + +> Een extreem snelle Python linter. `check` is het standaard commando - het kan overal weggelaten worden. +> Als geen bestanden of mappen zijn gespecificeerd, wordt de huidige map gebruikt. +> Meer informatie: . + +- Voer de linter uit op de opgegeven bestanden of mappen: + +`ruff check {{pad/naar/bestand_of_map1 pad/naar/bestand_of_map2 ...}}` + +- Voer de gesuggereerde fixes uit en pas de bestanden in-place aan: + +`ruff check --fix` + +- Voer de linter uit en re-lint op iedere wijziging: + +`ruff check --watch` + +- Zet alleen de gespecificeerde regels (of alle regels) aan en negeer het configuratie bestand: + +`ruff check --select {{ALL|regelcode1,regelcode2,...}}` + +- Zet additioneel de gespecificeerde regels aan: + +`ruff check --extend-select {{regelcode1,regelcode2,...}}` + +- Zet de gespecificeerde regels uit: + +`ruff check --ignore {{regelcode1,regelcode2,...}}` + +- Negeer alle bestaande schendingen van een regel door `# noqa` toe te voegen aan alle regels die de regel breken: + +`ruff check --select {{regelcode}} --add-noqa` diff --git a/pages.nl/common/ruff-format.md b/pages.nl/common/ruff-format.md new file mode 100644 index 000000000..904036709 --- /dev/null +++ b/pages.nl/common/ruff-format.md @@ -0,0 +1,17 @@ +# ruff format + +> Een extreem snelle Python code formatter. +> Als geen bestanden of mappen zijn gespecificeerd, wordt de huidige map gebruikt. +> Meer informatie: . + +- Formateer opgegeven bestanden of mappen in-place: + +`ruff format {{pad/naar/bestand_of_map1 pad/naar/bestand_of_map2 ...}}` + +- Toon welke bestanden aangepast zouden worden en return een niet-nul exit code als er bestanden zijn om te formatteren en anders nul: + +`ruff format --check` + +- Toon welke veranderingen er gemaakt zouden worden zonder de bestanden aan te passen: + +`ruff format --diff` diff --git a/pages.nl/common/ruff.md b/pages.nl/common/ruff.md new file mode 100644 index 000000000..e70f3d1ff --- /dev/null +++ b/pages.nl/common/ruff.md @@ -0,0 +1,12 @@ +# ruff + +> Een extreem snelle Python linter en code formatter, geschreven in Rust. +> Meer informatie: . + +- Bekijk de documentatie voor de Ruff linter: + +`tldr ruff check` + +- Bekijk de documentatie voor de Ruff code formatter: + +`tldr ruff format` diff --git a/pages.nl/common/sed.md b/pages.nl/common/sed.md index d420863b0..aba621326 100644 --- a/pages.nl/common/sed.md +++ b/pages.nl/common/sed.md @@ -2,7 +2,7 @@ > Pas tekst aan in een op een scriptbare manier. > Bekijk ook: `awk`, `ed`. -> Meer informatie: . +> Meer informatie: . - Vervang alle `apple` (basis regex) met `mango` (basis regex) in alle invoerregels en toon het resultaat in `stdout`: diff --git a/pages.nl/common/seq.md b/pages.nl/common/seq.md new file mode 100644 index 000000000..1ae81258b --- /dev/null +++ b/pages.nl/common/seq.md @@ -0,0 +1,20 @@ +# seq + +> Toon een reeks getallen naar `stdout`. +> Meer informatie: . + +- Reeks van 1 tot 10: + +`seq 10` + +- Elk 3e nummer van 5 tot 20: + +`seq 5 3 20` + +- Scheid de uitvoer met een spatie in plaats van een nieuwe regel: + +`seq -s " " 5 3 20` + +- Formatteer de uitvoerbreedte naar minimaal 4 cijfers, opgevuld met nullen indien nodig: + +`seq -f "%04g" 5 3 20` diff --git a/pages.nl/common/sha1sum.md b/pages.nl/common/sha1sum.md new file mode 100644 index 000000000..cc35f7630 --- /dev/null +++ b/pages.nl/common/sha1sum.md @@ -0,0 +1,28 @@ +# sha1sum + +> Bereken SHA1 cryptografische checksums. +> Meer informatie: . + +- Bereken de SHA1 checksum voor één of meer bestanden: + +`sha1sum {{pad/naar/bestand1 pad/naar/bestand2 ...}}` + +- Bereken en sla de lijst van SHA1 checksums op in een bestand: + +`sha1sum {{pad/naar/bestand1 pad/naar/bestand2 ...}} > {{pad/naar/bestand.sha1}}` + +- Bereken een SHA1 checksum van `stdin`: + +`{{commando}} | sha1sum` + +- Lees een bestand met SHA1 checksums en bestandsnamen en verifieer dat alle bestanden overeenkomende checksums hebben: + +`sha1sum --check {{pad/naar/bestand.sha1}}` + +- Toon alleen een bericht voor ontbrekende bestanden of wanneer verificatie mislukt: + +`sha1sum --check --quiet {{pad/naar/bestand.sha1}}` + +- Toon alleen een bericht wanneer verificatie mislukt, negeer ontbrekende bestanden: + +`sha1sum --ignore-missing --check --quiet {{pad/naar/bestand.sha1}}` diff --git a/pages.nl/common/sha224sum.md b/pages.nl/common/sha224sum.md new file mode 100644 index 000000000..3fc791713 --- /dev/null +++ b/pages.nl/common/sha224sum.md @@ -0,0 +1,28 @@ +# sha224sum + +> Bereken SHA224 cryptografische checksums. +> Meer informatie: . + +- Bereken de SHA224 checksum voor één of meer bestanden: + +`sha224sum {{pad/naar/bestand1 pad/naar/bestand2 ...}}` + +- Bereken en sla de lijst van SHA224 checksums op in een bestand: + +`sha224sum {{pad/naar/bestand1 pad/naar/bestand2 ...}} > {{pad/naar/bestand.sha224}}` + +- Bereken een SHA224 checksum van `stdin`: + +`{{commando}} | sha224sum` + +- Lees een bestand met SHA224 checksums en bestandsnamen en verifieer dat alle bestanden overeenkomende checksums hebben: + +`sha224sum --check {{pad/naar/bestand.sha224}}` + +- Toon alleen een bericht voor ontbrekende bestanden of wanneer verificatie mislukt: + +`sha224sum --check --quiet {{pad/naar/bestand.sha224}}` + +- Toon alleen een bericht wanneer verificatie mislukt, negeer ontbrekende bestanden: + +`sha224sum --ignore-missing --check --quiet {{pad/naar/bestand.sha224}}` diff --git a/pages.nl/common/sha256sum.md b/pages.nl/common/sha256sum.md new file mode 100644 index 000000000..556659a8b --- /dev/null +++ b/pages.nl/common/sha256sum.md @@ -0,0 +1,28 @@ +# sha256sum + +> Bereken SHA256 cryptografische checksums. +> Meer informatie: . + +- Bereken de SHA256 checksum voor één of meer bestanden: + +`sha256sum {{pad/naar/bestand1 pad/naar/bestand2 ...}}` + +- Bereken en sla de lijst van SHA256 checksums op in een bestand: + +`sha256sum {{pad/naar/bestand1 pad/naar/bestand2 ...}} > {{pad/naar/bestand.sha256}}` + +- Bereken een SHA256 checksum van `stdin`: + +`{{commando}} | sha256sum` + +- Lees een bestand met SHA256 checksums en bestandsnamen en verifieer dat alle bestanden overeenkomende checksums hebben: + +`sha256sum --check {{pad/naar/bestand.sha256}}` + +- Toon alleen een bericht voor ontbrekende bestanden of wanneer verificatie mislukt: + +`sha256sum --check --quiet {{pad/naar/bestand.sha256}}` + +- Toon alleen een bericht wanneer verificatie mislukt, negeer ontbrekende bestanden: + +`sha256sum --ignore-missing --check --quiet {{pad/naar/bestand.sha256}}` diff --git a/pages.nl/common/sha384sum.md b/pages.nl/common/sha384sum.md new file mode 100644 index 000000000..b409b90e2 --- /dev/null +++ b/pages.nl/common/sha384sum.md @@ -0,0 +1,28 @@ +# sha384sum + +> Bereken SHA384 cryptografische checksums. +> Meer informatie: . + +- Bereken de SHA384 checksum voor één of meer bestanden: + +`sha384sum {{pad/naar/bestand1 pad/naar/bestand2 ...}}` + +- Bereken en sla de lijst van SHA384 checksums op in een bestand: + +`sha384sum {{pad/naar/bestand1 pad/naar/bestand2 ...}} > {{pad/naar/bestand.sha384}}` + +- Bereken een SHA384 checksum van `stdin`: + +`{{commando}} | sha384sum` + +- Lees een bestand met SHA384 checksums en bestandsnamen en verifieer dat alle bestanden overeenkomende checksums hebben: + +`sha384sum --check {{pad/naar/bestand.sha384}}` + +- Toon alleen een bericht voor ontbrekende bestanden of wanneer verificatie mislukt: + +`sha384sum --check --quiet {{pad/naar/bestand.sha384}}` + +- Toon alleen een bericht wanneer verificatie mislukt, negeer ontbrekende bestanden: + +`sha384sum --ignore-missing --check --quiet {{pad/naar/bestand.sha384}}` diff --git a/pages.nl/common/sha512sum.md b/pages.nl/common/sha512sum.md new file mode 100644 index 000000000..51352d4bb --- /dev/null +++ b/pages.nl/common/sha512sum.md @@ -0,0 +1,28 @@ +# sha512sum + +> Bereken SHA512 cryptografische checksums. +> Meer informatie: . + +- Bereken de SHA512 checksum voor één of meer bestanden: + +`sha512sum {{pad/naar/bestand1 pad/naar/bestand2 ...}}` + +- Bereken en sla de lijst van SHA512 checksums op in een bestand: + +`sha512sum {{pad/naar/bestand1 pad/naar/bestand2 ...}} > {{pad/naar/bestand.sha512}}` + +- Bereken een SHA512 checksum van `stdin`: + +`{{commando}} | sha512sum` + +- Lees een bestand met SHA512 checksums en bestandsnamen en verifieer dat alle bestanden overeenkomende checksums hebben: + +`sha512sum --check {{pad/naar/bestand.sha512}}` + +- Toon alleen een bericht voor ontbrekende bestanden of wanneer verificatie mislukt: + +`sha512sum --check --quiet {{pad/naar/bestand.sha512}}` + +- Toon alleen een bericht wanneer verificatie mislukt, negeer ontbrekende bestanden: + +`sha512sum --ignore-missing --check --quiet {{pad/naar/bestand.sha512}}` diff --git a/pages.nl/common/shred.md b/pages.nl/common/shred.md new file mode 100644 index 000000000..b664cc2c0 --- /dev/null +++ b/pages.nl/common/shred.md @@ -0,0 +1,28 @@ +# shred + +> Overschrijf bestanden om gegevens veilig te verwijderen. +> Meer informatie: . + +- Overschrijf een bestand: + +`shred {{pad/naar/bestand}}` + +- Overschrijf een bestand en toon de voortgang op het scherm: + +`shred --verbose {{pad/naar/bestand}}` + +- Overschrijf een bestand, waarbij [z]ero's in plaats van willekeurige gegevens worden achtergelaten: + +`shred --zero {{pad/naar/bestand}}` + +- Overschrijf een bestand een specifiek aa[n]tal keren: + +`shred --iterations {{25}} {{pad/naar/bestand}}` + +- Overschrijf een bestand en verwijder het: + +`shred --remove {{pad/naar/bestand}}` + +- Overschrijf een bestand 100 keer, voeg een laatste overschrijving met [z]ero's toe, verwijder het bestand na overschrijven en toon [v]erbose voortgang op het scherm: + +`shred -vzun 100 {{pad/naar/bestand}}` diff --git a/pages.nl/common/shuf.md b/pages.nl/common/shuf.md new file mode 100644 index 000000000..8e81a5b6a --- /dev/null +++ b/pages.nl/common/shuf.md @@ -0,0 +1,20 @@ +# shuf + +> Genereer willekeurige permutaties. +> Meer informatie: . + +- Wijzig willekeurig de volgorde van regels in een bestand en toon het resultaat: + +`shuf {{pad/naar/bestand}}` + +- Toon alleen de eerste 5 regels van het resultaat: + +`shuf --head-count=5 {{pad/naar/bestand}}` + +- Schrijf de uitvoer naar een ander bestand: + +`shuf {{pad/naar/invoer_bestand}} --output={{pad/naar/uitvoer_bestand}}` + +- Genereer 3 willekeurige getallen in het bereik van 1 tot 10 (inclusief): + +`shuf --head-count=3 --input-range=1-10 --repeat` diff --git a/pages.nl/common/sleep.md b/pages.nl/common/sleep.md new file mode 100644 index 000000000..22d4df69f --- /dev/null +++ b/pages.nl/common/sleep.md @@ -0,0 +1,12 @@ +# sleep + +> Wacht voor een gespecificeerde hoeveelheid tijd. +> Meer informatie: . + +- Wacht in seconden: + +`sleep {{seconden}}` + +- Voer een specifiek commando uit na een wachttijd van 20 seconden: + +`sleep 20 && {{commando}}` diff --git a/pages.nl/common/sort.md b/pages.nl/common/sort.md new file mode 100644 index 000000000..7ca9e5193 --- /dev/null +++ b/pages.nl/common/sort.md @@ -0,0 +1,36 @@ +# sort + +> Sorteer regels van tekstbestanden. +> Meer informatie: . + +- Sorteer een bestand in oplopende volgorde: + +`sort {{pad/naar/bestand}}` + +- Sorteer een bestand in aflopende volgorde: + +`sort --reverse {{pad/naar/bestand}}` + +- Sorteer een bestand op een niet-hoofdlettergevoelige manier: + +`sort --ignore-case {{pad/naar/bestand}}` + +- Sorteer een bestand met numerieke in plaats van alfabetische volgorde: + +`sort --numeric-sort {{pad/naar/bestand}}` + +- Sorteer `/etc/passwd` numeriek op het 3e veld van elke regel, gebruik makend van ":" als veldscheidingsteken: + +`sort --field-separator={{:}} --key={{3n}} {{/etc/passwd}}` + +- Sorteer zoals hierboven, maar wanneer items in het 3e veld gelijk zijn, sorteer op het 4e veld met getallen en exponenten: + +`sort -t {{:}} -k {{3,3n}} -k {{4,4g}} {{/etc/passwd}}` + +- Sorteer een bestand waarbij alleen unieke regels worden behouden: + +`sort --unique {{pad/naar/bestand}}` + +- Sorteer een bestand en schrijf de uitvoer naar het opgegeven uitvoerbestand (kan worden gebruikt om een bestand in-place te sorteren): + +`sort --output={{pad/naar/bestand}} {{pad/naar/bestand}}` diff --git a/pages.nl/common/split.md b/pages.nl/common/split.md new file mode 100644 index 000000000..e7f936032 --- /dev/null +++ b/pages.nl/common/split.md @@ -0,0 +1,20 @@ +# split + +> Split een bestand in stukken. +> Meer informatie: . + +- Split een bestand, elk deel heeft 10 regels (behalve het laatste deel): + +`split -l 10 {{pad/naar/bestand}}` + +- Split een bestand in 5 bestanden. Het bestand wordt zo gesplitst dat elk deel dezelfde grootte heeft (behalve het laatste deel): + +`split -n 5 {{pad/naar/bestand}}` + +- Split een bestand met 512 bytes in elk deel (behalve het laatste deel; gebruik 512k voor kilobytes en 512m voor megabytes): + +`split -b 512 {{pad/naar/bestand}}` + +- Splits een bestand met maximaal 512 bytes in elk deel zonder regels te breken: + +`split -C 512 {{pad/naar/bestand}}` diff --git a/pages.nl/common/stat.md b/pages.nl/common/stat.md new file mode 100644 index 000000000..25e30ba66 --- /dev/null +++ b/pages.nl/common/stat.md @@ -0,0 +1,28 @@ +# stat + +> Toon bestands- en bestandssysteeminformatie. +> Meer informatie: . + +- Toon eigenschappen van een specifiek bestand zoals grootte, permissies, aanmaak- en toegangsdatums en meer: + +`stat {{pad/naar/bestand}}` + +- Toon eigenschappen van een specifiek bestand zoals grootte, permissies, aanmaak- en toegangsdatums en meer zonder labels: + +`stat --terse {{pad/naar/bestand}}` + +- Toon informatie over het bestandssysteem waar een specifiek bestand zich bevindt: + +`stat --file-system {{pad/naar/bestand}}` + +- Toon alleen octale bestandspermissies: + +`stat --format="%a %n" {{pad/naar/bestand}}` + +- Toon de eigenaar en groep van een specifiek bestand: + +`stat --format="%U %G" {{pad/naar/bestand}}` + +- Toon de grootte van een specifiek bestand in bytes: + +`stat --format="%s %n" {{pad/naar/bestand}}` diff --git a/pages.nl/common/stdbuf.md b/pages.nl/common/stdbuf.md new file mode 100644 index 000000000..e6da90206 --- /dev/null +++ b/pages.nl/common/stdbuf.md @@ -0,0 +1,16 @@ +# stdbuf + +> Voer een commando uit met aangepaste buffering operaties voor de standaard streams. +> Meer informatie: . + +- Verander de buffer grootte van `stdin` naar 512 KiB: + +`stdbuf --input=512K {{commando}}` + +- Verander de buffer van `stdout` naar lijn-buffering: + +`stdbuf --output=L {{commando}}` + +- Verander de buffer van `stderr` naar ongebufferd: + +`stdbuf --error=0 {{commando}}` diff --git a/pages.nl/common/strings.md b/pages.nl/common/strings.md index cf12d10b0..9dd56a808 100644 --- a/pages.nl/common/strings.md +++ b/pages.nl/common/strings.md @@ -3,7 +3,7 @@ > Vind printbare strings in een object bestand of binary. > Meer informatie: . -- Print alle strings in een binary: +- Toon alle strings in een binary: `strings {{pad/naar/bestand}}` diff --git a/pages.nl/common/stty.md b/pages.nl/common/stty.md new file mode 100644 index 000000000..625766bce --- /dev/null +++ b/pages.nl/common/stty.md @@ -0,0 +1,20 @@ +# stty + +> Stel opties in voor een terminalapparaatinterface. +> Meer informatie: . + +- Toon alle instellingen voor de huidige terminal: + +`stty --all` + +- Stel het aantal rijen of kolommen in: + +`stty {{rows|cols}} {{aantal}}` + +- Verkrijg de daadwerkelijke overdrachtssnelheid van een apparaat: + +`stty --file {{pad/naar/apparaat_bestand}} speed` + +- Reset alle modi naar redelijke waarden voor de huidige terminal: + +`stty sane` diff --git a/pages.nl/common/sum.md b/pages.nl/common/sum.md new file mode 100644 index 000000000..8a84867a8 --- /dev/null +++ b/pages.nl/common/sum.md @@ -0,0 +1,13 @@ +# sum + +> Bereken checksums en het aantal blokken voor een bestand. +> Een voorloper van de modernere `cksum`. +> Meer informatie: . + +- Bereken een checksum met een BSD-compatibel algoritme en 1024-byte blokken: + +`sum {{pad/naar/bestand}}` + +- Bereken een checksum met een System V-compatibel algoritme en 512-byte blokken: + +`sum --sysv {{pad/naar/bestand}}` diff --git a/pages.nl/common/sunicontopnm.md b/pages.nl/common/sunicontopnm.md new file mode 100644 index 000000000..d0688574a --- /dev/null +++ b/pages.nl/common/sunicontopnm.md @@ -0,0 +1,8 @@ +# sunicontopnm + +> Converteer een Sun icon naar een Netpbm afbeelding. +> Meer informatie: . + +- Converteer een Sun icon naar een Netpbm afbeelding: + +`sunicontopnm {{pad/naar/invoer.ico}} > {{pad/naar/uitvoer.pbm}}` diff --git a/pages.nl/common/sync.md b/pages.nl/common/sync.md new file mode 100644 index 000000000..40b0f0747 --- /dev/null +++ b/pages.nl/common/sync.md @@ -0,0 +1,12 @@ +# sync + +> Schrijft alle hangende schrijfoperaties naar de juiste schijven. +> Meer informatie: . + +- Schrijf alle hangende schrijfoperaties naar alle schijven: + +`sync` + +- Schrijf alle hangende schrijfoperaties van een enkel bestand naar de schijf: + +`sync {{pad/naar/bestand}}` diff --git a/pages.nl/common/tac.md b/pages.nl/common/tac.md new file mode 100644 index 000000000..a67b55bf9 --- /dev/null +++ b/pages.nl/common/tac.md @@ -0,0 +1,25 @@ +# tac + +> Toon en voeg bestanden samen met regels in omgekeerde volgorde. +> Bekijk ook: `cat`. +> Meer informatie: . + +- Voeg specifieke bestanden samen in omgekeerde volgorde: + +`tac {{pad/naar/bestand1 pad/naar/bestand2 ...}}` + +- Toon `stdin` in omgekeerde volgorde: + +`{{cat pad/naar/bestand}} | tac` + +- Gebruik een specifiek [s]cheidingsteken: + +`tac -s {{scheidingsteken}} {{pad/naar/bestand1 pad/naar/bestand2 ...}}` + +- Gebruik een specifieke [r]egex als [s]cheidingsteken: + +`tac -r -s {{scheidingsteken}} {{pad/naar/bestand1 pad/naar/bestand2 ...}}` + +- Gebruik een scheidingsteken vóór ([b]) elk bestand: + +`tac -b {{pad/naar/bestand1 pad/naar/bestand2 ...}}` diff --git a/pages.nl/common/tar.md b/pages.nl/common/tar.md new file mode 100644 index 000000000..43609cd5e --- /dev/null +++ b/pages.nl/common/tar.md @@ -0,0 +1,37 @@ +# tar + +> Archiveringsprogramma. +> Vaak gecombineerd met een compressiemethode, zoals `gzip` of `bzip2`. +> Meer informatie: . + +- [c]reeër een archief en schrijf het naar een bestand ([f]): + +`tar cf {{pad/naar/doel.tar}} {{pad/naar/bestand1 pad/naar/bestand2 ...}}` + +- [c]reeër een g[z]ipt archief en schrijf het naar een bestand ([f]): + +`tar czf {{pad/naar/doel.tar.gz}} {{pad/naar/bestand1 pad/naar/bestand2 ...}}` + +- [c]reeër een g[z]ipt archief van een map met relatieve paden: + +`tar czf {{pad/naar/doel.tar.gz}} --directory={{pad/naar/map}} .` + +- E[x]traheer een (gecomprimeerd) archiefbestand ([f]) naar de huidige map [v]erbose: + +`tar xvf {{pad/naar/bron.tar[.gz|.bz2|.xz]}}` + +- E[x]traheer een (gecomprimeerd) archiefbestand ([f]) naar de doelmap: + +`tar xf {{pad/naar/bron.tar[.gz|.bz2|.xz]}} --directory={{pad/naar/map}}` + +- [c]reeër een gecomprimeerd archief en schrijf het naar een bestand ([f]), gebruikmakend van de bestandsnaam extensie om [a]utomatisch het compressieprogramma te bepalen: + +`tar caf {{pad/naar/doel.tar.xz}} {{pad/naar/bestand1 pad/naar/bestand2 ...}}` + +- Lis[t] de inhoud van een tarbestand ([f]) [v]erbose: + +`tar tvf {{pad/naar/bron.tar}}` + +- E[x]traheer bestanden die overeenkomen met een patroon uit een archiefbestand ([f]): + +`tar xf {{pad/naar/bron.tar}} --wildcards "{{*.html}}"` diff --git a/pages.nl/common/tee.md b/pages.nl/common/tee.md new file mode 100644 index 000000000..f92ffaf1d --- /dev/null +++ b/pages.nl/common/tee.md @@ -0,0 +1,20 @@ +# tee + +> Lees van `stdin` en schrijf naar `stdout` en bestanden (of commando's). +> Meer informatie: . + +- Kopieer `stdin` naar elk bestand en ook naar `stdout`: + +`echo "voorbeeld" | tee {{pad/naar/bestand}}` + +- Voeg toe aan de opgegeven bestanden, overschrijf niet: + +`echo "voorbeeld" | tee -a {{pad/naar/bestand}}` + +- Toon `stdin` naar de terminal en leid het ook door naar een ander programma voor verdere verwerking: + +`echo "voorbeeld" | tee {{/dev/tty}} | {{xargs printf "[%s]"}}` + +- Maak een directory genaamd "voorbeeld", tel het aantal tekens in "voorbeeld" en schrijf "voorbeeld" naar de terminal: + +`echo "voorbeeld" | tee >(xargs mkdir) >(wc -c)` diff --git a/pages.nl/common/telnet.md b/pages.nl/common/telnet.md new file mode 100644 index 000000000..75f420d91 --- /dev/null +++ b/pages.nl/common/telnet.md @@ -0,0 +1,28 @@ +# telnet + +> Maak verbinding met een opgegeven poort van een host met behulp van het telnet-protocol. +> Meer informatie: . + +- Telnet naar de standaardpoort van een host: + +`telnet {{host}}` + +- Telnet naar een specifieke poort van een host: + +`telnet {{ip_adres}} {{poort}}` + +- Beëindig een telnet-sessie: + +`quit` + +- Verstuur de standaard escape-tekencombinatie om de sessie te beëindigen: + +` + ]` + +- Start `telnet` met "x" als het sessie beëindigingsteken: + +`telnet -e {{x}} {{ip_adres}} {{poort}}` + +- Telnet naar de Star Wars-animatie: + +`telnet {{towel.blinkenlights.nl}}` diff --git a/pages.nl/common/test.md b/pages.nl/common/test.md new file mode 100644 index 000000000..624fa8085 --- /dev/null +++ b/pages.nl/common/test.md @@ -0,0 +1,25 @@ +# test + +> Controleer bestandstypen en vergelijk waarden. +> Retourneert 0 als de voorwaarde waar is, 1 als de voorwaarde onwaar is. +> Meer informatie: . + +- Test of een gegeven variabele gelijk is aan een gegeven string: + +`test "{{$MY_VAR}}" = "{{/bin/zsh}}"` + +- Test of een gegeven variabele leeg is: + +`test -z "{{$GIT_BRANCH}}"` + +- Test of een bestand bestaat: + +`test -f "{{pad/naar/bestand_of_map}}"` + +- Test of een map niet bestaat: + +`test ! -d "{{pad/naar/map}}"` + +- Als A waar is, voer dan B uit, of C in het geval van een fout (let op dat C mogelijk wordt uitgevoerd, zelfs als A mislukt): + +`test {{voorwaarde}} && {{echo "true"}} || {{echo "false"}}` diff --git a/pages.nl/common/time.md b/pages.nl/common/time.md index 78c9dd910..22945575d 100644 --- a/pages.nl/common/time.md +++ b/pages.nl/common/time.md @@ -1,7 +1,7 @@ # time > Meet hoe lang het uitvoeren van een commando duurt. -> Opmerking: `time` kan ofwel bestaan als een shell builtin, een op zichzelf staand programma of beide. +> Let op: `time` kan ofwel bestaan als een shell builtin, een op zichzelf staand programma of beide. > Meer informatie: . - Voer het `commando` uit en print de tijdmetingen naar `stdout`:: diff --git a/pages.nl/common/timeout.md b/pages.nl/common/timeout.md new file mode 100644 index 000000000..cdc1ed34a --- /dev/null +++ b/pages.nl/common/timeout.md @@ -0,0 +1,24 @@ +# timeout + +> Voer een commando uit met een tijdslimiet. +> Meer informatie: . + +- Voer `sleep 10` uit en beëindig het na 3 seconden: + +`timeout 3s sleep 10` + +- Stuur een [s]ignaal naar het commando nadat de tijdslimiet is verlopen (standaard `TERM`, `kill -l` om alle signalen te tonen): + +`timeout --signal {{INT|HUP|KILL|...}} {{5s}} {{sleep 10}}` + +- Stuur [v]erbose output naar `stderr` en laat het signaal zien dat is verzonden bij een timeout: + +`timeout --verbose {{0.5s|1m|1h|1d|...}} {{commando}}` + +- Behoud de exit status van het commando ongeacht of er een timeout is: + +`timeout --preserve-status {{1s|1m|1h|1d|...}} {{commando}}` + +- Stuur een krachtig `KILL`-signaal na een bepaalde tijd als het commando het initiële signaal negeert bij een timeout: + +`timeout --kill-after={{5m}} {{30s}} {{commando}}` diff --git a/pages.nl/common/tlmgr-arch.md b/pages.nl/common/tlmgr-arch.md index 1f26ef864..6a6abc902 100644 --- a/pages.nl/common/tlmgr-arch.md +++ b/pages.nl/common/tlmgr-arch.md @@ -1,4 +1,4 @@ -# tlmgr-arch +# tlmgr arch > Dit commando is een alias van `tlmgr platform`. > Meer informatie: . diff --git a/pages.nl/common/touch.md b/pages.nl/common/touch.md new file mode 100644 index 000000000..b783f9ae1 --- /dev/null +++ b/pages.nl/common/touch.md @@ -0,0 +1,20 @@ +# touch + +> Maak bestanden aan en stel toegang-/wijzigingstijden in. +> Meer informatie: . + +- Maak specifieke bestanden aan: + +`touch {{pad/naar/bestand1 pad/naar/bestand2 ...}}` + +- Stel de toeg[a]ng- of wijzigingstijden ([m]) van een bestand in op de huidige tijd en maak ([c]) geen bestand aan als deze niet bestaat: + +`touch -c -{{a|m}} {{pad/naar/bestand1 pad/naar/bestand2 ...}}` + +- Stel de [t]ijd van een bestand in op een specifieke waarde en maak ([c]) geen bestand aan als deze niet bestaat: + +`touch -c -t {{YYYYMMDDHHMM.SS}} {{pad/naar/bestand1 pad/naar/bestand2 ...}}` + +- Stel de timestamp van de bestanden in op die van het [r]eferentiebestand en maak ([c]) geen bestand aan als deze niet bestaat: + +`touch -c -r {{pad/naar/referentiebestand}} {{pad/naar/bestand1 pad/naar/bestand2 ...}}` diff --git a/pages.nl/common/tr.md b/pages.nl/common/tr.md new file mode 100644 index 000000000..e88de9b5c --- /dev/null +++ b/pages.nl/common/tr.md @@ -0,0 +1,32 @@ +# tr + +> Vertaal tekens: voer vervangingen uit op basis van enkele tekens en tekensets. +> Meer informatie: . + +- Vervang alle voorkomens van een teken in een bestand en toon het resultaat: + +`tr {{vind_karakter}} {{vervang_karakter}} < {{pad/naar/bestand}}` + +- Vervang alle voorkomens van een teken uit de uitvoer van een ander commando: + +`echo {{tekst}} | tr {{vind_karakter}} {{vervang_karakter}}` + +- Map elk teken van de eerste set naar het overeenkomstige teken van de tweede set: + +`tr '{{abcd}}' '{{jkmn}}' < {{pad/naar/bestand}}` + +- Verwijder alle voorkomens van de opgegeven set tekens uit de invoer: + +`tr -d '{{invoer_karakters}}' < {{pad/naar/bestand}}` + +- Comprimeer een reeks identieke tekens tot een enkel teken: + +`tr -s '{{invoer_karakters}}' < {{pad/naar/bestand}}` + +- Vertaal de inhoud van een bestand naar hoofdletters: + +`tr "[:lower:]" "[:upper:]" < {{pad/naar/bestand}}` + +- Verwijder niet-afdrukbare tekens uit een bestand: + +`tr -cd "[:print:]" < {{pad/naar/bestand}}` diff --git a/pages.nl/common/traceroute.md b/pages.nl/common/traceroute.md new file mode 100644 index 000000000..2efa6c585 --- /dev/null +++ b/pages.nl/common/traceroute.md @@ -0,0 +1,32 @@ +# traceroute + +> Toon het pad dat pakketjes volgen naar een netwerkhost. +> Meer informatie: . + +- Traceroute naar een host: + +`traceroute {{example.com}}` + +- Schakel IP-adres en hostnaam mapping uit: + +`traceroute -n {{example.com}}` + +- Specificeer wachttijd in seconden voor antwoord: + +`traceroute --wait={{0.5}} {{example.com}}` + +- Specificeer het aantal queries per hop: + +`traceroute --queries={{5}} {{example.com}}` + +- Specificeer de grootte in bytes van het peilpakket: + +`traceroute {{example.com}} {{42}}` + +- Bepaal de MTU naar de bestemming: + +`traceroute --mtu {{example.com}}` + +- Gebruik ICMP in plaats van UDP voor tracerouting: + +`traceroute --icmp {{example.com}}` diff --git a/pages.nl/common/transmission-cli.md b/pages.nl/common/transmission-cli.md index b7859389f..6dd993531 100644 --- a/pages.nl/common/transmission-cli.md +++ b/pages.nl/common/transmission-cli.md @@ -14,7 +14,7 @@ - Maak een torrent bestand van een specifiek bestand of map: -`transmission-cli --new {{pad/naar/bron_bestand_of_map}}` +`transmission-cli --new {{pad/naar/bronbestand_of_map}}` - Zet de download snelheid limiet naar 50 KB/s: diff --git a/pages.nl/common/trash-cli.md b/pages.nl/common/trash-cli.md new file mode 100644 index 000000000..732cd14ee --- /dev/null +++ b/pages.nl/common/trash-cli.md @@ -0,0 +1,8 @@ +# trash-cli + +> Dit commando is een alias van `trash`. +> Meer informatie: . + +- Bekijk de documentatie van het originele commando: + +`tldr trash` diff --git a/pages.nl/common/true.md b/pages.nl/common/true.md new file mode 100644 index 000000000..28b5e4183 --- /dev/null +++ b/pages.nl/common/true.md @@ -0,0 +1,9 @@ +# true + +> Retourneert een succesvolle exit statuscode van 0. +> Gebruik dit met de || operator om een commando altijd met 0 te laten afsluiten. +> Meer informatie: . + +- Retourneer een succesvolle exit code: + +`true` diff --git a/pages.nl/common/truncate.md b/pages.nl/common/truncate.md new file mode 100644 index 000000000..15f132b94 --- /dev/null +++ b/pages.nl/common/truncate.md @@ -0,0 +1,24 @@ +# truncate + +> Verkort of verleng de grootte van een bestand naar de opgegeven grootte. +> Meer informatie: . + +- Stel een grootte van 10 GB in voor een bestaand bestand, of maak een nieuw bestand met de opgegeven grootte: + +`truncate --size 10G {{pad/naar/bestand}}` + +- Verleng de bestandsgrootte met 50 MiB, vul met gaten (die lezen als null bytes): + +`truncate --size +50M {{pad/naar/bestand}}` + +- Verkort het bestand met 2 GiB door gegevens van het einde van het bestand te verwijderen: + +`truncate --size -2G {{pad/naar/bestand}}` + +- Leeg de inhoud van het bestand: + +`truncate --size 0 {{pad/naar/bestand}}` + +- Leeg de inhoud van het bestand, maar maak het bestand niet aan als het niet bestaat: + +`truncate --no-create --size 0 {{pad/naar/bestand}}` diff --git a/pages.nl/common/tsort.md b/pages.nl/common/tsort.md new file mode 100644 index 000000000..def082f08 --- /dev/null +++ b/pages.nl/common/tsort.md @@ -0,0 +1,13 @@ +# tsort + +> Voer een topologische sortering uit. +> Een veelvoorkomend gebruik is om de afhankelijkheidsvolgorde van knooppunten in een gerichte acyclische grafiek te tonen. +> Meer informatie: . + +- Voer een topologische sortering uit consistent met een gedeeltelijke sortering per regel van invoer gescheiden door spaties: + +`tsort {{pad/naar/bestand}}` + +- Voer een topologische sortering uit consistent op strings: + +`echo -e "{{UI Backend\nBackend Database\nDocs UI}}" | tsort` diff --git a/pages.nl/common/tty.md b/pages.nl/common/tty.md index 934aca1e9..148c7fe0a 100644 --- a/pages.nl/common/tty.md +++ b/pages.nl/common/tty.md @@ -3,6 +3,6 @@ > Geeft de naam van de terminal terug. > Meer informatie: . -- Druk de bestandsnaam van deze terminal af: +- Toon de bestandsnaam van deze terminal: `tty` diff --git a/pages.nl/common/uname.md b/pages.nl/common/uname.md new file mode 100644 index 000000000..69bc43df2 --- /dev/null +++ b/pages.nl/common/uname.md @@ -0,0 +1,25 @@ +# uname + +> Toon details over de huidige machine en het besturingssysteem dat erop draait. +> Zie ook `lsb_release`. +> Meer informatie: . + +- Toon de kernelnaam: + +`uname` + +- Toon systeemarchitectuur en processorinformatie: + +`uname --machine --processor` + +- Toon kernelnaam, kernelrelease en kernelversie: + +`uname --kernel-name --kernel-release --kernel-version` + +- Toon de systeemhostname: + +`uname --nodename` + +- Toon alle beschikbare systeeminformatie: + +`uname --all` diff --git a/pages.nl/common/unexpand.md b/pages.nl/common/unexpand.md new file mode 100644 index 000000000..7076a6f2f --- /dev/null +++ b/pages.nl/common/unexpand.md @@ -0,0 +1,24 @@ +# unexpand + +> Converteer spaties naar tabs. +> Meer informatie: . + +- Converteer spaties in elk bestand naar tabs en schrijf naar `stdout`: + +`unexpand {{pad/naar/bestand}}` + +- Converteer spaties naar tabs en lees van `stdin`: + +`unexpand` + +- Converteer alle spaties, in plaats van alleen de voorloopspaties: + +`unexpand -a {{pad/naar/bestand}}` + +- Converteer alleen leidende reeksen van spaties (overschrijft -a): + +`unexpand --first-only {{pad/naar/bestand}}` + +- Plaats tabs een bepaald aantal tekens uit elkaar, niet 8 (activeert -a): + +`unexpand -t {{nummer}} {{pad/naar/bestand}}` diff --git a/pages.nl/common/uniq.md b/pages.nl/common/uniq.md new file mode 100644 index 000000000..dd17b1fc4 --- /dev/null +++ b/pages.nl/common/uniq.md @@ -0,0 +1,25 @@ +# uniq + +> Geef de unieke regels uit een invoer of bestand weer. +> Omdat het geen herhaalde regels detecteert tenzij ze naast elkaar staan, moeten we ze eerst sorteren. +> Meer informatie: . + +- Toon elke regel één keer: + +`sort {{pad/naar/bestand}} | uniq` + +- Toon alleen unieke regels: + +`sort {{pad/naar/bestand}} | uniq -u` + +- Toon alleen dubbele regels: + +`sort {{pad/naar/bestand}} | uniq -d` + +- Toon het aantal voorkomens van elke regel samen met die regel: + +`sort {{pad/naar/bestand}} | uniq -c` + +- Toon het aantal voorkomens van elke regel, gesorteerd op meest frequent: + +`sort {{pad/naar/bestand}} | uniq -c | sort -nr` diff --git a/pages.nl/common/units.md b/pages.nl/common/units.md new file mode 100644 index 000000000..7375026eb --- /dev/null +++ b/pages.nl/common/units.md @@ -0,0 +1,32 @@ +# units + +> Converteer tussen twee maateenheden. +> Meer informatie: . + +- Voer uit in interactieve modus: + +`units` + +- Toon alle eenheden die een specifieke string bevatten in de interactieve modus: + +`search {{string}}` + +- Toon de conversie tussen twee eenvoudige eenheden: + +`units {{quarts}} {{tablespoons}}` + +- Converteer tussen eenheden met hoeveelheden: + +`units "{{15 pounds}}" {{kilograms}}` + +- Toon de conversie tussen twee samengestelde eenheden: + +`units "{{meters / second}}" "{{inches / hour}}"` + +- Toon de conversie tussen eenheden met verschillende dimensies: + +`units "{{acres}}" "{{ft^2}}"` + +- Toon de conversie van byte-vermenigvuldigers: + +`units "{{15 megabytes}}" {{bytes}}` diff --git a/pages.nl/common/unlink.md b/pages.nl/common/unlink.md new file mode 100644 index 000000000..5d99de922 --- /dev/null +++ b/pages.nl/common/unlink.md @@ -0,0 +1,9 @@ +# unlink + +> Verwijder een link naar een bestand van het bestandssysteem. +> De inhoud van het bestand gaat verloren als de link de laatste is naar het bestand. +> Meer informatie: . + +- Verwijder het opgegeven bestand als het de laatste link is: + +`unlink {{pad/naar/bestand}}` diff --git a/pages.nl/common/uptime.md b/pages.nl/common/uptime.md new file mode 100644 index 000000000..41cbbd49d --- /dev/null +++ b/pages.nl/common/uptime.md @@ -0,0 +1,20 @@ +# uptime + +> Toon hoe lang het systeem actief is en andere informatie. +> Meer informatie: . + +- Toon de huidige tijd, uptime, aantal ingelogde gebruikers en andere informatie: + +`uptime` + +- Toon alleen de tijd dat het systeem is opgestart: + +`uptime --pretty` + +- Toon de datum en tijd waarop het systeem is opgestart: + +`uptime --since` + +- Toon de versie: + +`uptime --version` diff --git a/pages.nl/common/users.md b/pages.nl/common/users.md new file mode 100644 index 000000000..ea4d8251c --- /dev/null +++ b/pages.nl/common/users.md @@ -0,0 +1,13 @@ +# users + +> Toon een lijst van ingelogde gebruikers. +> Bekijk ook: `useradd`, `userdel`, `usermod`. +> Meer informatie: . + +- Toon ingelogde gebruikersnamen: + +`users` + +- Toon ingelogde gebruikersnamen volgens een opgegeven bestand: + +`users {{/var/log/wmtp}}` diff --git a/pages.nl/common/vdir.md b/pages.nl/common/vdir.md new file mode 100644 index 000000000..90fe32ce9 --- /dev/null +++ b/pages.nl/common/vdir.md @@ -0,0 +1,33 @@ +# vdir + +> Toon de inhoud van een map. +> Vervanger voor `ls -l`. +> Meer informatie: . + +- Toon bestanden en mappen in de huidige map, één per regel, met details: + +`vdir` + +- Toon met bestandsgroottes in mens-leesbare eenheden (KB, MB, GB): + +`vdir -h` + +- Toon inclusief verborgen bestanden (beginnend met een punt): + +`vdir -a` + +- Toon bestanden en mappen gesorteerd op grootte (grootste eerst): + +`vdir -S` + +- Toon bestanden en mappen gesorteerd op wijzigingstijd (nieuwste eerst): + +`vdir -t` + +- Toon eerst mappen gegroepeerd: + +`vdir --group-directories-first` + +- Toon recursief alle bestanden en mappen in een specifieke map: + +`vdir --recursive {{pad/naar/map}}` diff --git a/pages.nl/common/vim.md b/pages.nl/common/vim.md index 10259fbcd..ec98225dd 100644 --- a/pages.nl/common/vim.md +++ b/pages.nl/common/vim.md @@ -11,7 +11,7 @@ - Open een bestand bij een bepaald regelnummer: -`vim +{{regel_nummer}} {{pad/naar/bestand}}` +`vim +{{regelnummer}} {{pad/naar/bestand}}` - Bekijk de handleiding van Vim: diff --git a/pages.nl/common/visudo.md b/pages.nl/common/visudo.md index f62fc33a9..7101e86f0 100644 --- a/pages.nl/common/visudo.md +++ b/pages.nl/common/visudo.md @@ -15,6 +15,6 @@ `sudo EDITOR={{editor}} visudo` -- Toon versie informatie: +- Toon de versie: `visudo --version` diff --git a/pages.nl/common/wc.md b/pages.nl/common/wc.md new file mode 100644 index 000000000..a46fd0ebc --- /dev/null +++ b/pages.nl/common/wc.md @@ -0,0 +1,28 @@ +# wc + +> Tel regels, woorden en bytes. +> Meer informatie: . + +- Tel alle regels in een bestand: + +`wc --lines {{pad/naar/bestand}}` + +- Tel alle woorden in een bestand: + +`wc --words {{pad/naar/bestand}}` + +- Tel alle bytes in een bestand: + +`wc --bytes {{pad/naar/bestand}}` + +- Tel alle karakters in een bestand (rekening houdend met multi-byte karakters): + +`wc --chars {{pad/naar/bestand}}` + +- Tel alle regels, woorden en bytes van `stdin`: + +`{{find .}} | wc` + +- Tel de lengte van de langste regel in aantal karakters: + +`wc --max-line-length {{pad/naar/bestand}}` diff --git a/pages.nl/common/which.md b/pages.nl/common/which.md new file mode 100644 index 000000000..33ec0e2ad --- /dev/null +++ b/pages.nl/common/which.md @@ -0,0 +1,12 @@ +# which + +> Zoek een programma in het pad van de gebruiker. +> Meer informatie: . + +- Doorzoek de PATH-omgevingsvariabele en toon de locatie van eventuele overeenkomende uitvoerbare bestanden: + +`which {{uitvoerbaar_bestand}}` + +- Als er meerdere uitvoerbare bestanden zijn die overeenkomen, toon ze allemaal: + +`which -a {{uitvoerbaar_bestand}}` diff --git a/pages.nl/common/who.md b/pages.nl/common/who.md new file mode 100644 index 000000000..1bb52df38 --- /dev/null +++ b/pages.nl/common/who.md @@ -0,0 +1,17 @@ +# who + +> Toon wie er is ingelogd en gerelateerde gegevens (processen, opstarttijd). +> Bekijk ook: `whoami`. +> Meer informatie: . + +- Toon de gebruikersnaam, line en tijd van alle huidige ingelogde sessies: + +`who` + +- Toon alle beschikbare informatie: + +`who -a` + +- Toon alle beschikbare informatie met tabelkoppen: + +`who -a -H` diff --git a/pages.nl/common/whoami.md b/pages.nl/common/whoami.md new file mode 100644 index 000000000..e5b432c0f --- /dev/null +++ b/pages.nl/common/whoami.md @@ -0,0 +1,12 @@ +# whoami + +> Toon de gebruikersnaam die is gekoppeld aan de huidige effectieve gebruikers-ID. +> Meer informatie: . + +- Toon de momenteel ingelogde gebruikersnaam: + +`whoami` + +- Toon de gebruikersnaam na een wijziging in de gebruikers-ID: + +`sudo whoami` diff --git a/pages.nl/common/whois.md b/pages.nl/common/whois.md new file mode 100644 index 000000000..659b23e54 --- /dev/null +++ b/pages.nl/common/whois.md @@ -0,0 +1,16 @@ +# whois + +> Opdrachtregelclient voor het WHOIS (RFC 3912) protocol. +> Meer informatie: . + +- Verkrijg informatie over een domeinnaam: + +`whois {{example.com}}` + +- Verkrijg informatie over een IP-adres: + +`whois {{8.8.8.8}}` + +- Verkrijg het contact om misbruik te melden voor een IP-adres: + +`whois -b {{8.8.8.8}}` diff --git a/pages.nl/common/xargs.md b/pages.nl/common/xargs.md new file mode 100644 index 000000000..16413b8a5 --- /dev/null +++ b/pages.nl/common/xargs.md @@ -0,0 +1,29 @@ +# xargs + +> Voer een commando uit met doorgegeven argumenten van een ander commando, een bestand, etc. +> De invoer wordt behandeld als een enkel tekstblok en gesplitst in afzonderlijke stukken op spaties, tabbladen, nieuwe regels en einde-van-bestand. +> Meer informatie: . + +- Voer een commando uit met de invoergegevens als argumenten: + +`{{argumenten_bron}} | xargs {{commando}}` + +- Voer meerdere gekoppelde commando's uit op de invoergegevens: + +`{{argumenten_bron}} | xargs sh -c "{{commando1}} && {{commando2}} | {{commando3}}"` + +- Gzip alle bestanden met een `.log` extensie en profiteer van het voordeel van meerdere threads (`-print0` gebruikt een nul-teken om bestandsnamen te splitsen en `-0` gebruikt het als scheidingsteken): + +`find . -name '*.log' -print0 | xargs -0 -P {{4}} -n 1 gzip` + +- Voer het commando eenmaal per argument uit: + +`{{argumenten_bron}} | xargs -n1 {{commando}}` + +- Voer het commando één keer uit voor elke invoerregel, waarbij elke plaatsaanduiding (hier gemarkeerd als `_`) wordt vervangen door de invoerregel: + +`{{argumenten_bron}} | xargs -I _ {{commando}} _ {{optionele_extra_argumenten}}` + +- Parallelle uitvoeringen van maximaal `max-procs` processen tegelijk; de standaard is 1. Als `max-procs` 0 is, zal xargs zoveel mogelijk processen tegelijk uitvoeren: + +`{{argumenten_bron}} | xargs -P {{max-procs}} {{commando}}` diff --git a/pages.nl/common/xz.md b/pages.nl/common/xz.md index 51a415ad4..c21cd1f92 100644 --- a/pages.nl/common/xz.md +++ b/pages.nl/common/xz.md @@ -1,6 +1,6 @@ # xz -> Comprimeren of decomprimeren van `.xz` en `.lzma` bestanden. +> Comprimeren of decomprimeren van XZ en LZMA bestanden. > Meer informatie: . - Comprimeer een bestand gebruik makend van xz file: @@ -15,7 +15,7 @@ `xz --format=lzma {{pad/naar/bestand}}` -- Decomprimer een lzma bestand: +- Decomprimer een LZMA bestand: `xz --decompress --format=lzma {{pad/naar/bestand.lzma}}` diff --git a/pages.nl/common/xzgrep.md b/pages.nl/common/xzgrep.md index 0f56bb689..eb51f426b 100644 --- a/pages.nl/common/xzgrep.md +++ b/pages.nl/common/xzgrep.md @@ -1,7 +1,7 @@ # xzgrep > Zoek bestanden die mogelijk worden gecomprimeerd met `xz`, `lzma`, `gzip`, `bzip2`, `lzop`, of `zstd` met behulp van reguliere expressies. -> Zie ook: `grep`. +> Bekijk ook: `grep`. > Meer informatie: . - Zoek naar een patroon in een bestand: diff --git a/pages.nl/common/xzless.md b/pages.nl/common/xzless.md index 8ef53a846..4909d8342 100644 --- a/pages.nl/common/xzless.md +++ b/pages.nl/common/xzless.md @@ -1,7 +1,7 @@ # xzless > Tekst weergeven van `xz` en `lzma` gecomprimeerde bestanden. -> Zie ook: `less`. +> Bekijk ook: `less`. > Meer informatie: . - Bekijk een gecomprimeerd bestand: diff --git a/pages.nl/common/yapf.md b/pages.nl/common/yapf.md index 088450697..5f4a1584a 100644 --- a/pages.nl/common/yapf.md +++ b/pages.nl/common/yapf.md @@ -3,11 +3,11 @@ > Python stijlgidschecker. > Meer informatie: . -- Print de geformateerde diff die zal optreden uit: +- Toon de geformateerde diff die zal optreden uit: `yapf --diff {{pad/naar/bestand}}` -- Print de geformateerde diff uit en breng de wijzigingen aan in het bestand: +- Toon de geformateerde diff uit en breng de wijzigingen aan in het bestand: `yapf --diff --in-place {{pad/naar/bestand}}` diff --git a/pages.nl/common/yes.md b/pages.nl/common/yes.md index bf80b6fbe..a6d27a1b4 100644 --- a/pages.nl/common/yes.md +++ b/pages.nl/common/yes.md @@ -4,11 +4,11 @@ > Deze opdracht wordt vaak gebruikt om ja te beantwoorden op elke prompt door installatieopdrachten (zoals apt-get). > Meer informatie: . -- Print herhaaldelijk "bericht": +- Toon herhaaldelijk "bericht": `yes {{bericht}}` -- Print herhaaldelijk "y": +- Toon herhaaldelijk "y": `yes` @@ -16,6 +16,6 @@ `yes | sudo apt-get install {{programma}}` -- Print herhaaldelijk een nieuwe regel om altijd de standaard optie van een vraag te accepteren: +- Toon herhaaldelijk een nieuwe regel om altijd de standaard optie van een vraag te accepteren: `yes ''` diff --git a/pages.nl/common/ykman-config.md b/pages.nl/common/ykman-config.md index 67007446a..88d0c69c3 100644 --- a/pages.nl/common/ykman-config.md +++ b/pages.nl/common/ykman-config.md @@ -1,7 +1,7 @@ # ykman config > In- of uitschakelen van YubiKey applicaties. -> Opmerking: je kan `ykman info` gebruiken om de huidige ingeschakelde applicaties te zien. +> Let op: je kan `ykman info` gebruiken om de huidige ingeschakelde applicaties te zien. > Meer informatie: . - Schakel een applicatie in via USB of NFC (`--enable` kan meerdere keren gebruikt worden om meerdere applicaties te specificeren): diff --git a/pages.nl/common/ykman-openpgp.md b/pages.nl/common/ykman-openpgp.md index ef3583b2d..220285c81 100644 --- a/pages.nl/common/ykman-openpgp.md +++ b/pages.nl/common/ykman-openpgp.md @@ -1,7 +1,7 @@ # ykman openpgp > Beheer de OpenPGP YubiKey applicatie. -> Opmerking: je dient `gpg --card-edit` te gebruiken voor sommige instellingen. +> Let op: je dient `gpg --card-edit` te gebruiken voor sommige instellingen. > Meer informatie: . - Toon algemene informatie over de OpenPGP applicatie: diff --git a/pages.nl/common/zip.md b/pages.nl/common/zip.md new file mode 100644 index 000000000..4400648e4 --- /dev/null +++ b/pages.nl/common/zip.md @@ -0,0 +1,33 @@ +# zip + +> Verpak en comprimeer (archiveer) bestanden in een Zip-archief. +> Bekijk ook: `unzip`. +> Meer informatie: . + +- Voeg bestanden/directories toe aan een specifiek archief ([r]ecursief): + +`zip -r {{pad/naar/gecomprimeerd.zip}} {{pad/naar/bestand_of_directory1 pad/naar/bestand_of_directory2 ...}}` + +- Verwijder bestanden/directories uit een specifiek archief ([d]elete): + +`zip -d {{pad/naar/gecomprimeerd.zip}} {{pad/naar/bestand_of_directory1 pad/naar/bestand_of_directory2 ...}}` + +- Archiveer bestanden/directories waarbij opgegeven bestanden worden uitgesloten: + +`zip -r {{pad/naar/gecomprimeerd.zip}} {{pad/naar/bestand_of_directory1 pad/naar/bestand_of_directory2 ...}} -x {{pad/naar/uitgesloten_bestanden_of_directories}}` + +- Archiveer bestanden/directories met een specifieke compressieniveau (`0` - het laagste, `9` - het hoogste): + +`zip -r -{{0..9}} {{pad/naar/gecomprimeerd.zip}} {{pad/naar/bestand_of_directory1 pad/naar/bestand_of_directory2 ...}}` + +- Maak een [e]ncrypted archief met een specifiek wachtwoord: + +`zip -r -e {{pad/naar/gecomprimeerd.zip}} {{pad/naar/bestand_of_directory1 pad/naar/bestand_of_directory2 ...}}` + +- Archiveer bestanden/directories in een multipart [s]plit Zip-archief (bijv. 3 GB delen): + +`zip -r -s {{3g}} {{pad/naar/gecomprimeerd.zip}} {{pad/naar/bestand_of_directory1 pad/naar/bestand_of_directory2 ...}}` + +- Print de inhoud van een specifiek archief: + +`zip -sf {{pad/naar/gecomprimeerd.zip}}` diff --git a/pages.nl/freebsd/cal.md b/pages.nl/freebsd/cal.md new file mode 100644 index 000000000..455420d1d --- /dev/null +++ b/pages.nl/freebsd/cal.md @@ -0,0 +1,32 @@ +# cal + +> Toon een kalender met de huidige dag gemarkeerd. +> Meer informatie: . + +- Toon een kalender voor de huidige maand: + +`cal` + +- Toon een kalender voor een specifiek jaar: + +`cal {{jaar}}` + +- Toon een kalender voor een specifieke maand en jaar: + +`cal {{maand}} {{jaar}}` + +- Toon de volledige kalender voor het huidige jaar: + +`cal -y` + +- Markeer ([h]) vandaag niet en toon [3] maanden rondom de datum: + +`cal -h -3 {{maand}} {{jaar}}` + +- Toon de 2 maanden voor ([B]) en 3 maanden na ([A]) een specifieke [m]aand van het huidige jaar: + +`cal -A 3 -B 2 {{maand}}` + +- Toon [j]ulian dagen (beginnend vanaf één, genummerd vanaf 1 januari): + +`cal -j` diff --git a/pages.nl/freebsd/chpass.md b/pages.nl/freebsd/chpass.md new file mode 100644 index 000000000..be918d141 --- /dev/null +++ b/pages.nl/freebsd/chpass.md @@ -0,0 +1,33 @@ +# chpass + +> Gebruikersdatabase informatie toevoegen of wijzigen, inclusief login shell en wachtwoord. +> Bekijk ook: `passwd`. +> Meer informatie: . + +- Voeg toe of pas interactief de gebruikersdatabase informatie aan voor de huidige gebruiker: + +`su -c chpass` + +- Stel een specifieke login [s]hell in voor de huidige gebruiker: + +`chpass -s {{pad/naar/shell}}` + +- Stel een login [s]hell in voor een specifieke gebruiker: + +`chpass -s {{pad/naar/shell}} {{gebruikersnaam}}` + +- Pas de account v[e]rloop tijd aan (in seconden vanaf de epoch, UTC): + +`su -c 'chpass -e {{tijd}} {{gebruikersnaam}}'` + +- Pas een gebruikerswachtwoord aan:: + +`su -c 'chpass -p {{gecodeerd_wachtwoord}} {{gebruikersnaam}}'` + +- Specificeer een [h]ostnaam of adres van een NIS server: + +`su -c 'chpass -h {{hostnaam}} {{gebruikersnaam}}'` + +- Specificeer een specifiek [d]omein (standaard systeem domein naam): + +`su -c 'chpass -d {{domein}} {{gebruikersnaam}}'` diff --git a/pages.nl/freebsd/look.md b/pages.nl/freebsd/look.md new file mode 100644 index 000000000..5fa59cbcf --- /dev/null +++ b/pages.nl/freebsd/look.md @@ -0,0 +1,21 @@ +# look + +> Toon regels die beginnen met een prefix in een gesorteerd bestand. +> Bekijk ook: `grep`, `sort`. +> Meer informatie: . + +- Zoek naar regels die beginnen met een specifieke prefix in een specifiek bestand: + +`look {{prefix}} {{pad/naar/bestand}}` + +- Zoek hoofdletterongevoelig alleen op alfanumerieke tekens: + +`look {{-f|--ignore-case}} {{-d|--alphanum}} {{prefix}} {{pad/naar/bestand}}` + +- Specificeer een string-terminatiekarakter (standaard is spatie): + +`look {{-t|--terminate}} {{,}}` + +- Zoek in `/usr/share/dict/words` (`--ignore-case` en `--alphanum` worden aangenomen): + +`look {{prefix}}` diff --git a/pages.nl/freebsd/sockstat.md b/pages.nl/freebsd/sockstat.md new file mode 100644 index 000000000..58ca156d8 --- /dev/null +++ b/pages.nl/freebsd/sockstat.md @@ -0,0 +1,36 @@ +# sockstat + +> Toon open Internet- of UNIX-domeinsockets. +> Meer informatie: . + +- Bekijk welke gebruikers/processen [l]uisteren op welke poorten: + +`sockstat -l` + +- Toon informatie voor IPv[4]/IPv[6] sockets die [l]uisteren op specifieke [p]oorten met een specifiek [P]rotocol: + +`sockstat -{{4|6}} -l -P {{tcp|udp|sctp|divert}} -p {{poort1,poort2...}}` + +- Toon ook verbonden ([c]) sockets zonder [n]umerieke UID's om te zetten naar gebruikersnamen en met een [w]ijder veldformaat: + +`sockstat -cnw` + +- Toon alleen sockets die behoren tot een specifieke [j]ail ID of naam in [v]erbose modus: + +`sockstat -jv` + +- Toon de protocol[s]tatus en het externe [U]DP-encapsulatiepoortnummer, indien van toepassing (deze zijn momenteel alleen geïmplementeerd voor SCTP en TCP): + +`sockstat -sU` + +- Toon het [C]ongestiecontrolemodule en de protocol[S]tack, indien van toepassing (deze zijn momenteel alleen geïmplementeerd voor TCP): + +`sockstat -CS` + +- Toon alleen internetsockets als de lokale en buitenlandse adressen niet in het loopback-netwerkprefix 127.0.0.0/8 zitten, of niet het IPv6-loopbackadres ::1 bevatten: + +`sockstat -L` + +- Toon de koptekst niet ([q]uiet modus), toon [u]nix-sockets en geef de `inp_gencnt` weer: + +`sockstat -qui` diff --git a/pages.nl/linux/ac.md b/pages.nl/linux/ac.md new file mode 100644 index 000000000..a5b341d2d --- /dev/null +++ b/pages.nl/linux/ac.md @@ -0,0 +1,24 @@ +# ac + +> Toon statistieken over hoe lang gebruikers verbonden zijn geweest. +> Meer informatie: . + +- Toon hoe lang de huidige gebruiker verbonden is geweest in uren: + +`ac` + +- Toon hoe lang gebruikers verbonden zijn geweest in uren: + +`ac --individual-totals` + +- Toon hoe lang een bepaalde gebruiker verbonden is geweest in uren: + +`ac --individual-totals {{gebruikersnaam}}` + +- Toon hoe lang een bepaalde gebruiker per dag verbonden is geweest in uren (met totaal): + +`ac --daily-totals --individual-totals {{gebruikersnaam}}` + +- Toon ook extra details: + +`ac --compatibility` diff --git a/pages.nl/linux/apt-get.md b/pages.nl/linux/apt-get.md index 025b32089..0809ed8cf 100644 --- a/pages.nl/linux/apt-get.md +++ b/pages.nl/linux/apt-get.md @@ -2,7 +2,7 @@ > Hulpprogramma voor pakketbeheer van Debian en Ubuntu. > Zoek naar pakketten met `apt-cache`. -> Meer informatie: . +> Meer informatie: . - Werk de lijst van beschikbare pakketten en versies bij (het wordt aanbevolen dit uit te voeren voor elk ander `apt-get` commando): diff --git a/pages.nl/linux/apt.md b/pages.nl/linux/apt.md index 46fa735b4..058793fdc 100644 --- a/pages.nl/linux/apt.md +++ b/pages.nl/linux/apt.md @@ -3,7 +3,7 @@ > Hulpprogramma voor pakketbeheer voor op Debian gebaseerde distributies. > Aanbevolen vervanging voor `apt-get` bij interactief gebruik in Ubuntu versie 16.04 en later. > Voor gelijkwaardige commando's in andere pakket managers, zie . -> Meer informatie: . +> Meer informatie: . - Werk de lijst van beschikbare pakketten en versies bij (het wordt aanbevolen dit uit te voeren voor elk ander `apt` commando): diff --git a/pages.nl/linux/archey.md b/pages.nl/linux/archey.md new file mode 100644 index 000000000..90b461307 --- /dev/null +++ b/pages.nl/linux/archey.md @@ -0,0 +1,8 @@ +# archey + +> Eenvoudige tool voor het stijlvol weergeven van systeeminformatie. +> Meer informatie: . + +- Toon systeeminformatie: + +`archey` diff --git a/pages.nl/linux/as.md b/pages.nl/linux/as.md new file mode 100644 index 000000000..60d276f34 --- /dev/null +++ b/pages.nl/linux/as.md @@ -0,0 +1,21 @@ +# as + +> Draagbare GNU assembler. +> Voornamelijk bedoeld om uitvoer van `gcc` te assembleren voor gebruik door `ld`. +> Meer informatie: . + +- Assembleer een bestand en schrijf de output naar `a.out`: + +`as {{pad/naar/bestand.s}}` + +- Assembleer de output naar een specifiek bestand: + +`as {{pad/naar/bestand.s}} -o {{pad/naar/uitvoer_bestand.o}}` + +- Genereer sneller output door spaties en commentaarvoorverwerking over te slaan. (Moet alleen worden gebruikt voor vertrouwde compilers): + +`as -f {{pad/naar/bestand.s}}` + +- Voeg een specifiek pad toe aan de lijst met mappen om te zoeken naar bestanden die zijn opgegeven in `.include`-richtlijnen: + +`as -I {{pad/naar/map}} {{pad/naar/bestand.s}}` diff --git a/pages.nl/linux/at.md b/pages.nl/linux/at.md new file mode 100644 index 000000000..a3d4ad7e8 --- /dev/null +++ b/pages.nl/linux/at.md @@ -0,0 +1,20 @@ +# at + +> Voert commando's uit op een gespecificeerd tijdstip. +> Meer informatie: . + +- Open een `at`-prompt om een nieuwe reeks geplande commando's te maken, druk op `Ctrl + D` om op te slaan en af te sluiten: + +`at {{hh:mm}}` + +- Voer de commando's uit en e-mail het resultaat met behulp van een lokaal mailprogramma zoals Sendmail: + +`at {{hh:mm}} -m` + +- Voer een script uit op het opgegeven tijdstip: + +`at {{hh:mm}} -f {{pad/naar/bestand}}` + +- Toon een systeembericht om 23:00 op 18 februari: + +`echo "notify-send '{{Wake up!}}'" | at {{11pm}} {{Feb 18}}` diff --git a/pages.nl/linux/bspc.md b/pages.nl/linux/bspc.md index e32cf4d48..623cc3f7e 100644 --- a/pages.nl/linux/bspc.md +++ b/pages.nl/linux/bspc.md @@ -9,16 +9,20 @@ - Focus op het gegeven bureaublad: -`bspc desktop --focus {{number}}` +`bspc desktop --focus {{nummer}}` -- Sluit de vensters die afgetakt zijn van het geselecteerde knooppunt: +- Sluit de vensters die afgetakt zijn van de geselecteerde node: `bspc node --close` -- Stuur het geselecteerde knooppunt naar het opgegeven bureaublad: +- Stuur de geselecteerde node naar het opgegeven bureaublad: -`bspc node --to-desktop {{number}}` +`bspc node --to-desktop {{nummer}}` -- Schakel de modus volledig scherm in voor het geselecteerde knooppunt: +- Schakel de modus volledig scherm in voor de geselecteerde node: `bspc node --state ~fullscreen` + +- Zet de waarde van een specifieke instelling: + +`bspc config {{instelling}} {{waarde}}` diff --git a/pages.nl/linux/bspwm.md b/pages.nl/linux/bspwm.md index d48ccb0f5..b96f92583 100644 --- a/pages.nl/linux/bspwm.md +++ b/pages.nl/linux/bspwm.md @@ -1,12 +1,9 @@ # bspwm > Een tegelvensterbeheerder gebaseerd op binaire ruimtepartitionering. +> Bekijk ook: `bspc`, voor het aansturen. > Meer informatie: . - Start `bspwm` (houd er rekening mee dat een reeds bestaande vensterbeheerder niet geopend mag zijn wanneer dit commando wordt uitgevoerd): `bspwm -c {{pad/naar/config}}` - -- Bekijk de documentatie van `bspc`: - -`tldr bspc` diff --git a/pages.nl/linux/caffeinate.md b/pages.nl/linux/caffeinate.md new file mode 100644 index 000000000..adb7791b6 --- /dev/null +++ b/pages.nl/linux/caffeinate.md @@ -0,0 +1,8 @@ +# caffeinate + +> Voorkom dat de desktop in slaapstand gaat. +> Meer informatie: . + +- Voorkom dat de desktop in slaapstand gaat (gebruik `Ctrl + C` om te stoppen): + +`caffeinate` diff --git a/pages.nl/linux/cat.md b/pages.nl/linux/cat.md new file mode 100644 index 000000000..ccbb50418 --- /dev/null +++ b/pages.nl/linux/cat.md @@ -0,0 +1,28 @@ +# cat + +> Print en concateneer bestanden. +> Meer informatie: . + +- Print de inhoud van een bestand naar `stdout`: + +`cat {{pad/naar/bestand}}` + +- Concateneer meerdere bestanden in een uitvoerbestand: + +`cat {{pad/naar/bestand1 pad/naar/bestand2 ...}} > {{pad/naar/uitvoerbestand}}` + +- Voeg meerdere bestanden toe aan een uitvoerbestand: + +`cat {{pad/naar/bestand1 pad/naar/bestand2 ...}} >> {{pad/naar/uitvoerbestand}}` + +- Schrijf `stdin` naar een bestand: + +`cat - > {{pad/naar/bestand}}` + +- [n]ummer alle uitvoerregels: + +`cat -n {{pad/naar/bestand}}` + +- Toon niet-afdrukbare en witruimtekarakters (met `M-` prefix als niet-ASCII): + +`cat -v -t -e {{pad/naar/bestand}}` diff --git a/pages.nl/linux/cgcreate.md b/pages.nl/linux/cgcreate.md index 76776a190..61da7fd1f 100644 --- a/pages.nl/linux/cgcreate.md +++ b/pages.nl/linux/cgcreate.md @@ -6,12 +6,12 @@ - Maak een nieuwe groep: -`cgcreate -g {{group_type}}:{{group_name}}` +`cgcreate -g {{groep_type}}:{{groepsnaam}}` - Maak een nieuwe groep met meerdere cgroep typen: -`cgcreate -g {{group_type1}},{{group_type2}}:{{group_name}}` +`cgcreate -g {{groep_type1}},{{groep_type2}}:{{groepsnaam}}` - Maak een subgroep: -`mkdir /sys/fs/cgroup/{{group_type}}/{{group_name}}/{{subgroup_name}}` +`mkdir /sys/fs/cgroup/{{groep_type}}/{{groepsnaam}}/{{subgroep_naam}}` diff --git a/pages.nl/linux/chfn.md b/pages.nl/linux/chfn.md new file mode 100644 index 000000000..48371f182 --- /dev/null +++ b/pages.nl/linux/chfn.md @@ -0,0 +1,20 @@ +# chfn + +> Werk de `finger`-informatie bij voor een gebruiker. +> Meer informatie: . + +- Werk het "Naam"-veld van een gebruiker bij in de uitvoer van `finger`: + +`chfn -f {{nieuwe_weergavenaam}} {{gebruikersnaam}}` + +- Werk het "Kantoornummer"-veld van een gebruiker bij voor de uitvoer van `finger`: + +`chfn -o {{nieuw_kantoornummer}} {{gebruikersnaam}}` + +- Werk het "Kantoor Telefoonnummer"-veld van een gebruiker bij voor de uitvoer van `finger`: + +`chfn -p {{nieuw_kantoor_telefoonnummer}} {{gebruikersnaam}}` + +- Werk het "Thuis Telefoonnummer"-veld van een gebruiker bij voor de uitvoer van `finger`: + +`chfn -h {{nieuw_thuis_telefoonnummer}} {{gebruikersnaam}}` diff --git a/pages.nl/linux/chsh.md b/pages.nl/linux/chsh.md new file mode 100644 index 000000000..a636a4afc --- /dev/null +++ b/pages.nl/linux/chsh.md @@ -0,0 +1,21 @@ +# chsh + +> Verander de login shell van een gebruiker. +> Onderdeel van `util-linux`. +> Meer informatie: . + +- Stel een specifieke login shell interactief in voor de huidige gebruiker: + +`sudo chsh` + +- Stel een specifieke login[s]hell in voor de huidige gebruiker: + +`sudo chsh --shell {{pad/naar/shell}}` + +- Stel een login[s]hell in voor een specifieke gebruiker: + +`sudo chsh --shell {{pad/naar/shell}} {{gebruikersnaam}}` + +- Toon ([l]) beschikbare shells: + +`sudo chsh --list-shells` diff --git a/pages.nl/linux/coproc.md b/pages.nl/linux/coproc.md new file mode 100644 index 000000000..5ee2df06c --- /dev/null +++ b/pages.nl/linux/coproc.md @@ -0,0 +1,32 @@ +# coproc + +> Bash ingebouwd commando voor het maken van interactieve asynchrone subshells. +> Meer informatie: . + +- Voer een subshell asynchroon uit: + +`coproc { {{commando1; commando2; ...}}; }` + +- Maak een coprocess met een specifieke naam: + +`coproc {{naam}} { {{commando1; commando2; ...}}; }` + +- Schrijf naar de `stdin` van een specifiek coprocess: + +`echo "{{invoer}}" >&"${{{naam}}[1]}"` + +- Lees van de `stdout` van een specifiek coprocess: + +`read {{variabele}} <&"${{{naam}}[0]}"` + +- Maak een coprocess dat herhaaldelijk `stdin` leest en opdrachten op de invoer uitvoert: + +`coproc {{naam}} { while read line; do {{commando1; commando2; ...}}; done }` + +- Maak een coprocess dat herhaaldelijk `stdin` leest, een pipeline uitvoert op de invoer, en de uitvoer naar `stdout` schrijft: + +`coproc {{naam}} { while read line; do echo "$line" | {{commando1 | commando2 | ...}} | cat /dev/fd/0; done }` + +- Maak en gebruik een coprocess dat `bc` uitvoert: + +`coproc BC { bc --mathlib; }; echo "1/3" >&"${BC[1]}"; read output <&"${BC[0]}"; echo "$output"` diff --git a/pages.nl/linux/cp.md b/pages.nl/linux/cp.md index 0de7304a9..3eda35846 100644 --- a/pages.nl/linux/cp.md +++ b/pages.nl/linux/cp.md @@ -5,11 +5,11 @@ - Kopieer een bestand naar een andere locatie: -`cp {{pad/naar/bron_bestand.ext}} {{pad/naar/doel_bestand.ext}}` +`cp {{pad/naar/bronbestand.ext}} {{pad/naar/doel_bestand.ext}}` - Kopieer een bestand naar een andere map, maar behoud de bestandsnaam: -`cp {{pad/naar/bron_bestand.ext}} {{pad/naar/doel_map}}` +`cp {{pad/naar/bronbestand.ext}} {{pad/naar/doel_map}}` - Kopieer de inhoud van een map recursief naar een andere locatie (als de doelmap bestaat, dan wordt de map hierin gekopieerd): @@ -33,4 +33,4 @@ - Gebruik het volledige pad van de bron bestanden, creëer missende tussenliggende mappen tijdens het kopieëren: -`cp --parents {{pad/naar/bron_bestand}} {{pad/naar/doel_bestand}}` +`cp --parents {{pad/naar/bronbestand}} {{pad/naar/doel_bestand}}` diff --git a/pages.nl/linux/dd.md b/pages.nl/linux/dd.md new file mode 100644 index 000000000..4be608d6b --- /dev/null +++ b/pages.nl/linux/dd.md @@ -0,0 +1,28 @@ +# dd + +> Converteer en kopieer een bestand. +> Meer informatie: . + +- Maak een opstartbare USB-schijf van een isohybrid-bestand (zoals `archlinux-xxx.iso`) en toon de voortgang: + +`dd if={{pad/naar/bestand.iso}} of={{/dev/usb_schijf}} status=progress` + +- Kopieer een schijf naar een andere schijf met een blokgrootte van 4 MiB en schrijf alle gegevens voordat het commando eindigt: + +`dd bs=4M conv=fsync if={{/dev/bron_schijf}} of={{/dev/doel_schijf}}` + +- Genereer een bestand met een specifiek aantal willekeurige bytes met behulp van de kernel random driver: + +`dd bs={{100}} count={{1}} if=/dev/urandom of={{pad/naar/willekeurig_bestand}}` + +- Benchmark de sequentiële schrijfsnelheid van een schijf: + +`dd bs={{1M}} count={{1024}} if=/dev/zero of={{pad/naar/bestand_1GB}}` + +- Maak een systeemback-up, sla deze op in een IMG bestand (kan later worden hersteld door `if` en `of` om te wisselen) en toon de voortgang: + +`dd if={{/dev/schijf_apparaat}} of={{pad/naar/bestand.img}} status=progress` + +- Bekijk de voortgang van een lopende `dd` operatie (voer dit commando uit vanaf een andere shell): + +`kill -USR1 $(pgrep -x dd)` diff --git a/pages.nl/linux/dir.md b/pages.nl/linux/dir.md new file mode 100644 index 000000000..40b62d822 --- /dev/null +++ b/pages.nl/linux/dir.md @@ -0,0 +1,25 @@ +# dir + +> Toon de inhoud van een directory met één regel per bestand, speciale tekens worden weergegeven met backslash-escape-sequenties. +> Werkt als `ls -C --escape`. +> Meer informatie: . + +- Toon alle bestanden, inclusief verborgen bestanden: + +`dir --all` + +- Toon bestanden inclusief hun auteur (`-l` is vereist): + +`dir -l --author` + +- Toon bestanden en sluit degenen uit die overeenkomen met een specifiek patroon: + +`dir --hide={{patroon}}` + +- Toon subdirectories recursief: + +`dir --recursive` + +- Toon hulp: + +`dir --help` diff --git a/pages.nl/linux/dmesg.md b/pages.nl/linux/dmesg.md new file mode 100644 index 000000000..96a0398fe --- /dev/null +++ b/pages.nl/linux/dmesg.md @@ -0,0 +1,36 @@ +# dmesg + +> Schrijf de kernelberichten naar `stdout`. +> Meer informatie: . + +- Toon kernelberichten: + +`dmesg` + +- Toon kernel foutmeldingen: + +`dmesg --level err` + +- Toon kernelberichten en blijf nieuwe lezen, vergelijkbaar met `tail -f` (beschikbaar in kernels 3.5.0 en nieuwer): + +`dmesg -w` + +- Toon hoeveel fysiek geheugen beschikbaar is op dit systeem: + +`dmesg | grep -i memory` + +- Toon kernelberichten 1 pagina per keer: + +`dmesg | less` + +- Toon kernelberichten met een tijdstempel (beschikbaar in kernels 3.5.0 en nieuwer): + +`dmesg -T` + +- Toon kernelberichten in een leesbare vorm (beschikbaar in kernels 3.5.0 en nieuwer): + +`dmesg -H` + +- Kleur output (beschikbaar in kernels 3.5.0 en nieuwer): + +`dmesg -L` diff --git a/pages.nl/linux/dnsdomainname.md b/pages.nl/linux/dnsdomainname.md new file mode 100644 index 000000000..87a87ada7 --- /dev/null +++ b/pages.nl/linux/dnsdomainname.md @@ -0,0 +1,9 @@ +# dnsdomainname + +> Toon de DNS-domeinnaam van het systeem. +> Let op: de tool gebruikt `gethostname` om de hostnaam van het systeem op te halen en vervolgens `getaddrinfo` om deze om te zetten in een gecanoniseerde naam. +> Meer informatie: . + +- Toon de DNS-domeinnaam van het systeem: + +`dnsdomainname` diff --git a/pages.nl/linux/duc.md b/pages.nl/linux/duc.md new file mode 100644 index 000000000..173ffe463 --- /dev/null +++ b/pages.nl/linux/duc.md @@ -0,0 +1,29 @@ +# duc + +> Een verzameling tools voor het indexeren, inspecteren en visualiseren van schijfgebruik. +> Duc onderhoudt een database van geaccumuleerde groottes van directories in het bestandssysteem, waardoor je deze database kunt raadplegen of mooie grafieken kunt maken om te laten zien waar de data zich bevindt. +> Meer informatie: . + +- Indexeer de `/usr` directory en schrijf naar de standaard database locatie `~/.duc.db`: + +`duc index {{/usr}}` + +- Lijst alle bestanden en directories onder `/usr/local` en toon relatieve bestandsgroottes in een [g]rafiek: + +`duc ls --classify --graph {{/usr/local}}` + +- Lijst alle bestanden en directories onder `/usr/local` recursief met behulp van boomweergave: + +`duc ls --classify --graph --recursive {{/usr/local}}` + +- Start de grafische interface om het bestandssysteem te verkennen met behulp van zonnestraalgrafieken: + +`duc gui {{/usr}}` + +- Start de ncurses console interface om het bestandssysteem te verkennen: + +`duc ui {{/usr}}` + +- Dump database-informatie: + +`duc info` diff --git a/pages.nl/linux/eselect-locale.md b/pages.nl/linux/eselect-locale.md new file mode 100644 index 000000000..d2099afa5 --- /dev/null +++ b/pages.nl/linux/eselect-locale.md @@ -0,0 +1,16 @@ +# eselect locale + +> Een `eselect`-module voor het beheren van de `LANG`-omgevingsvariabele, die de systeemtaal instelt. +> Meer informatie: . + +- Lijst van beschikbare locales: + +`eselect locale list` + +- Stel de `LANG`-omgevingsvariabele in `/etc/profile.env` in op naam of index van de `list`-opdracht: + +`eselect locale set {{naam|index}}` + +- Toon de waarde van `LANG` in `/etc/profile.env`: + +`eselect locale show` diff --git a/pages.nl/linux/eselect-repository.md b/pages.nl/linux/eselect-repository.md new file mode 100644 index 000000000..064ee37ba --- /dev/null +++ b/pages.nl/linux/eselect-repository.md @@ -0,0 +1,33 @@ +# eselect repository + +> Een `eselect`-module voor het configureren van ebuild-repositories voor Portage. +> Na het inschakelen van een repository moet je `emerge --sync repo_name` uitvoeren om ebuilds te downloaden. +> Meer informatie: . + +- Toon alle ebuild-repositories geregistreerd op : + +`eselect repository list` + +- Toon ingeschakelde repositories: + +`eselect repository list -i` + +- Schakel een repository uit de lijst in op naam of index van de `list`-opdracht: + +`eselect repository enable {{naam|index}}` + +- Schakel een niet-geregistreerde repository in: + +`eselect repository add {{naam}} {{rsync|git|mercurial|svn|...}} {{sync_uri}}` + +- Schakel repositories uit zonder hun inhoud te verwijderen: + +`eselect repository disable {{repo1 repo2 ...}}` + +- Schakel repositories uit en verwijder hun inhoud: + +`eselect repository remove {{repo1 repo2 ...}}` + +- Maak een lokale repository aan en schakel deze in: + +`eselect repository create {{naam}} {{pad/naar/repo}}` diff --git a/pages.nl/linux/eselect.md b/pages.nl/linux/eselect.md new file mode 100644 index 000000000..6d05eddd6 --- /dev/null +++ b/pages.nl/linux/eselect.md @@ -0,0 +1,17 @@ +# eselect + +> Gentoo's veelzijdige configuratie- en beheertool. +> Het bestaat uit verschillende modules die individuele beheertaken uitvoeren. +> Meer informatie: . + +- Toon een lijst van geïnstalleerde modules: + +`eselect` + +- Bekijk documentatie voor een specifieke module: + +`tldr eselect {{module}}` + +- Toon een helpbericht voor een specifieke module: + +`eselect {{module}} help` diff --git a/pages.nl/linux/exec.md b/pages.nl/linux/exec.md new file mode 100644 index 000000000..c7c2ebd43 --- /dev/null +++ b/pages.nl/linux/exec.md @@ -0,0 +1,20 @@ +# exec + +> Voer een commando uit zonder een child-proces te creëren. +> Meer informatie: . + +- Voer een specifiek commando uit: + +`exec {{commando -with -flags}}` + +- Voer een commando uit met een (grotendeels) lege omgeving: + +`exec -c {{commando -with -flags}}` + +- Voer een commando uit als een login-shell: + +`exec -l {{commando -with -flags}}` + +- Voer een commando uit met een andere naam: + +`exec -a {{naam}} {{commando -with -flags}}` diff --git a/pages.nl/linux/export.md b/pages.nl/linux/export.md new file mode 100644 index 000000000..dc8f3ddbe --- /dev/null +++ b/pages.nl/linux/export.md @@ -0,0 +1,24 @@ +# export + +> Exporteer shellvariabelen naar child-processen. +> Meer informatie: . + +- Stel een omgevingsvariabele in: + +`export {{VARIABELE}}={{waarde}}` + +- Zet een omgevingsvariabele uit: + +`export -n {{VARIABELE}}` + +- Exporteer een functie naar child-processen: + +`export -f {{FUNCTIE_NAAM}}` + +- Voeg een pad toe aan de omgevingsvariabele `PATH`: + +`export PATH=$PATH:{{pad/om/toe_te_voegen}}` + +- Toon een lijst van actieve geëxporteerde variabelen in shell-opdrachtvorm: + +`export -p` diff --git a/pages.nl/linux/fold.md b/pages.nl/linux/fold.md new file mode 100644 index 000000000..36ddde297 --- /dev/null +++ b/pages.nl/linux/fold.md @@ -0,0 +1,16 @@ +# fold + +> Breek lange regels af voor uitvoerapparaten met vaste breedte. +> Meer informatie: . + +- Breek regels af met een vaste breedte: + +`fold --width {{breedte}} {{pad/naar/bestand}}` + +- Tel breedte in bytes (standaard is het tellen in kolommen): + +`fold --bytes --width {{breedte_in_bytes}} {{pad/naar/bestand}}` + +- Breek de regel na de meest rechtse spatie binnen de breedtelimiet: + +`fold --spaces --width {{breedte}} {{pad/naar/bestand}}` diff --git a/pages.nl/linux/fsck.md b/pages.nl/linux/fsck.md new file mode 100644 index 000000000..0946a4903 --- /dev/null +++ b/pages.nl/linux/fsck.md @@ -0,0 +1,16 @@ +# fsck + +> Controleer de integriteit van een bestandssysteem of repareer het. Het bestandssysteem moet niet gemount zijn op het moment dat het commando wordt uitgevoerd. +> Meer informatie: . + +- Controleer bestandssysteem `/dev/sdXN` en rapporteer beschadigde blokken: + +`sudo fsck {{/dev/sdXN}}` + +- Controleer bestandssysteem `/dev/sdXN`, rapporteer beschadigde blokken en laat de gebruiker interactief kiezen om elke blok te repareren: + +`sudo fsck -r {{/dev/sdXN}}` + +- Controleer bestandssysteem `/dev/sdXN`, rapporteer beschadigde blokken en repareer ze automatisch: + +`sudo fsck -a {{/dev/sdXN}}` diff --git a/pages.nl/linux/groupadd.md b/pages.nl/linux/groupadd.md new file mode 100644 index 000000000..df3130e19 --- /dev/null +++ b/pages.nl/linux/groupadd.md @@ -0,0 +1,17 @@ +# groupadd + +> Voeg gebruikersgroepen toe aan het systeem. +> Bekijk ook: `groups`, `groupdel`, `groupmod`. +> Meer informatie: . + +- Maak een nieuwe groep aan: + +`sudo groupadd {{groepsnaam}}` + +- Maak een nieuwe systeemgroep aan: + +`sudo groupadd --system {{groepsnaam}}` + +- Maak een nieuwe groep aan met een specifieke groeps-ID: + +`sudo groupadd --gid {{id}} {{groepsnaam}}` diff --git a/pages.nl/linux/groupdel.md b/pages.nl/linux/groupdel.md new file mode 100644 index 000000000..0c41c8314 --- /dev/null +++ b/pages.nl/linux/groupdel.md @@ -0,0 +1,9 @@ +# groupdel + +> Verwijder bestaande gebruikersgroepen van het systeem. +> Bekijk ook: `groups`, `groupadd`, `groupmod`. +> Meer informatie: . + +- Verwijder een bestaande groep: + +`sudo groupdel {{groepsnaam}}` diff --git a/pages.nl/linux/groupmod.md b/pages.nl/linux/groupmod.md new file mode 100644 index 000000000..a0975037a --- /dev/null +++ b/pages.nl/linux/groupmod.md @@ -0,0 +1,13 @@ +# groupmod + +> Wijzig bestaande gebruikersgroepen in het systeem. +> Zie ook: `groups`, `groupadd`, `groupdel`. +> Meer informatie: . + +- Wijzig de groepsnaam: + +`sudo groupmod --new-name {{nieuwe_groep}} {{groepsnaam}}` + +- Wijzig het groeps-ID: + +`sudo groupmod --gid {{nieuwe_id}} {{groepsnaam}}` diff --git a/pages.nl/linux/head.md b/pages.nl/linux/head.md new file mode 100644 index 000000000..d723c6344 --- /dev/null +++ b/pages.nl/linux/head.md @@ -0,0 +1,20 @@ +# head + +> Geef het eerste deel van bestanden weer. +> Meer informatie: . + +- Geef de eerste paar regels van een bestand weer: + +`head --lines {{aantal}} {{pad/naar/bestand}}` + +- Geef de eerste paar bytes van een bestand weer: + +`head --bytes {{aantal}} {{pad/naar/bestand}}` + +- Geef alles behalve de laatste paar regels van een bestand weer: + +`head --lines -{{aantal}} {{pad/naar/bestand}}` + +- Geef alles behalve de laatste paar bytes van een bestand weer: + +`head --bytes -{{aantal}} {{pad/naar/bestand}}` diff --git a/pages.nl/linux/iostat.md b/pages.nl/linux/iostat.md new file mode 100644 index 000000000..6f995504d --- /dev/null +++ b/pages.nl/linux/iostat.md @@ -0,0 +1,28 @@ +# iostat + +> Geeft statistieken weer voor apparaten en partities. +> Meer informatie: . + +- Toon een rapport van CPU- en schijfstatistieken sinds het opstarten van het systeem: + +`iostat` + +- Toon een rapport van CPU- en schijfstatistieken met eenheden omgezet naar megabytes: + +`iostat -m` + +- Toon CPU-statistieken: + +`iostat -c` + +- Toon schijfstatistieken met schijfnamen (inclusief LVM): + +`iostat -N` + +- Toon uitgebreide schijfstatistieken met schijfnamen voor apparaat "sda": + +`iostat -xN {{sda}}` + +- Toon incrementele rapporten van CPU- en schijfstatistieken elke 2 seconden: + +`iostat {{2}}` diff --git a/pages.nl/linux/ip-route-list.md b/pages.nl/linux/ip-route-list.md index b7fb6dc22..1d92977fb 100644 --- a/pages.nl/linux/ip-route-list.md +++ b/pages.nl/linux/ip-route-list.md @@ -1,6 +1,6 @@ -# ip-route-list +# ip route list -> Dit commando is een alias van `ip-route-show`. +> Dit commando is een alias van `ip route show`. - Bekijk de documentatie van het originele commando: diff --git a/pages.nl/linux/ipcs.md b/pages.nl/linux/ipcs.md new file mode 100644 index 000000000..635f4e7e9 --- /dev/null +++ b/pages.nl/linux/ipcs.md @@ -0,0 +1,37 @@ +# ipcs + +> Toon informatie over het gebruik van System V IPC-faciliteiten: gedeelde geheugensegmenten, berichtenwachtrijen en semafoorarrays. +> Zie ook: `lsipc` voor een flexibeler tool, `ipcmk` voor het maken van IPC-faciliteiten, en `ipcrm` voor het verwijderen ervan. +> Meer informatie: . + +- Toon informatie over alle actieve IPC-faciliteiten: + +`ipcs` + +- Toon informatie over actieve gedeelde [m]emory-segmenten, berichten[q]ueues of [s]emaphore-sets: + +`ipcs {{--shmems|--queues|--semaphores}}` + +- Toon volledige details over de resource met een specifieke [i]D: + +`ipcs {{--shmems|--queues|--semaphores}} --id {{resource_id}}` + +- Toon [l]imieten in [b]ytes of in een leesbaar formaat: + +`ipcs --limits {{--bytes|--human}}` + +- Toon s[u]mmary over huidig gebruik: + +`ipcs --summary` + +- Toon [c]reator's en owner's UIDs en PIDs voor alle IPC-faciliteiten: + +`ipcs --creator` + +- Toon de [p]ID van de laatste operatoren voor alle IPC-faciliteiten: + +`ipcs --pid` + +- Toon laatste toegang[s]tijden voor alle IPC-faciliteiten: + +`ipcs --time` diff --git a/pages.nl/linux/iptables.md b/pages.nl/linux/iptables.md index 6810b45e1..1638779a8 100644 --- a/pages.nl/linux/iptables.md +++ b/pages.nl/linux/iptables.md @@ -18,12 +18,12 @@ - Voeg regel toe aan keten policy voor IP met [p]rotocol en poort in overweging: -`sudo iptables --append {{keten}} --source {{ip}} --protocol {{tcp|udp|icmp|...}} --dport {{port}} --jump {{regel}}` +`sudo iptables --append {{keten}} --source {{ip}} --protocol {{tcp|udp|icmp|...}} --dport {{poort}} --jump {{regel}}` - Voeg een NAT regel toe om al het verkeer van `192.168.0.0/24` subnet te vertalen naar de host's publieke IP: `sudo iptables --table {{nat}} --append {{POSTROUTING}} --source {{192.168.0.0/24}} --jump {{MASQUERADE}}` -- Verwijder keten regel: +- Verwij[D]er keten regel: -`sudo iptables --delete {{keten}} {{regel_line_number}}` +`sudo iptables --delete {{keten}} {{regelnummer}}` diff --git a/pages.nl/linux/jobs.md b/pages.nl/linux/jobs.md new file mode 100644 index 000000000..1c8c8c13f --- /dev/null +++ b/pages.nl/linux/jobs.md @@ -0,0 +1,29 @@ +# jobs + +> Shell ingebouwd commando om informatie te bekijken over processen die door de huidige shell zijn gestart. +> Opties anders dan `-l` en `-p` zijn exclusief voor `bash`. +> Meer informatie: . + +- Bekijk jobs die door de huidige shell zijn gestart: + +`jobs` + +- Lijst jobs en hun proces-ID's: + +`jobs -l` + +- Toon informatie over jobs met gewijzigde status: + +`jobs -n` + +- Toon alleen proces-ID's: + +`jobs -p` + +- Toon actieve processen: + +`jobs -r` + +- Toon gestopte processen: + +`jobs -s` diff --git a/pages.nl/linux/kill.md b/pages.nl/linux/kill.md new file mode 100644 index 000000000..6c31c3fe3 --- /dev/null +++ b/pages.nl/linux/kill.md @@ -0,0 +1,37 @@ +# kill + +> Stuurt een signaal naar een proces, meestal om het proces te stoppen. +> Alle signalen behalve SIGKILL en SIGSTOP kunnen door het proces worden onderschept om een nette afsluiting uit te voeren. +> Meer informatie: . + +- Beëindig een programma met behulp van het standaard SIGTERM (terminate) signaal: + +`kill {{proces_id}}` + +- Lijst signaalwaarden en hun overeenkomstige namen op (te gebruiken zonder het `SIG` voorvoegsel): + +`kill -L` + +- Beëindig een achtergrondtaak: + +`kill %{{taak_id}}` + +- Beëindig een programma met behulp van het SIGHUP (hang up) signaal. Veel daemons zullen herladen in plaats van beëindigen: + +`kill -{{1|HUP}} {{proces_id}}` + +- Beëindig een programma met behulp van het SIGINT (interrupt) signaal. Dit wordt meestal geïnitieerd door de gebruiker die `Ctrl + C` indrukt: + +`kill -{{2|INT}} {{proces_id}}` + +- Signaleer het besturingssysteem om een programma onmiddellijk te beëindigen (het programma krijgt geen kans om het signaal te onderscheppen): + +`kill -{{9|KILL}} {{proces_id}}` + +- Signaleer het besturingssysteem om een programma te pauzeren totdat een SIGCONT ("continue") signaal wordt ontvangen: + +`kill -{{17|STOP}} {{proces_id}}` + +- Stuur een `SIGUSR1` signaal naar alle processen met de gegeven GID (groeps-ID): + +`kill -{{SIGUSR1}} -{{groep_id}}` diff --git a/pages.nl/linux/killall.md b/pages.nl/linux/killall.md new file mode 100644 index 000000000..1fe13117e --- /dev/null +++ b/pages.nl/linux/killall.md @@ -0,0 +1,25 @@ +# killall + +> Verstuur een kill-signaal naar alle instanties van een proces op naam (moet exact overeenkomen). +> Alle signalen behalve SIGKILL en SIGSTOP kunnen door het proces worden onderschept, waardoor een nette afsluiting mogelijk is. +> Meer informatie: . + +- Beëindig een proces met behulp van het standaard SIGTERM (terminate) signaal: + +`killall {{proces_naam}}` + +- Lijst beschikbare signaalnamen (te gebruiken zonder het 'SIG'-voorvoegsel): + +`killall --list` + +- Vraag interactief om bevestiging voordat het proces wordt beëindigd: + +`killall -i {{proces_naam}}` + +- Beëindig een proces met het SIGINT (interrupt) signaal, hetzelfde signaal dat wordt verzonden door `Ctrl + C` in te drukken: + +`killall -INT {{proces_naam}}` + +- Forceer het beëindigen van een proces: + +`killall -KILL {{proces_naam}}` diff --git a/pages.nl/linux/last.md b/pages.nl/linux/last.md new file mode 100644 index 000000000..9f24be37a --- /dev/null +++ b/pages.nl/linux/last.md @@ -0,0 +1,37 @@ +# last + +> Toon informatie over de laatste gebruikerslogins. +> Bekijk ook: `lastb`, `login`. +> Meer informatie: . + +- Toon logininformatie (bijv. gebruikersnaam, terminal, opstarttijd, kernel) van alle gebruikers: + +`last` + +- Toon logininformatie van een specifieke gebruiker: + +`last {{gebruikersnaam}}` + +- Toon informatie van een specifieke TTY: + +`last {{tty1}}` + +- Toon de meest recente informatie (standaard staan de nieuwste bovenaan): + +`last | tac` + +- Toon informatie over systeemopstarts: + +`last "{{system boot}}"` + +- Toon informatie met een specifiek [t]ijdstempel formaat: + +`last --time-format {{notime|full|iso}}` + +- Toon informatie [s]inds een specifieke tijd en datum: + +`last --since {{-7days}}` + +- Toon informatie (bijv. hostnaam en IP) van externe hosts: + +`last --dns` diff --git a/pages.nl/linux/lex.md b/pages.nl/linux/lex.md new file mode 100644 index 000000000..6b078516c --- /dev/null +++ b/pages.nl/linux/lex.md @@ -0,0 +1,25 @@ +# lex + +> Generator voor lexicale analyzers. +> Gegeven de specificatie voor een lexicale analyzer, genereert C-code die deze implementeert. +> Meer informatie: . + +- Genereer een analyzer van een Lex-bestand en sla deze op in het bestand `lex.yy.c`: + +`lex {{analyzer.l}}` + +- Schrijf de analyzer naar `stdout`: + +`lex -{{-stdout|t}} {{analyzer.l}}` + +- Specificeer het uitvoerbestand: + +`lex {{analyzer.l}} --outfile {{analyzer.c}}` + +- Genereer een [B]atch-scanner in plaats van een interactieve scanner: + +`lex -B {{analyzer.l}}` + +- Compileer een C-bestand dat door Lex is gegenereerd: + +`cc {{pad/naar/lex.yy.c}} --output {{uitvoerbaar_bestand}}` diff --git a/pages.nl/linux/libtool.md b/pages.nl/linux/libtool.md new file mode 100644 index 000000000..f87fef1bb --- /dev/null +++ b/pages.nl/linux/libtool.md @@ -0,0 +1,32 @@ +# libtool + +> Een generiek script voor bibliotheekondersteuning dat de complexiteit van het gebruik van gedeelde bibliotheken verbergt achter een consistente, draagbare interface. +> Meer informatie: . + +- Compileer een bronbestand naar een `libtool`-object: + +`libtool --mode=compile gcc -c {{pad/naar/bron.c}} -o {{pad/naar/bron.lo}}` + +- Maak een bibliotheek of een uitvoerbaar bestand: + +`libtool --mode=link gcc -o {{pad/naar/bibliotheek.lo}} {{pad/naar/bron.lo}}` + +- Stel automatisch het bibliotheekpad in zodat een ander programma niet-geïnstalleerde door `libtool` gegenereerde programma's of bibliotheken kan gebruiken: + +`libtool --mode=execute gdb {{pad/naar/programma}}` + +- Installeer een gedeelde bibliotheek: + +`libtool --mode=install cp {{pad/naar/bibliotheek.la}} {{pad/naar/installatiemap}}` + +- Voltooi de installatie van `libtool`-bibliotheken op het systeem: + +`libtool --mode=finish {{pad/naar/installatiemap}}` + +- Verwijder geïnstalleerde bibliotheken of uitvoerbare bestanden: + +`libtool --mode=uninstall {{pad/naar/geïnstalleerde_bibliotheek.la}}` + +- Verwijder niet-geïnstalleerde bibliotheken of uitvoerbare bestanden: + +`libtool --mode=clean rm {{pad/naar/bron.lo}} {{pad/naar/bibliotheek.la}}` diff --git a/pages.nl/linux/libtoolize.md b/pages.nl/linux/libtoolize.md new file mode 100644 index 000000000..2058f5fd3 --- /dev/null +++ b/pages.nl/linux/libtoolize.md @@ -0,0 +1,9 @@ +# libtoolize + +> Een `autotools` tool om een pakket voor te bereiden voor het gebruik van `libtool`. +> Het voert verschillende taken uit, waaronder het genereren van de benodigde bestanden en directories om `libtool` naadloos in een project te integreren. +> Meer informatie: . + +- Initialiseer een project voor `libtool` door de benodigde bestanden te kopiëren (symbolische links vermijden) en bestaande bestanden indien nodig te overschrijven: + +`libtoolize --copy --force` diff --git a/pages.nl/linux/locate.md b/pages.nl/linux/locate.md new file mode 100644 index 000000000..df02359dc --- /dev/null +++ b/pages.nl/linux/locate.md @@ -0,0 +1,16 @@ +# locate + +> Vind snel bestandsnamen. +> Meer informatie: . + +- Zoek naar een patroon in de database. Opmerking: de database wordt periodiek herberekend (meestal wekelijks of dagelijks): + +`locate {{patroon}}` + +- Zoek naar een bestand op basis van de exacte bestandsnaam (een patroon zonder glob-tekens wordt geïnterpreteerd als `*patroon*`): + +`locate '*/{{bestandsnaam}}'` + +- Herbereken de database. Dit moet je doen als je recent toegevoegde bestanden wilt vinden: + +`sudo updatedb` diff --git a/pages.nl/linux/look.md b/pages.nl/linux/look.md new file mode 100644 index 000000000..fd4068122 --- /dev/null +++ b/pages.nl/linux/look.md @@ -0,0 +1,26 @@ +# look + +> Toon regels die beginnen met een prefix in een gesorteerd bestand. +> Let op: de regels in het bestand moeten gesorteerd zijn. +> Bekijk ook: `grep`, `sort`. +> Meer informatie: . + +- Zoek naar regels die beginnen met een specifieke prefix in een specifiek bestand: + +`look {{prefix}} {{pad/naar/bestand}}` + +- Zoek hoofdletterongevoeling alleen op lege en alfanumerieke tekens: + +`look {{-f|--ignore-case}} {{-d|--alphanum}} {{prefix}} {{pad/naar/bestand}}` + +- Specificeer een string-terminatiekarakter (standaard is spatie): + +`look {{-t|--terminate}} {{,}}` + +- Zoek in `/usr/share/dict/words` (`--ignore-case` en `--alphanum` worden aangenomen): + +`look {{prefix}}` + +- Zoek in `/usr/share/dict/web2` (`--ignore-case` en `--alphanum` worden aangenomen): + +`look {{-a|--alternative}} {{prefix}}` diff --git a/pages.nl/linux/man.md b/pages.nl/linux/man.md new file mode 100644 index 000000000..c51a3b118 --- /dev/null +++ b/pages.nl/linux/man.md @@ -0,0 +1,36 @@ +# man + +> Formatteer en toon handleidingen. +> Meer informatie: . + +- Toon de handleiding voor een commando: + +`man {{commando}}` + +- Open de handleiding voor een commando in een browser: + +`man --html {{commando}}` + +- Toon de handleiding voor een commando uit sectie 7: + +`man {{7}} {{commando}}` + +- Toon alle beschikbare secties voor een commando: + +`man --whatis {{commando}}` + +- Toon het pad dat wordt doorzocht voor handleidingen: + +`man --path` + +- Toon de locatie van een handleiding in plaats van de handleiding zelf: + +`man --where {{commando}}` + +- Toon de handleiding in een specifieke taal: + +`man --locale {{taal}} {{commando}}` + +- Zoek naar handleidingen die een zoekterm bevatten: + +`man --apropos "{{zoekterm}}"` diff --git a/pages.nl/linux/mesg.md b/pages.nl/linux/mesg.md new file mode 100644 index 000000000..1e5ddc3c8 --- /dev/null +++ b/pages.nl/linux/mesg.md @@ -0,0 +1,21 @@ +# mesg + +> Controleer of stel in of een terminal berichten van andere gebruikers kan ontvangen, meestal van het `write`-commando. +> Zie ook `write`, `talk`. +> Meer informatie: . + +- Controleer of de terminal openstaat voor berichten: + +`mesg` + +- Sta geen berichten toe van andere gebruikers: + +`mesg n` + +- Sta berichten toe van andere gebruikers: + +`mesg y` + +- Schakel [v]erbose modus in, en toon een waarschuwing als het commando niet wordt uitgevoerd vanaf een terminal: + +`mesg --verbose` diff --git a/pages.nl/linux/mknod.md b/pages.nl/linux/mknod.md new file mode 100644 index 000000000..e97ae3f3e --- /dev/null +++ b/pages.nl/linux/mknod.md @@ -0,0 +1,20 @@ +# mknod + +> Maak speciale bestanden voor blok- of tekenapparaten aan. +> Meer informatie: . + +- Maak een blokapparaat aan: + +`sudo mknod {{pad/naar/apparaat_bestand}} b {{groot_apparaatnummer}} {{klein_apparaatnummer}}` + +- Maak een tekenapparaat aan: + +`sudo mknod {{pad/naar/apparaat_bestand}} c {{groot_apparaatnummer}} {{klein_apparaatnummer}}` + +- Maak een FIFO (queue) apparaat aan: + +`sudo mknod {{pad/naar/apparaat_bestand}} p` + +- Maak een apparaatbestand aan met de standaard SELinux-beveiligingscontext: + +`sudo mknod -Z {{pad/naar/apparaat_bestand}} {{type}} {{groot_apparaatnummer}} {{klein_apparaatnummer}}` diff --git a/pages.nl/linux/mktemp.md b/pages.nl/linux/mktemp.md new file mode 100644 index 000000000..17b29bc5d --- /dev/null +++ b/pages.nl/linux/mktemp.md @@ -0,0 +1,28 @@ +# mktemp + +> Maak een tijdelijk bestand of een tijdelijke map aan. +> Meer informatie: . + +- Maak een leeg tijdelijk bestand en toon het absolute pad: + +`mktemp` + +- Gebruik een aangepaste map (standaard is `$TMPDIR`, of `/tmp`): + +`mktemp --tmpdir={{/pad/naar/tempdir}}` + +- Gebruik een aangepast pad-sjabloon (`X`en worden vervangen door willekeurige alfanumerieke tekens): + +`mktemp {{/tmp/voorbeeld.XXXXXXXX}}` + +- Gebruik een aangepast bestandsnaam-sjabloon: + +`mktemp -t {{voorbeeld.XXXXXXXX}}` + +- Maak een leeg tijdelijk bestand met de opgegeven extensie en toon het absolute pad: + +`mktemp --suffix {{.ext}}` + +- Maak een lege tijdelijke map aan en toon het absolute pad: + +`mktemp --directory` diff --git a/pages.nl/linux/more.md b/pages.nl/linux/more.md new file mode 100644 index 000000000..8e9e60249 --- /dev/null +++ b/pages.nl/linux/more.md @@ -0,0 +1,29 @@ +# more + +> Toon een bestand interactief, met de mogelijkheid om te scrollen en te zoeken. +> Zie ook: `less`. +> Meer informatie: . + +- Open een bestand: + +`more {{pad/naar/bestand}}` + +- Toon een specifieke regel: + +`more +{{regelnummer}} {{pad/naar/bestand}}` + +- Ga naar de volgende pagina: + +`` + +- Zoek naar een string (druk op `n` om naar de volgende overeenkomst te gaan): + +`/{{iets}}` + +- Afsluiten: + +`q` + +- Toon hulp over interactieve commando's: + +`h` diff --git a/pages.nl/linux/mount.cifs.md b/pages.nl/linux/mount.cifs.md index 327931c33..863f88d21 100644 --- a/pages.nl/linux/mount.cifs.md +++ b/pages.nl/linux/mount.cifs.md @@ -1,7 +1,7 @@ # mount.cifs > Mount SMB (Server Message Block) of CIFS (Common Internet File System) shares. -> Opmerking: u kunt ook hetzelfde doen door de optie `-t cifs` door te geven aan `mount`. +> Let op: u kunt ook hetzelfde doen door de optie `-t cifs` door te geven aan `mount`. > Meer informatie: . - Verbinding maken met de opgegeven gebruikersnaam of `$USER` als standaard (U wordt gevraagd om een wachtwoord): diff --git a/pages.nl/linux/mycli.md b/pages.nl/linux/mycli.md new file mode 100644 index 000000000..b9e2b5a46 --- /dev/null +++ b/pages.nl/linux/mycli.md @@ -0,0 +1,16 @@ +# mycli + +> Een CLI voor MySQL, MariaDB en Percona met automatische aanvulling en syntaxisaccentuering. +> Meer informatie: . + +- Verbinden met een database met de huidige ingelogde gebruiker: + +`mycli {{database_naam}}` + +- Verbinden met een database met de opgegeven gebruiker: + +`mycli -u {{gebruiker}} {{database_naam}}` + +- Verbinden met een database op de opgegeven host met de opgegeven gebruiker: + +`mycli -u {{gebruiker}} -h {{host}} {{database_naam}}` diff --git a/pages.nl/linux/nl.md b/pages.nl/linux/nl.md new file mode 100644 index 000000000..5c996be93 --- /dev/null +++ b/pages.nl/linux/nl.md @@ -0,0 +1,36 @@ +# nl + +> Voorzie regels van een nummer uit een bestand of van `stdin`. +> Meer informatie: . + +- Voorzie niet-lege regels in een bestand van een nummer: + +`nl {{pad/naar/bestand}}` + +- Lees van `stdin`: + +`{{commando}} | nl -` + +- Nummer [a]lle [b]ody regels inclusief lege regels of [n]ummer geen [b]ody regels: + +`nl --body-numbering {{a|n}} {{pad/naar/bestand}}` + +- Nummer alleen de [b]ody regels die overeenkomen met een basis reguliere expressie (BRE) [p]atroon: + +`nl --body-numbering p'FooBar[0-9]' {{pad/naar/bestand}}` + +- Gebruik een specifieke [i]ncrement voor regelnummering: + +`nl --line-increment {{increment}} {{pad/naar/bestand}}` + +- Specificeer het nummeringsformaat voor regels: [r]echts of [l]inks uitgelijnd, met of zonder voorloopnullen ([z]eros): + +`nl --number-format {{rz|ln|rn}}` + +- Specificeer de breedte ([w]) van de nummering (standaard is 6): + +`nl --number-width {{kolombreedte}} {{pad/naar/bestand}}` + +- Gebruik een specifieke string om de regelnummers van de regels te [s]cheiden (standaard is TAB): + +`nl --number-separator {{scheidingsteken}} {{pad/naar/bestand}}` diff --git a/pages.nl/linux/pngcheck.md b/pages.nl/linux/pngcheck.md new file mode 100644 index 000000000..d1197969e --- /dev/null +++ b/pages.nl/linux/pngcheck.md @@ -0,0 +1,21 @@ +# pngcheck + +> Forensische tool voor het valideren van de integriteit van PNG-gebaseerde (PNG, JNG, MNG) afbeeldingsbestanden. +> Kan ook ingebedde afbeeldingen en tekst uit een bestand extraheren. +> Meer informatie: . + +- Controleer de integriteit van een afbeeldingsbestand: + +`pngcheck {{pad/naar/bestand.png}}` + +- Controleer het bestand met [v]erbeterde en gekleurde ([c]) uitvoer: + +`pngcheck -vc {{pad/naar/bestand.png}}` + +- Toon de inhoud van [t]ekstfragmenten en zoek ([s]) naar PNG's binnen een specifiek bestand: + +`pngcheck -ts {{pad/naar/bestand.png}}` + +- Zoek naar en e[x]tracteer ingebedde PNG's binnen een specifiek bestand: + +`pngcheck -x {{pad/naar/bestand.png}}` diff --git a/pages.nl/linux/ptx.md b/pages.nl/linux/ptx.md new file mode 100644 index 000000000..d7a3cc068 --- /dev/null +++ b/pages.nl/linux/ptx.md @@ -0,0 +1,24 @@ +# ptx + +> Genereer een permutatie-index van woorden uit tekstbestanden. +> Meer informatie: . + +- Genereer een permutatie-index waarbij het eerste veld van elke regel een indexreferentie is: + +`ptx --references {{pad/naar/bestand}}` + +- Genereer een permutatie-index met automatisch gegenereerde indexreferenties: + +`ptx --auto-reference {{pad/naar/bestand}}` + +- Genereer een permutatie-index met een vaste breedte: + +`ptx --width={{breedte_in_kolommen}} {{pad/naar/bestand}}` + +- Genereer een permutatie-index met een lijst van gefilterde woorden: + +`ptx --only-file={{pad/naar/filter}} {{pad/naar/bestand}}` + +- Genereer een permutatie-index met SYSV-stijl gedragingen: + +`ptx --traditional {{pad/naar/bestand}}` diff --git a/pages.nl/linux/rcp.md b/pages.nl/linux/rcp.md new file mode 100644 index 000000000..7add50500 --- /dev/null +++ b/pages.nl/linux/rcp.md @@ -0,0 +1,21 @@ +# rcp + +> Kopieer bestanden tussen lokale en externe systemen. +> Het imiteert het gedrag van het `cp`-commando, maar werkt tussen verschillende machines. +> Meer informatie: . + +- Kopieer een bestand naar een externe host: + +`rcp {{pad/naar/local_file}} {{gebruikersnaam}}@{{remote_host}}:{{/pad/naar/bestemming/}}` + +- Kopieer een directory recursief: + +`rcp -r {{pad/naar/local_directory}} {{gebruikersnaam}}@{{remote_host}}:{{/pad/naar/bestemming/}}` + +- Behoud de bestandseigenschappen: + +`rcp -p {{pad/naar/local_file}} {{gebruikersnaam}}@{{remote_host}}:{{/pad/naar/bestemming/}}` + +- Forceer kopiëren zonder bevestiging: + +`rcp -f {{pad/naar/local_file}} {{gebruikersnaam}}@{{remote_host}}:{{/pad/naar/bestemming/}}` diff --git a/pages.nl/linux/reboot.md b/pages.nl/linux/reboot.md new file mode 100644 index 000000000..9f669f859 --- /dev/null +++ b/pages.nl/linux/reboot.md @@ -0,0 +1,24 @@ +# reboot + +> Herstart het systeem. +> Meer informatie: . + +- Herstart het systeem: + +`reboot` + +- Schakel het systeem uit (zelfde als `poweroff`): + +`reboot --poweroff` + +- Houd het systeem (beëindigt alle processen en zet de CPU uit) (zelfde als `halt`): + +`reboot --halt` + +- Herstart onmiddellijk zonder contact op te nemen met de systeembeheerder: + +`reboot --force` + +- Schrijf de wtmp shutdown entry zonder het systeem opnieuw te starten: + +`reboot --wtmp-only` diff --git a/pages.nl/linux/rexec.md b/pages.nl/linux/rexec.md new file mode 100644 index 000000000..e53082c21 --- /dev/null +++ b/pages.nl/linux/rexec.md @@ -0,0 +1,21 @@ +# rexec + +> Voer een commando uit op een externe host. +> Let op: Gebruik `rexec` met voorzichtigheid, omdat het gegevens in platte tekst verzendt. Overweeg veilige alternatieven zoals SSH voor versleutelde communicatie. +> Meer informatie: . + +- Voer een commando uit op een externe [h]ost: + +`rexec -h={{remote_host}} {{ls -l}}` + +- Specificeer de externe [g]ebruikersnaam op een externe [h]ost: + +`rexec -username={{gebruikersnaam}} -h={{remote_host}} {{ps aux}}` + +- Redirect `stdin` van `/dev/null` op een externe [h]ost: + +`rexec --no-err -h={{remote_host}} {{ls -l}}` + +- Specificeer de externe [P]oort op een externe [h]ost: + +`rexec -P={{1234}} -h={{remote_host}} {{ls -l}}` diff --git a/pages.nl/linux/rlogin.md b/pages.nl/linux/rlogin.md new file mode 100644 index 000000000..2f54a0c03 --- /dev/null +++ b/pages.nl/linux/rlogin.md @@ -0,0 +1,12 @@ +# rlogin + +> Log in op een externe host. +> Meer informatie: . + +- Log in op een externe host: + +`rlogin {{remote_host}}` + +- Log in op een externe host met een specifieke gebruikersnaam: + +`rlogin -l {{gebruikersnaam}} {{remote_host}}` diff --git a/pages.nl/linux/rsh.md b/pages.nl/linux/rsh.md new file mode 100644 index 000000000..32a9b43fe --- /dev/null +++ b/pages.nl/linux/rsh.md @@ -0,0 +1,16 @@ +# rsh + +> Voer commando's uit op een externe host. +> Meer informatie: . + +- Voer een commando uit op een externe host: + +`rsh {{remote_host}} {{ls -l}}` + +- Voer een commando uit op een externe host met een specifieke gebruikersnaam: + +`rsh {{remote_host}} -l {{gebruikersnaam}} {{ls -l}}` + +- Redirect `stdin` naar `/dev/null` bij het uitvoeren van een commando op een externe host: + +`rsh {{remote_host}} --no-err {{ls -l}}` diff --git a/pages.nl/linux/runcon.md b/pages.nl/linux/runcon.md new file mode 100644 index 000000000..eac10219e --- /dev/null +++ b/pages.nl/linux/runcon.md @@ -0,0 +1,21 @@ +# runcon + +> Voer een programma uit in een andere SELinux-beveiligingscontext. +> Bekijk ook: `secon`. +> Meer informatie: . + +- Toon de beveiligingscontext van de huidige uitvoeringscontext: + +`runcon` + +- Specificeer het domein om een commando in uit te voeren: + +`runcon -t {{domein}}_t {{commando}}` + +- Specificeer de context rol om een commando mee uit te voeren: + +`runcon -r {{rol}}_r {{commando}}` + +- Specificeer de volledige context om een commando mee uit te voeren: + +`runcon {{gebruiker}}_u:{{rol}}_r:{{domein}}_t {{commando}}` diff --git a/pages.nl/linux/secon.md b/pages.nl/linux/secon.md new file mode 100644 index 000000000..505ced177 --- /dev/null +++ b/pages.nl/linux/secon.md @@ -0,0 +1,25 @@ +# secon + +> Krijg de SELinux-beveiligingscontext van een bestand, PID, huidige uitvoeringscontext of een contextspecificatie. +> Zie ook: `semanage`, `runcon`, `chcon`. +> Meer informatie: . + +- Krijg de beveiligingscontext van de huidige uitvoeringscontext: + +`secon` + +- Krijg de huidige beveiligingscontext van een proces: + +`secon --pid {{1}}` + +- Krijg de huidige beveiligingscontext van een bestand, waarbij alle tussenliggende symlinks worden opgelost: + +`secon --file {{pad/naar/bestand_of_map}}` + +- Krijg de huidige beveiligingscontext van een symlink zelf (d.w.z. niet oplossen): + +`secon --link {{pad/naar/symlink}}` + +- Parse en leg een contextspecificatie uit: + +`secon {{systeem_u:systeem_r:container_t:s0:c899,c900}}` diff --git a/pages.nl/linux/semanage-boolean.md b/pages.nl/linux/semanage-boolean.md new file mode 100644 index 000000000..db93d984c --- /dev/null +++ b/pages.nl/linux/semanage-boolean.md @@ -0,0 +1,17 @@ +# semanage boolean + +> Beheer persistente SELinux-boolean-instellingen. +> Zie ook: `semanage` voor het beheren van SELinux-beleid, `getsebool` voor het controleren van boolean-waarden, en `setsebool` voor het toepassen van niet-blijvende boolean-instellingen. +> Meer informatie: . + +- Toon alle boolean-instellingen: + +`sudo semanage boolean {{-l|--list}}` + +- Toon alle door de gebruiker gedefinieerde boolean-instellingen zonder koppen: + +`sudo semanage boolean {{-l|--list}} {{-C|--locallist}} {{-n|--noheading}}` + +- Stel een boolean blijvend in of uit: + +`sudo semanage boolean {{-m|--modify}} {{-1|--on|-0|--off}} {{haproxy_connect_any}}` diff --git a/pages.nl/linux/semanage-fcontext.md b/pages.nl/linux/semanage-fcontext.md new file mode 100644 index 000000000..5c058c6d3 --- /dev/null +++ b/pages.nl/linux/semanage-fcontext.md @@ -0,0 +1,25 @@ +# semanage fcontext + +> Beheer persistente SELinux-beveiligingscontextregels op bestanden/mappen. +> Zie ook: `semanage`, `matchpathcon`, `secon`, `chcon`, `restorecon`. +> Meer informatie: . + +- Toon alle bestandslabelregels: + +`sudo semanage fcontext --list` + +- Toon alle door de gebruiker gedefinieerde bestandslabelregels zonder koppen: + +`sudo semanage fcontext --list --locallist --noheading` + +- Voeg een door de gebruiker gedefinieerde regel toe die elk pad labelt dat overeenkomt met een PCRE-regex: + +`sudo semanage fcontext --add --type {{samba_share_t}} {{'/mnt/share(/.*)?'}}` + +- Verwijder een door de gebruiker gedefinieerde regel met behulp van zijn PCRE-regex: + +`sudo semanage fcontext --delete {{'/mnt/share(/.*)?'}}` + +- Herlabel een map recursief door de nieuwe regels toe te passen: + +`restorecon -R -v {{pad/naar/map}}` diff --git a/pages.nl/linux/semanage-permissive.md b/pages.nl/linux/semanage-permissive.md new file mode 100644 index 000000000..84fa9ea5b --- /dev/null +++ b/pages.nl/linux/semanage-permissive.md @@ -0,0 +1,14 @@ +# semanage permissive + +> Beheer persistente SELinux permissieve domeinen. +> Let op dat dit het proces effectief onbeperkt maakt. Voor langdurig gebruik wordt aanbevolen om SELinux correct te configureren. +> Zie ook: `semanage`, `getenforce`, `setenforce`. +> Meer informatie: . + +- Toon alle procestypen (ook wel domeinen genoemd) die in permissieve modus zijn: + +`sudo semanage permissive {{-l|--list}}` + +- Stel de permissieve modus in of uit voor een domein: + +`sudo semanage permissive {{-a|--add|-d|--delete}} {{httpd_t}}` diff --git a/pages.nl/linux/semanage-port.md b/pages.nl/linux/semanage-port.md new file mode 100644 index 000000000..baa6c22a1 --- /dev/null +++ b/pages.nl/linux/semanage-port.md @@ -0,0 +1,21 @@ +# semanage port + +> Beheer persistente SELinux-poortdefinities. +> Zie ook: `semanage`. +> Meer informatie: . + +- Toon alle poortlabelregels: + +`sudo semanage port {{-l|--list}}` + +- Toon alle door de gebruiker gedefinieerde poortlabelregels zonder koppen: + +`sudo semanage port {{-l|--list}} {{-C|--locallist}} {{-n|--noheading}}` + +- Voeg een door de gebruiker gedefinieerde regel toe die een label toekent aan een protocol-poortpaar: + +`sudo semanage port {{-a|--add}} {{-t|--type}} {{ssh_port_t}} {{-p|--proto}} {{tcp}} {{22000}}` + +- Verwijder een door de gebruiker gedefinieerde regel met behulp van zijn protocol-poortpaar: + +`sudo semanage port {{-d|--delete}} {{-p|--proto}} {{udp}} {{11940}}` diff --git a/pages.nl/linux/semanage.md b/pages.nl/linux/semanage.md new file mode 100644 index 000000000..b07a6721f --- /dev/null +++ b/pages.nl/linux/semanage.md @@ -0,0 +1,29 @@ +# semanage + +> SELinux persistent beleid beheertool. +> Sommige subcommando's zoals `boolean`, `fcontext`, `port`, etc. hebben hun eigen gebruiksdocumentatie. +> Meer informatie: . + +- Stel een SELinux-boolean in of uit. Booleans stellen de beheerder in staat om aan te passen hoe beleidsregels invloed hebben op ingesloten procestypes (ook wel domeinen genoemd): + +`sudo semanage boolean {{-m|--modify}} {{-1|--on|-0|--off}} {{haproxy_connect_any}}` + +- Voeg een door de gebruiker gedefinieerde bestandscontextlabelregel toe. Bestandscontexten definiëren welke bestanden ingesloten domeinen mogen openen: + +`sudo semanage fcontext {{-a|--add}} {{-t|--type}} {{samba_share_t}} '/mnt/share(/.*)?'` + +- Voeg een door de gebruiker gedefinieerde poortlabelregel toe. Poortlabels definiëren op welke poorten ingesloten domeinen mogen luisteren: + +`sudo semanage port {{-a|--add}} {{-t|--type}} {{ssh_port_t}} {{-p|--proto}} {{tcp}} {{22000}}` + +- Stel de permissieve modus in of uit voor een ingesloten domein. Per-domein permissieve modus biedt meer gedetailleerde controle vergeleken met `setenforce`: + +`sudo semanage permissive {{-a|--add|-d|--delete}} {{httpd_t}}` + +- Exporteer lokale aanpassingen in de standaardopslag: + +`sudo semanage export {{-f|--output_file}} {{pad/naar/bestand}}` + +- Importeer een bestand gegenereerd door `semanage export` in lokale aanpassingen (VOORZICHTIG: kan huidige aanpassingen verwijderen!): + +`sudo semanage import {{-f|--input_file}} {{pad/naar/bestand}}` diff --git a/pages.nl/linux/shntool-split.md b/pages.nl/linux/shntool-split.md index 7c08d3ede..6c66d86ed 100644 --- a/pages.nl/linux/shntool-split.md +++ b/pages.nl/linux/shntool-split.md @@ -1,4 +1,4 @@ -# shntool-split +# shntool split > Dit commando is een alias van `shnsplit`. diff --git a/pages.nl/linux/sleep.md b/pages.nl/linux/sleep.md new file mode 100644 index 000000000..90f387ac2 --- /dev/null +++ b/pages.nl/linux/sleep.md @@ -0,0 +1,20 @@ +# sleep + +> Wacht voor een gespecificeerde hoeveelheid tijd. +> Meer informatie: . + +- Wacht in seconden: + +`sleep {{seconden}}` + +- Wacht in [m]inuten. (Andere eenheden zoals [d]ag, [u]ur, [s]econde, [inf]initeit kunnen ook worden gebruikt): + +`sleep {{minuten}}m` + +- Wacht 1 [d]ag en 3 uur ([h]): + +`sleep 1d 3h` + +- Voer een specifiek commando uit na een wachttijd van 20 [m]inuten: + +`sleep 20m && {{commando}}` diff --git a/pages.nl/linux/sockstat.md b/pages.nl/linux/sockstat.md new file mode 100644 index 000000000..2e6d9cdd1 --- /dev/null +++ b/pages.nl/linux/sockstat.md @@ -0,0 +1,29 @@ +# sockstat + +> Toon open Internet- of UNIX-domeinsockets. +> Bekijk ook: `netstat`. +> Meer informatie: . + +- Toon informatie voor IPv4- en IPv6-sockets voor zowel luister- als verbonden sockets: + +`sockstat` + +- Toon informatie voor IPv[4]/IPv[6] sockets die [l]uisteren op specifieke [p]oorten met een specifiek p[R]otocol: + +`sockstat -{{4|6}} -l -R {{tcp|udp|sctp|divert}} -p {{poort1,poort2...}}` + +- Toon ook [c]onnected sockets en [u]nix-sockets: + +`sockstat -cu` + +- Toon alleen sockets van het opgegeven `pid` of proces: + +`sockstat -P {{pid|proces}}` + +- Toon alleen sockets van de opgegeven `uid` of gebruiker: + +`sockstat -U {{uid|gebruiker}}` + +- Toon alleen sockets van de opgegeven `gid` of groep: + +`sockstat -G {{gid|groep}}` diff --git a/pages.nl/linux/tac.md b/pages.nl/linux/tac.md new file mode 100644 index 000000000..abc246e18 --- /dev/null +++ b/pages.nl/linux/tac.md @@ -0,0 +1,25 @@ +# tac + +> Toon en voeg bestanden samen met regels in omgekeerde volgorde. +> Bekijk ook: `cat`. +> Meer informatie: . + +- Voeg specifieke bestanden samen in omgekeerde volgorde: + +`tac {{pad/naar/bestand1 pad/naar/bestand2 ...}}` + +- Toon `stdin` in omgekeerde volgorde: + +`{{cat pad/naar/bestand}} | tac` + +- Gebruik een specifiek scheidingsteken: + +`tac --separator {{,}} {{pad/naar/bestand1 pad/naar/bestand2 ...}}` + +- Gebruik een specifieke regex als scheidingsteken: + +`tac --regex --separator {{[,;]}} {{pad/naar/bestand1 pad/naar/bestand2 ...}}` + +- Gebruik een scheidingsteken vóór elk bestand: + +`tac --before {{pad/naar/bestand1 pad/naar/bestand2 ...}}` diff --git a/pages.nl/linux/talk.md b/pages.nl/linux/talk.md new file mode 100644 index 000000000..24337e17c --- /dev/null +++ b/pages.nl/linux/talk.md @@ -0,0 +1,24 @@ +# talk + +> Een visueel communicatieprogramma dat regels van jouw terminal kopieert naar die van een andere gebruiker. +> Meer informatie: . + +- Start een talk-sessie met een gebruiker op dezelfde machine: + +`talk {{gebruikersnaam}}` + +- Start een talk-sessie met een gebruiker op dezelfde machine, die is ingelogd op tty3: + +`talk {{gebruikersnaam}} {{tty3}}` + +- Start een talk-sessie met een gebruiker op een externe machine: + +`talk {{gebruikersnaam}}@{{hostname}}` + +- Wis tekst op beide terminals: + +`+D` + +- Verlaat de talk-sessie: + +`+C` diff --git a/pages.nl/linux/tftp.md b/pages.nl/linux/tftp.md new file mode 100644 index 000000000..88d016e97 --- /dev/null +++ b/pages.nl/linux/tftp.md @@ -0,0 +1,32 @@ +# tftp + +> Trivial File Transfer Protocol client. +> Meer informatie: . + +- Maak verbinding met een TFTP-server door het IP-adres en de poort op te geven: + +`tftp {{server_ip}} {{poort}}` + +- Maak verbinding met een TFTP-server en voer een TFTP-[c]ommand uit: + +`tftp {{server_ip}} -c {{command}}` + +- Maak verbinding met een TFTP-server met IPv6 en forceer dat de oorspronkelijke poort binnen een [R]ange ligt: + +`tftp {{server_ip}} -6 -R {{poort}}:{{poort}}` + +- Stel de overdrachtsmodus in op binaire of ASCIi via de tftp-client: + +`mode {{binary|ascii}}` + +- Download een bestand van een server via de tftp-client: + +`get {{file}}` + +- Upload een bestand naar een server via de tftp-client: + +`put {{file}}` + +- Verlaat de tftp-client: + +`quit` diff --git a/pages.nl/linux/trash.md b/pages.nl/linux/trash.md new file mode 100644 index 000000000..70009e698 --- /dev/null +++ b/pages.nl/linux/trash.md @@ -0,0 +1,32 @@ +# trash + +> Beheer de prullenbak. +> Meer informatie: . + +- Verplaats een bestand naar de prullenbak: + +`trash {{pad/naar/bestand}}` + +- Toon alle bestanden in de prullenbak: + +`trash-list` + +- Herstel een bestand uit de prullenbak (interactief): + +`trash-restore` + +- Leeg de prullenbak: + +`trash-empty` + +- Verwijder permanent alle bestanden in de prullenbak die ouder zijn dan 10 dagen: + +`trash-empty 10` + +- Verwijder alle bestanden in de prullenbak die overeenkomen met een specifiek blob-patroon: + +`trash-rm "{{*.o}}"` + +- Verwijder alle bestanden met een specifieke oorspronkelijke locatie: + +`trash-rm {{/pad/naar/bestand_of_map}}` diff --git a/pages.nl/linux/uname.md b/pages.nl/linux/uname.md new file mode 100644 index 000000000..c097e8f18 --- /dev/null +++ b/pages.nl/linux/uname.md @@ -0,0 +1,36 @@ +# uname + +> Uname toont informatie over de machine en het besturingssysteem waarop het wordt uitgevoerd. +> Meer informatie: . + +- Toon alle informatie: + +`uname --all` + +- Toon de huidige kernelnaam: + +`uname --kernel-name` + +- Toon de huidige netwerkhostnaam: + +`uname --nodename` + +- Toon de huidige kernelrelease: + +`uname --kernel-release` + +- Toon de huidige kernelversie: + +`uname --kernel-version` + +- Toon de huidige hardwarenaam van de machine: + +`uname --machine` + +- Toon het huidige processortype: + +`uname --processor` + +- Toon de huidige naam van het besturingssysteem: + +`uname --operating-system` diff --git a/pages.nl/linux/unmount.md b/pages.nl/linux/unmount.md index 27b7fff41..b9d873bdf 100644 --- a/pages.nl/linux/unmount.md +++ b/pages.nl/linux/unmount.md @@ -1,4 +1,4 @@ -# unmount +# umount > Het correcte commando is `umount` (u-mount). > Meer informatie: . diff --git a/pages.nl/linux/updatedb.md b/pages.nl/linux/updatedb.md new file mode 100644 index 000000000..ac8d9bc7e --- /dev/null +++ b/pages.nl/linux/updatedb.md @@ -0,0 +1,13 @@ +# updatedb + +> Maak of werk de database bij die gebruikt wordt door `locate`. +> Dit wordt meestal dagelijks uitgevoerd door cron. +> Meer informatie: . + +- Ververs de inhoud van de database: + +`sudo updatedb` + +- Toon bestandsnamen zodra ze gevonden zijn: + +`sudo updatedb --verbose` diff --git a/pages.nl/linux/useradd.md b/pages.nl/linux/useradd.md new file mode 100644 index 000000000..f66d703ac --- /dev/null +++ b/pages.nl/linux/useradd.md @@ -0,0 +1,33 @@ +# useradd + +> Maak een nieuwe gebruiker aan. +> Bekijk ook: `users`, `userdel`, `usermod`. +> Meer informatie: . + +- Maak een nieuwe gebruiker aan: + +`sudo useradd {{gebruikersnaam}}` + +- Maak een nieuwe gebruiker aan met de opgegeven gebruikers-ID: + +`sudo useradd --uid {{id}} {{gebruikersnaam}}` + +- Maak een nieuwe gebruiker aan met de opgegeven shell: + +`sudo useradd --shell {{pad/naar/shell}} {{gebruikersnaam}}` + +- Maak een nieuwe gebruiker aan die behoort tot extra groepen (let op het ontbreken van spaties): + +`sudo useradd --groups {{groep1,groep2,...}} {{gebruikersnaam}}` + +- Maak een nieuwe gebruiker aan met de standaard thuismap: + +`sudo useradd --create-home {{gebruikersnaam}}` + +- Maak een nieuwe gebruiker aan met de thuismap gevuld met bestanden uit een sjabloonmap: + +`sudo useradd --skel {{pad/naar/sjabloonmap}} --create-home {{gebruikersnaam}}` + +- Maak een nieuwe systeemgebruiker aan zonder thuismap: + +`sudo useradd --system {{gebruikersnaam}}` diff --git a/pages.nl/linux/userdel.md b/pages.nl/linux/userdel.md new file mode 100644 index 000000000..836f0c439 --- /dev/null +++ b/pages.nl/linux/userdel.md @@ -0,0 +1,17 @@ +# userdel + +> Verwijder een gebruikersaccount of verwijder een gebruiker uit een groep. +> Bekijk ook: `users`, `useradd`, `usermod`. +> Meer informatie: . + +- Verwijder een gebruiker: + +`sudo userdel {{gebruikersnaam}}` + +- Verwijder een gebruiker in een andere root-map: + +`sudo userdel --root {{pad/naar/andere/root}} {{gebruikersnaam}}` + +- Verwijder een gebruiker samen met de thuismap en mail-spool: + +`sudo userdel --remove {{gebruikersnaam}}` diff --git a/pages.nl/linux/usermod.md b/pages.nl/linux/usermod.md new file mode 100644 index 000000000..627349e52 --- /dev/null +++ b/pages.nl/linux/usermod.md @@ -0,0 +1,25 @@ +# usermod + +> Wijzig een gebruikersaccount. +> Bekijk ook: `users`, `useradd`, `userdel`. +> Meer informatie: . + +- Verander een gebruikersnaam: + +`sudo usermod --login {{nieuwe_gebruikersnaam}} {{gebruikersnaam}}` + +- Verander een gebruikers-ID: + +`sudo usermod --uid {{id}} {{gebruikersnaam}}` + +- Verander een gebruikersshell: + +`sudo usermod --shell {{pad/naar/shell}} {{gebruikersnaam}}` + +- Voeg een gebruiker toe aan aanvullende groepen (let op het ontbreken van spaties): + +`sudo usermod --append --groups {{groep1,groep2,...}} {{gebruikersnaam}}` + +- Verander een gebruikers thuismap: + +`sudo usermod --move-home --home {{pad/naar/nieuwe_thuismap}} {{gebruikersnaam}}` diff --git a/pages.nl/linux/xed.md b/pages.nl/linux/xed.md new file mode 100644 index 000000000..4145468ba --- /dev/null +++ b/pages.nl/linux/xed.md @@ -0,0 +1,24 @@ +# xed + +> Bewerk bestanden in de Cinnamon-desktopomgeving. +> Meer informatie: . + +- Start de editor: + +`xed` + +- Open specifieke bestanden: + +`xed {{pad/naar/bestand1 pad/naar/bestand2 ...}}` + +- Open bestanden met een specifieke codering: + +`xed --encoding {{WINDOWS-1252}} {{pad/naar/bestand1 pad/naar/bestand2 ...}}` + +- Toon alle ondersteunde coderingen: + +`xed --list-encodings` + +- Open een bestand en ga naar een specifieke regel: + +`xed +{{10}} {{pad/naar/bestand}}` diff --git a/pages.nl/linux/zip.md b/pages.nl/linux/zip.md new file mode 100644 index 000000000..fa8110150 --- /dev/null +++ b/pages.nl/linux/zip.md @@ -0,0 +1,33 @@ +# zip + +> Verpak en comprimeer (archiveer) bestanden in een Zip-archief. +> Bekijk ook: `unzip`. +> Meer informatie: . + +- Voeg bestanden/directories toe aan een specifiek archief: + +`zip -r {{pad/naar/gecomprimeerd.zip}} {{pad/naar/bestand_of_directory1 pad/naar/bestand_of_directory2 ...}}` + +- Verwijder bestanden/directories uit een specifiek archief: + +`zip --delete {{pad/naar/gecomprimeerd.zip}} {{pad/naar/bestand_of_directory1 pad/naar/bestand_of_directory2 ...}}` + +- Archiveer bestanden/directories waarbij opgegeven bestanden worden uitgesloten: + +`zip {{pad/naar/gecomprimeerd.zip}} {{pad/naar/bestand_of_directory1 pad/naar/bestand_of_directory2 ...}} --exclude {{pad/naar/uitgesloten_bestanden_of_directories}}` + +- Archiveer bestanden/directories met een specifieke compressieniveau (`0` - het laagste, `9` - het hoogste): + +`zip -r -{{0..9}} {{pad/naar/gecomprimeerd.zip}} {{pad/naar/bestand_of_directory1 pad/naar/bestand_of_directory2 ...}}` + +- Maak een versleuteld archief met een specifiek wachtwoord: + +`zip -r --encrypt {{pad/naar/gecomprimeerd.zip}} {{pad/naar/bestand_of_directory1 pad/naar/bestand_of_directory2 ...}}` + +- Archiveer bestanden/directories in een multipart [s]plit Zip-archief (bijv. 3 GB delen): + +`zip -r -s {{3g}} {{pad/naar/gecomprimeerd.zip}} {{pad/naar/bestand_of_directory1 pad/naar/bestand_of_directory2 ...}}` + +- Toon de inhoud van een specifiek archief: + +`zip -sf {{pad/naar/gecomprimeerd.zip}}` diff --git a/pages.nl/netbsd/cal.md b/pages.nl/netbsd/cal.md new file mode 100644 index 000000000..73655efac --- /dev/null +++ b/pages.nl/netbsd/cal.md @@ -0,0 +1,36 @@ +# cal + +> Toon een kalender. +> Meer informatie: . + +- Toon een kalender voor de huidige maand: + +`cal` + +- Toon een kalender voor een specifiek jaar: + +`cal {{jaar}}` + +- Toon een kalender voor een specifieke maand en jaar: + +`cal {{maand}} {{jaar}}` + +- Toon de volledige kalender voor het huidige jaar door gebruik te maken van [j]ulian dagen (beginnend vanaf één, genummerd vanaf 1 januari): + +`cal -y -j` + +- Markeer ([h]) vandaag en toon [3] maanden rondom de datum:: + +`cal -h -3 {{maand}} {{jaar}}` + +- Toon de 2 maanden voor ([B]) en 3 maanden na ([A]) een specifieke [m]aand van het huidige jaar: + +`cal -A 3 -B 2 {{maand}}` + +- Toon een specifiek aantal maanden voor en na (Context) de opgegeven maand: + +`cal -C {{maanden}} {{maand}}` + +- Specificeer de startdag van de week (0: Zondag, 1: Maandag, ..., 6: Zaterdag): + +`cal -d {{0..6}}` diff --git a/pages.nl/netbsd/chpass.md b/pages.nl/netbsd/chpass.md new file mode 100644 index 000000000..b451bde6f --- /dev/null +++ b/pages.nl/netbsd/chpass.md @@ -0,0 +1,29 @@ +# chpass + +> Gebruikersdatabase informatie toevoegen of wijzigen, inclusief login shell en wachtwoord. +> Bekijk ook: `passwd`. +> Meer informatie: . + +- Stel interactief een specifieke login shell in voor de huidige gebruiker: + +`su -c chpass` + +- Stel een specifieke login [s]hell in voor de huidige gebruiker: + +`chpass -s {{pad/naar/shell}}` + +- Stel een login [s]hell in voor een specifieke gebruiker: + +`chpass chsh -s {{pad/naar/shell}} {{gebruikersnaam}}` + +- Specificeer een gebruikersdatabase entry in het `passwd` bestandsformaat: + +`su -c 'chpass -a {{gebruikersnaam:gecodeerd_wachtwoord:uid:gid:...}} -s {{pad/naar/bestand}}' {{gebruikersnaam}}` + +- Pas alleen het lokale wachtwoord bestand aan: + +`su -c 'chpass -l -s {{pad/naar/shell}}' {{gebruikersnaam}}` + +- Pas geforceerd een database [y]P wachtwoord database entry aan: + +`su -c 'chpass -y -s {{pad/naar/shell}}' {{gebruikersnaam}}` diff --git a/pages.nl/netbsd/sockstat.md b/pages.nl/netbsd/sockstat.md new file mode 100644 index 000000000..b05f2ae6c --- /dev/null +++ b/pages.nl/netbsd/sockstat.md @@ -0,0 +1,26 @@ +# sockstat + +> Toon open Internet- of UNIX-domeinsockets. +> Let op: dit programma is hergeschreven voor NetBSD 3.0 van FreeBSD's `sockstat`. +> Bekijk ook: `netstat`. +> Meer informatie: . + +- Toon informatie voor IPv4- en IPv6-sockets voor zowel luister- als verbonden sockets: + +`sockstat` + +- Toon informatie voor IPv[4]/IPv[6] sockets die [l]uisteren op specifieke [p]oorten met een specifiek [P]rotocol: + +`sockstat -{{4|6}} -l -P {{tcp|udp|sctp|divert}} -p {{port1,port2...}}` + +- Toon ook [c]onnected sockets en [u]nix-sockets: + +`sockstat -cu` + +- Toon alleen [n]umerieke output, zonder symbolische namen voor adressen en poorten te resolven: + +`sockstat -n` + +- Toon alleen sockets van de opgegeven adres[f]amilie: + +`sockstat -f {{inet|inet6|local|unix}}` diff --git a/pages.nl/openbsd/cal.md b/pages.nl/openbsd/cal.md new file mode 100644 index 000000000..dcece264e --- /dev/null +++ b/pages.nl/openbsd/cal.md @@ -0,0 +1,32 @@ +# cal + +> Toon een kalender met de huidige dag gemarkeerd. +> Meer informatie: . + +- Toon een kalender voor de huidige maand: + +`cal` + +- Toon een kalender voor een specifiek jaar: + +`cal {{jaar}}` + +- Toon een kalender voor een specifieke maand en jaar: + +`cal {{maand}} {{jaar}}` + +- Toon de volledige kalender voor het huidige jaar ([y]): + +`cal -y` + +- Toon [j]ulian dagen (beginnend vanaf één, genummerd vanaf 1 januari): + +`cal -j` + +- Gebruik [m]aandag als week start in plaats van zondag: + +`cal -m` + +- Toon [w]eeknummers (niet compatibel met `-j`): + +`cal -w` diff --git a/pages.nl/openbsd/chpass.md b/pages.nl/openbsd/chpass.md new file mode 100644 index 000000000..0ea5ee963 --- /dev/null +++ b/pages.nl/openbsd/chpass.md @@ -0,0 +1,21 @@ +# chpass + +> Gebruikersdatabase informatie toevoegen of wijzigen, inclusief login shell en wachtwoord. +> Bekijk ook: `passwd`. +> Meer informatie: . + +- Stel interactief een specifieke login shell in voor de huidige gebruiker: + +`doas chsh` + +- Stel een specifieke login [s]hell in voor de huidige gebruiker: + +`doas chsh -s {{pad/naar/shell}}` + +- Stel een login [s]hell in voor een specifieke gebruiker: + +`doas chsh -s {{pad/naar/shell}} {{gebruikersnaam}}` + +- Specificeer een gebruikersdatabase entry in het `passwd` bestandsformaat: + +`doas chsh -a {{gebruikersnaam:gecodeerd_wachtwoord:uid:gid:...}}` diff --git a/pages.nl/osx/arch.md b/pages.nl/osx/arch.md new file mode 100644 index 000000000..a9ea585b4 --- /dev/null +++ b/pages.nl/osx/arch.md @@ -0,0 +1,17 @@ +# arch + +> Toon de naam van de systeemarchitectuur, of voer een commando uit onder een andere architectuur. +> Zie ook: `uname`. +> Meer informatie: . + +- Toon de systeemarchitectuur: + +`arch` + +- Voer een commando uit met behulp van x86_64: + +`arch -x86_64 "{{commando}}"` + +- Voer een commando uit met behulp van arm: + +`arch -arm64 "{{commando}}"` diff --git a/pages.nl/osx/archey.md b/pages.nl/osx/archey.md new file mode 100644 index 000000000..7e5bcdb25 --- /dev/null +++ b/pages.nl/osx/archey.md @@ -0,0 +1,20 @@ +# archey + +> Stijlvol weergeven van systeeminformatie. +> Meer informatie: . + +- Toon systeeminformatie: + +`archey` + +- Toon systeeminformatie zonder gekleurde output: + +`archey --nocolor` + +- Toon systeeminformatie met gebruik van MacPorts in plaats van Homebrew: + +`archey --macports` + +- Toon systeeminformatie zonder IP-adrescontrole: + +`archey --offline` diff --git a/pages.nl/osx/as.md b/pages.nl/osx/as.md new file mode 100644 index 000000000..c2adff79c --- /dev/null +++ b/pages.nl/osx/as.md @@ -0,0 +1,21 @@ +# as + +> Draagbare GNU assembler. +> Voornamelijk bedoeld om uitvoer van `gcc` te assembleren voor gebruik door `ld`. +> Meer informatie: . + +- Assembleer een bestand en schrijf de output naar `a.out`: + +`as {{pad/naar/bestand.s}}` + +- Assembleer de output naar een specifiek bestand: + +`as {{pad/naar/bestand.s}} -o {{pad/naar/uitvoer_bestand.o}}` + +- Genereer sneller output door spaties en commentaarvoorverwerking over te slaan. (Moet alleen worden gebruikt voor vertrouwde compilers): + +`as -f {{pad/naar/bestand.s}}` + +- Voeg een specifiek pad toe aan de lijst met mappen om te zoeken naar bestanden die zijn opgegeven in `.include`-richtlijnen: + +`as -I {{pad/naar/directory}} {{pad/naar/bestand.s}}` diff --git a/pages.nl/osx/base64.md b/pages.nl/osx/base64.md new file mode 100644 index 000000000..8e1fc7148 --- /dev/null +++ b/pages.nl/osx/base64.md @@ -0,0 +1,20 @@ +# base64 + +> Encodeer en decodeer met behulp van Base64-representatie. +> Meer informatie: . + +- Encodeer een bestand: + +`base64 --input={{gewoon_bestand}}` + +- Decodeer een bestand: + +`base64 --decode --input={{base64_bestand}}` + +- Encodeer vanaf `stdin`: + +`echo -n "{{platte_tekst}}" | base64` + +- Decodeer vanaf `stdin`: + +`echo -n {{base64_tekst}} | base64 --decode` diff --git a/pages.nl/osx/bc.md b/pages.nl/osx/bc.md new file mode 100644 index 000000000..4a5d7385a --- /dev/null +++ b/pages.nl/osx/bc.md @@ -0,0 +1,29 @@ +# bc + +> Een rekenmachinetaal met willekeurige precisie. +> Zie ook: `dc`. +> Meer informatie: . + +- Start een interactieve sessie: + +`bc` + +- Start een interactieve sessie met de standaard wiskundige bibliotheek ingeschakeld: + +`bc --mathlib` + +- Bereken een uitdrukking: + +`bc --expression='{{5 / 3}}'` + +- Voer een script uit: + +`bc {{pad/naar/script.bc}}` + +- Bereken een uitdrukking met de gespecificeerde schaal: + +`bc --expression='scale = {{10}}; {{5 / 3}}'` + +- Bereken een sinus/cosinus/arctangens/natuurlijke logaritme/exponentiële functie met behulp van `mathlib`: + +`bc --mathlib --expression='{{s|c|a|l|e}}({{1}})'` diff --git a/pages.nl/osx/bird.md b/pages.nl/osx/bird.md new file mode 100644 index 000000000..8506e585d --- /dev/null +++ b/pages.nl/osx/bird.md @@ -0,0 +1,9 @@ +# bird + +> Dit ondersteunt de synchronisatie van iCloud en iCloud Drive. +> Het moet niet handmatig worden aangeroepen. +> Meer informatie: . + +- Start de daemon: + +`bird` diff --git a/pages.nl/osx/caffeinate.md b/pages.nl/osx/caffeinate.md new file mode 100644 index 000000000..7585306c8 --- /dev/null +++ b/pages.nl/osx/caffeinate.md @@ -0,0 +1,24 @@ +# caffeinate + +> Voorkom dat macOS in slaapstand gaat. +> Meer informatie: . + +- Voorkom slaapstand voor 1 uur (3600 seconden): + +`caffeinate -u -t {{3600}}` + +- Voorkom slaapstand totdat een commando is voltooid: + +`caffeinate -s "{{commando}}"` + +- Voorkom slaapstand totdat een proces met de opgegeven PID is voltooid: + +`caffeinate -w {{pid}}` + +- Voorkom slaapstand (gebruik `Ctrl + C` om te stoppen): + +`caffeinate -i` + +- Voorkom dat de schijf in slaapstand gaat (gebruik `Ctrl + C` om te stoppen): + +`caffeinate -m` diff --git a/pages.nl/osx/cal.md b/pages.nl/osx/cal.md new file mode 100644 index 000000000..70440844a --- /dev/null +++ b/pages.nl/osx/cal.md @@ -0,0 +1,32 @@ +# cal + +> Toon kalender informatie. +> Meer informatie: . + +- Toon een kalender voor de huidige maand: + +`cal` + +- Toon vorige, huidige en volgende maand: + +`cal -3` + +- Toon een kalender voor een specifieke maand (1-12 of de naam): + +`cal -m {{maand}}` + +- Toon een kalender voor het huidige jaar: + +`cal -y` + +- Toon een kalender voor een specifiek jaar (4 cijfers): + +`cal {{jaar}}` + +- Toon een kalender voor een specifieke maand en jaar: + +`cal {{maand}} {{jaar}}` + +- Toon de datum van Pasen (Westerse Christelijke kerken) in een gegeven jaar: + +`ncal -e {{jaar}}` diff --git a/pages.nl/osx/cat.md b/pages.nl/osx/cat.md new file mode 100644 index 000000000..0c3c176e2 --- /dev/null +++ b/pages.nl/osx/cat.md @@ -0,0 +1,32 @@ +# cat + +> Print en concateneer bestanden. +> Meer informatie: . + +- Print de inhoud van een bestand naar `stdout`: + +`cat {{pad/naar/bestand}}` + +- Concateneer meerdere bestanden in een uitvoerbestand: + +`cat {{pad/naar/bestand1 pad/naar/bestand2 ...}} > {{pad/naar/uitvoerbestand}}` + +- Voeg meerdere bestanden toe aan een uitvoerbestand: + +`cat {{pad/naar/bestand1 pad/naar/bestand2 ...}} >> {{pad/naar/uitvoerbestand}}` + +- Kopieer de inhoud van een bestand naar een uitvoerbestand zonder buffering: + +`cat -u {{/dev/tty12}} > {{/dev/tty13}}` + +- Schrijf `stdin` naar een bestand: + +`cat - > {{pad/naar/bestand}}` + +- Nummer alle uitvoerregels: + +`cat -n {{pad/naar/bestand}}` + +- Toon niet-afdrukbare en witruimtekarakters (met `M-` prefix als niet-ASCII): + +`cat -v -t -e {{pad/naar/bestand}}` diff --git a/pages.nl/osx/chpass.md b/pages.nl/osx/chpass.md new file mode 100644 index 000000000..590e29457 --- /dev/null +++ b/pages.nl/osx/chpass.md @@ -0,0 +1,26 @@ +# chpass + +> Gebruikersdatabase informatie toevoegen of wijzigen, inclusief login shell en wachtwoord. +> Let op: het is niet mogelijk om een gebruikerswachtwoord te wijzigen op een Open Directory systeem, gebruik hiervoor `passwd`. +> Bekijk ook: `passwd`. +> Meer informatie: . + +- Voeg toe of pas interactief de gebruikersdatabase informatie aan voor de huidige gebruiker: + +`su -c chpass` + +- Stel een specifieke login [s]hell in voor de huidige gebruiker: + +`chpass -s {{pad/naar/shell}}` + +- Stel een login [s]hell in voor een specifieke gebruiker: + +`chpass -s {{pad/naar/shell}} {{gebruikersnaam}}` + +- Pas het gebruikersrecord aan in de directory node op de opgegeven [l]ocatie: + +`chpass -l {{locatie}} -s {{pad/naar/shell}} {{gebruikersnaam}}` + +- Gebruik de opgegeven gebr[u]ikersnaam bij het authenticeren van het mapknooppunt dat de gebruiker bevat: + +`chpass -u {{auth_naam}} -s {{pad/naar/shell}} {{gebruikersnaam}}` diff --git a/pages.nl/osx/date.md b/pages.nl/osx/date.md new file mode 100644 index 000000000..12e9c9cf0 --- /dev/null +++ b/pages.nl/osx/date.md @@ -0,0 +1,20 @@ +# date + +> Stel de systeemdatum in of toon deze. +> Meer informatie: . + +- Toon de huidige datum in het standaardformaat van de locale: + +`date +%c` + +- Toon de huidige datum in UTC en ISO 8601-formaat: + +`date -u +%Y-%m-%dT%H:%M:%SZ` + +- Toon de huidige datum als een Unix timestamp (seconden sinds de Unix-epoch): + +`date +%s` + +- Toon een specifieke datum (gerepresenteerd als een Unix timestamp) met het standaard formaat: + +`date -r {{1473305798}}` diff --git a/pages.nl/osx/dd.md b/pages.nl/osx/dd.md new file mode 100644 index 000000000..6df62b2aa --- /dev/null +++ b/pages.nl/osx/dd.md @@ -0,0 +1,28 @@ +# dd + +> Converteer en kopieer een bestand. +> Meer informatie: . + +- Maak een opstartbare USB-schijf van een isohybrid-bestand (zoals `archlinux-xxx.iso`) en toon de voortgang: + +`dd if={{pad/naar/bestand.iso}} of={{/dev/usb_apparaat}} status=progress` + +- Kopieer een schijf naar een andere schijf met een blokgrootte van 4 MiB, negeer fouten en toon de voortgang: + +`dd bs=4m conv=noerror if={{/dev/bron_apparaat}} of={{/dev/doel_apparaat}} status=progress` + +- Genereer een bestand met een specifiek aantal willekeurige bytes met behulp van de kernel random driver: + +`dd bs={{100}} count={{1}} if=/dev/urandom of={{pad/naar/random_bestand}}` + +- Benchmark de schrijfsnelheid van een schijf: + +`dd bs={{1024}} count={{1000000}} if=/dev/zero of={{pad/naar/bestand_1GB}}` + +- Maak een systeemback-up, sla deze op in een IMG bestand (kan later worden hersteld door `if` en `of` om te wisselen) en toon de voortgang: + +`dd if={{/dev/schijf_apparaat}} of={{pad/naar/bestand.img}} status=progress` + +- Bekijk de voortgang van een lopende `dd` operatie (voer dit commando uit vanaf een andere shell):: + +`kill -USR1 $(pgrep ^dd)` diff --git a/pages.nl/osx/dmesg.md b/pages.nl/osx/dmesg.md new file mode 100644 index 000000000..cf06cec71 --- /dev/null +++ b/pages.nl/osx/dmesg.md @@ -0,0 +1,16 @@ +# dmesg + +> Schrijf de kernelberichten naar `stdout`. +> Meer informatie: . + +- Toon kernelberichten: + +`dmesg` + +- Toon hoeveel fysiek geheugen beschikbaar is op dit systeem: + +`dmesg | grep -i memory` + +- Toon kernelberichten 1 pagina per keer: + +`dmesg | less` diff --git a/pages.nl/osx/ed.md b/pages.nl/osx/ed.md new file mode 100644 index 000000000..409fe2ea4 --- /dev/null +++ b/pages.nl/osx/ed.md @@ -0,0 +1,25 @@ +# ed + +> De originele Unix tekst editor. +> Bekijk ook: `awk`, `sed`. +> Meer informatie: . + +- Start een interactieve editor sessie met een leeg document: + +`ed` + +- Start een interactieve editor sessie met een leeg document en een specifieke [p]rompt: + +`ed -p '> '` + +- Start een interactieve editor sessie met een leeg document en zonder diagnostics, het aantal bytes en de '!' prompt: + +`ed -s` + +- Pas een specifiek bestand aan (dit toont het aantal bytes van het geladen bestand): + +`ed {{pad/naar/bestand}}` + +- Vervang een string met een specifieke vervanging voor alle regels: + +`,s/{{reguliere_expressie}}/{{vervanging}}/g` diff --git a/pages.nl/osx/fsck.md b/pages.nl/osx/fsck.md new file mode 100644 index 000000000..44d7e7b8e --- /dev/null +++ b/pages.nl/osx/fsck.md @@ -0,0 +1,21 @@ +# fsck + +> Controleer de integriteit van een bestandssysteem of repareer het. Het bestandssysteem moet niet gemount zijn op het moment dat het commando wordt uitgevoerd. +> Het is een wrapper die `fsck_hfs`, `fsck_apfs`, `fsck_msdos`, `fsck_exfat` en `fsck_udf` aanroept indien nodig. +> Meer informatie: . + +- Controleer bestandssysteem `/dev/sdX` en rapporteer beschadigde blokken: + +`fsck {{/dev/sdX}}` + +- Controleer bestandssysteem `/dev/sdX` alleen als het schoon is, rapporteer beschadigde blokken en laat de gebruiker interactief kiezen om elke blok te repareren: + +`fsck -f {{/dev/sdX}}` + +- Controleer bestandssysteem `/dev/sdX` alleen als het schoon is, rapporteer beschadigde blokken en repareer ze automatisch: + +`fsck -fy {{/dev/sdX}}` + +- Controleer bestandssysteem `/dev/sdX` en rapporteer of het schoon is afgekoppeld: + +`fsck -q {{/dev/sdX}}` diff --git a/pages.nl/osx/head.md b/pages.nl/osx/head.md new file mode 100644 index 000000000..a339ede67 --- /dev/null +++ b/pages.nl/osx/head.md @@ -0,0 +1,20 @@ +# head + +> Geef het eerste deel van bestanden weer. +> Meer informatie: . + +- Geef de eerste paar regels van een bestand weer: + +`head --lines {{8}} {{pad/naar/bestand}}` + +- Geef de eerste paar bytes van een bestand weer: + +`head --bytes {{8}} {{pad/naar/bestand}}` + +- Geef alles behalve de laatste paar regels van een bestand weer: + +`head --lines -{{8}} {{pad/naar/bestand}}` + +- Geef alles behalve de laatste paar bytes van een bestand weer: + +`head --bytes -{{8}} {{pad/naar/bestand}}` diff --git a/pages.nl/osx/indent.md b/pages.nl/osx/indent.md new file mode 100644 index 000000000..b59ff16f1 --- /dev/null +++ b/pages.nl/osx/indent.md @@ -0,0 +1,12 @@ +# indent + +> Wijzig het uiterlijk van een C/C++-programma door spaties in te voegen of te verwijderen. +> Meer informatie: . + +- Formatteer C/C++-broncode volgens de Berkeley-stijl: + +`indent {{pad/naar/bronbestand.c}} {{pad/naar/ingesprongen_bestand.c}} -nbad -nbap -bc -br -c33 -cd33 -cdb -ce -ci4 -cli0 -di16 -fc1 -fcb -i4 -ip -l75 -lp -npcs -nprs -psl -sc -nsob -ts8` + +- Formatteer C/C++-broncode volgens de stijl van Kernighan & Ritchie (K&R): + +`indent {{pad/naar/bronbestand.c}} {{pad/naar/ingesprongen_bestand.c}} -nbad -bap -nbc -br -c33 -cd33 -ncdb -ce -ci4 -cli0 -cs -d0 -di1 -nfc1 -nfcb -i4 -nip -l75 -lp -npcs -nprs -npsl -nsc -nsob` diff --git a/pages.nl/osx/iostat.md b/pages.nl/osx/iostat.md new file mode 100644 index 000000000..924b95be4 --- /dev/null +++ b/pages.nl/osx/iostat.md @@ -0,0 +1,32 @@ +# iostat + +> Geeft statistieken weer voor apparaten. +> Meer informatie: . + +- Toon snapshot-apparaatstatistieken (KB/t, transfers per seconde, MB per seconde), CPU-statistieken (percentages van de tijd besteed in gebruikersmodus, systeemmodus en inactieve modus), en systeembelastinggemiddelden (voor de afgelopen 1, 5 en 15 minuten): + +`iostat` + +- Toon alleen apparaatstatistieken: + +`iostat -d` + +- Toon incrementele rapporten van CPU- en schijfstatistieken elke 2 seconden: + +`iostat 2` + +- Toon statistieken voor de eerste schijf elke seconde, oneindig: + +`iostat -w 1 disk0` + +- Toon statistieken voor de tweede schijf elke 3 seconden, 10 keer: + +`iostat -w 3 -c 10 disk1` + +- Toon met de oude `iostat` weergave. Laat sectoren per seconde zien, overdrachten per seconde, gemiddelde milliseconden per transactie, en CPU-statistieken + belastinggemiddelden uit de standaardweergave: + +`iostat -o` + +- Toon totale apparaatstatistieken (KB/t: kilobytes per overdracht zoals voorheen, xfrs: totaal aantal overdrachten, MB: totaal aantal overgedragen megabytes): + +`iostat -I` diff --git a/pages.nl/osx/ipconfig.md b/pages.nl/osx/ipconfig.md new file mode 100644 index 000000000..915493000 --- /dev/null +++ b/pages.nl/osx/ipconfig.md @@ -0,0 +1,12 @@ +# ipconfig + +> Bekijk en beheer de IP-configuratiestatus. +> Meer informatie: . + +- Lijst alle netwerkinterfaces op: + +`ipconfig getiflist` + +- Toon het IP-adres van een interface: + +`ipconfig getifaddr {{interfacenaam}}` diff --git a/pages.nl/osx/launchctl.md b/pages.nl/osx/launchctl.md index 7d6da9ca4..49e1eab2b 100644 --- a/pages.nl/osx/launchctl.md +++ b/pages.nl/osx/launchctl.md @@ -20,11 +20,11 @@ `launchctl list` -- Een momenteel geladen agent ontladen, b.v. om wijzigingen aan te brengen (let op: het plist-bestand wordt automatisch in `launchd` geladen na een herstart en/of inloggen): +- Een momenteel geladen agent ontladen, b.v. om wijzigingen aan te brengen (Let op: het plist-bestand wordt automatisch in `launchd` geladen na een herstart en/of inloggen): `launchctl unload ~/Library/LaunchAgents/{{my_script}}.plist` -- Voer handmatig een bekende (geladen) agent/daemon uit, zelfs als dit niet het juiste moment is (opmerking: deze opdracht gebruikt het label van de agent, in plaats van de bestandsnaam): +- Voer handmatig een bekende (geladen) agent/daemon uit, zelfs als dit niet het juiste moment is (Let op: deze opdracht gebruikt het label van de agent, in plaats van de bestandsnaam): `launchctl start {{script_bestand}}` diff --git a/pages.nl/osx/lldb.md b/pages.nl/osx/lldb.md new file mode 100644 index 000000000..8d5324e9a --- /dev/null +++ b/pages.nl/osx/lldb.md @@ -0,0 +1,16 @@ +# lldb + +> De LLVM Low-Level Debugger. +> Meer informatie: . + +- Debug een uitvoerbaar bestand: + +`lldb "{{uitvoerbaar_bestand}}"` + +- Koppel `lldb` aan een draaiend proces met een gegeven PID: + +`lldb -p {{pid}}` + +- Wacht op de start van een nieuw proces met een gegeven naam en koppel eraan: + +`lldb -w -n "{{proces_naam}}"` diff --git a/pages.nl/osx/locate.md b/pages.nl/osx/locate.md new file mode 100644 index 000000000..9905ca14b --- /dev/null +++ b/pages.nl/osx/locate.md @@ -0,0 +1,16 @@ +# locate + +> Vind snel bestandsnamen. +> Meer informatie: . + +- Zoek naar een patroon in de database. Opmerking: de database wordt periodiek herberekend (meestal wekelijks of dagelijks): + +`locate "{{patroon}}"` + +- Zoek naar een bestand op basis van de exacte bestandsnaam (een patroon zonder glob-tekens wordt geïnterpreteerd als `*patroon*`): + +`locate */{{bestandsnaam}}` + +- Herbereken de database. Dit moet je doen als je recent toegevoegde bestanden wilt vinden: + +`sudo /usr/libexec/locate.updatedb` diff --git a/pages.nl/osx/look.md b/pages.nl/osx/look.md new file mode 100644 index 000000000..b18744fb6 --- /dev/null +++ b/pages.nl/osx/look.md @@ -0,0 +1,21 @@ +# look + +> Toon regels die beginnen met een prefix in een gesorteerd bestand. +> Bekijk ook: `grep`, `sort`. +> Meer informatie: . + +- Zoek naar regels die beginnen met een specifieke prefix in een specifiek bestand: + +`look {{prefix}} {{pad/naar/bestand}}` + +- Zoek hoofdletterongevoelig alleen op alfanumerieke tekens: + +`look {{-f|--ignore-case}} {{-d|--alphanum}} {{prefix}} {{pad/naar/bestand}}` + +- Specificeer een string-terminatiekarakter (standaard is spatie): + +`look {{-t|--terminate}} {{,}}` + +- Zoek in `/usr/share/dict/words` (`--ignore-case` en `--alphanum` worden aangenomen): + +`look {{prefix}}` diff --git a/pages.nl/osx/lpstat.md b/pages.nl/osx/lpstat.md new file mode 100644 index 000000000..785c41ec3 --- /dev/null +++ b/pages.nl/osx/lpstat.md @@ -0,0 +1,24 @@ +# lpstat + +> Toon statusinformatie over de huidige klassen, printopdrachten en printers. +> Meer informatie: . + +- Toon een lange lijst van printers, klassen en printopdrachten: + +`lpstat -l` + +- Forceer encryptie bij verbinding met de CUPS-server: + +`lpstat -E` + +- Toon de ranglijst van printopdrachten: + +`lpstat -R` + +- Toon of de CUPS-server wel of niet draait: + +`lpstat -r` + +- Toon alle statusinformatie: + +`lpstat -t` diff --git a/pages.nl/osx/mktemp.md b/pages.nl/osx/mktemp.md new file mode 100644 index 000000000..d6f4a6bb0 --- /dev/null +++ b/pages.nl/osx/mktemp.md @@ -0,0 +1,24 @@ +# mktemp + +> Maak een tijdelijk bestand of een tijdelijke map aan. +> Meer informatie: . + +- Maak een leeg tijdelijk bestand en toon het absolute pad: + +`mktemp` + +- Gebruik een aangepaste map (standaard is de uitvoer van `getconf DARWIN_USER_TEMP_DIR`, of `/tmp`): + +`mktemp --tmpdir={{/pad/naar/tempdir}}` + +- Gebruik een aangepast pad-sjabloon (`X`en worden vervangen door willekeurige alfanumerieke tekens): + +`mktemp {{/tmp/voorbeeld.XXXXXXXX}}` + +- Gebruik een aangepaste bestandsnaam-prefix: + +`mktemp -t {{voorbeeld}}` + +- Maak een lege tijdelijke map aan en toon het absolute pad: + +`mktemp --directory` diff --git a/pages.nl/osx/netstat.md b/pages.nl/osx/netstat.md new file mode 100644 index 000000000..0b31a25a9 --- /dev/null +++ b/pages.nl/osx/netstat.md @@ -0,0 +1,17 @@ +# netstat + +> Toon netwerkgerelateerde informatie zoals open verbindingen, open socketpoorten, enz. +> Zie ook: `lsof` voor het weergeven van netwerkverbindingen, inclusief luisterpoorten. +> Meer informatie: . + +- Toon de PID en programmanaam die luistert op een specifiek protocol: + +`netstat -p {{protocol}}` + +- Toon de routeringstabel en los IP-adressen niet op naar hostnamen: + +`netstat -nr` + +- Toon de routeringstabel van IPv4-adressen: + +`netstat -nr -f inet` diff --git a/pages.nl/osx/open.md b/pages.nl/osx/open.md new file mode 100644 index 000000000..73d52ce10 --- /dev/null +++ b/pages.nl/osx/open.md @@ -0,0 +1,32 @@ +# open + +> Open bestanden, mappen en applicaties. +> Meer informatie: . + +- Open een bestand met de bijbehorende applicatie: + +`open {{bestand.ext}}` + +- Start een grafische macOS-[a]pplicatie: + +`open -a "{{Applicatie}}"` + +- Start een grafische macOS-app op basis van de [b]undle-identificator (raadpleeg `osascript` voor een eenvoudige manier om deze te verkrijgen): + +`open -b {{com.domein.applicatie}}` + +- Open de huidige map in Finder: + +`open .` + +- Toon ([R]) een bestand in Finder: + +`open -R {{pad/naar/bestand}}` + +- Open alle bestanden met een bepaalde extensie in de huidige map met de bijbehorende applicatie: + +`open {{*.ext}}` + +- Open een [n]ieuw exemplaar van een applicatie gespecificeerd via de [b]undle-identificator: + +`open -n -b {{com.domein.applicatie}}` diff --git a/pages.nl/osx/ping.md b/pages.nl/osx/ping.md new file mode 100644 index 000000000..35749d887 --- /dev/null +++ b/pages.nl/osx/ping.md @@ -0,0 +1,28 @@ +# ping + +> Verstuur ICMP ECHO_REQUEST-pakketten naar netwerkhosts. +> Meer informatie: . + +- Ping een specifieke host: + +`ping "{{hostnaam}}"` + +- Ping een host een specifiek aantal keren: + +`ping -c {{aantal}} "{{host}}"` + +- Ping een host, met een specifiek interval in seconden tussen de verzoeken (standaard is 1 seconde): + +`ping -i {{seconden}} "{{host}}"` + +- Ping een host zonder te proberen symbolische namen voor adressen op te zoeken: + +`ping -n "{{host}}"` + +- Ping een host en laat een bel afgaan wanneer een pakket wordt ontvangen (als je terminal dit ondersteunt): + +`ping -a "{{host}}"` + +- Ping een host en toon de tijd wanneer een pakket is ontvangen (deze optie is een Apple-toevoeging): + +`ping --apple-time "{{host}}"` diff --git a/pages.nl/osx/port.md b/pages.nl/osx/port.md new file mode 100644 index 000000000..eb8bd72ad --- /dev/null +++ b/pages.nl/osx/port.md @@ -0,0 +1,28 @@ +# port + +> Pakketbeheerder voor macOS. +> Meer informatie: . + +- Zoek naar een pakket: + +`port search {{zoekterm}}` + +- Installeer een pakket: + +`sudo port install {{pakket}}` + +- Lijst geïnstalleerde pakketten: + +`port installed` + +- Update port en haal de nieuwste lijst met beschikbare pakketten op: + +`sudo port selfupdate` + +- Upgrade verouderde pakketten: + +`sudo port upgrade outdated` + +- Verwijder oude versies van geïnstalleerde pakketten: + +`sudo port uninstall inactive` diff --git a/pages.nl/osx/readlink.md b/pages.nl/osx/readlink.md new file mode 100644 index 000000000..d570d785a --- /dev/null +++ b/pages.nl/osx/readlink.md @@ -0,0 +1,8 @@ +# readlink + +> Volg symlinks en verkrijg symlink-informatie. +> Meer informatie: . + +- Toon het absolute pad waarnaar de symlink verwijst: + +`readlink {{pad/naar/symlink_bestand}}` diff --git a/pages.nl/osx/reboot.md b/pages.nl/osx/reboot.md new file mode 100644 index 000000000..e93a8e7ce --- /dev/null +++ b/pages.nl/osx/reboot.md @@ -0,0 +1,12 @@ +# reboot + +> Herstart het systeem. +> Meer informatie: . + +- Herstart onmiddellijk: + +`sudo reboot` + +- Herstart onmiddellijk zonder netjes af te sluiten: + +`sudo reboot -q` diff --git a/pages.nl/osx/sed.md b/pages.nl/osx/sed.md index b27b944c2..ab858d4e7 100644 --- a/pages.nl/osx/sed.md +++ b/pages.nl/osx/sed.md @@ -10,7 +10,7 @@ - Voer een specifiek script bestand uit en toon het resultaat in `stdout`: -`{{commando}} | sed -f {{path/to/script_file.sed}}` +`{{commando}} | sed -f {{pad/naar/script_bestand.sed}}` - Vervang alle `apple` (uitgebreide regex) met `APPLE` (uitgebreide regex) in alle invoerregels en toon het resultaat in `stdout`: diff --git a/pages.nl/osx/shuf.md b/pages.nl/osx/shuf.md new file mode 100644 index 000000000..383672450 --- /dev/null +++ b/pages.nl/osx/shuf.md @@ -0,0 +1,20 @@ +# shuf + +> Genereer willekeurige permutaties. +> Meer informatie: . + +- Wijzig willekeurig de volgorde van regels in een bestand en toon het resultaat: + +`shuf {{pad/naar/bestand}}` + +- Toon alleen de eerste 5 regels van het resultaat: + +`shuf --head-count=5 {{pad/naar/bestand}}` + +- Schrijf de uitvoer naar een ander bestand: + +`shuf {{pad/naar/invoer_bestand}} --output={{pad/naar/uitvoer_bestand}}` + +- Genereer willekeurige getallen in het bereik van 1 tot 10: + +`shuf --input-range=1-10` diff --git a/pages.nl/osx/split.md b/pages.nl/osx/split.md new file mode 100644 index 000000000..c1522c05a --- /dev/null +++ b/pages.nl/osx/split.md @@ -0,0 +1,20 @@ +# split + +> Split een bestand in stukken. +> Meer informatie: . + +- Split een bestand, elk deel heeft 10 regels (behalve het laatste deel): + +`split -l 10 {{pad/naar/bestand}}` + +- Split een bestand op een reguliere expressie. De overeenkomende regel zal de eerste regel van het volgende uitvoerbestand zijn: + +`split -p {{cat|^[dh]og}} {{pad/naar/bestand}}` + +- Split een bestand met 512 bytes in elk deel (behalve het laatste deel; gebruik 512k voor kilobytes en 512m voor megabytes): + +`split -b 512 {{pad/naar/bestand}}` + +- Split een bestand in 5 bestanden. Het bestand wordt zo gesplitst dat elk deel dezelfde grootte heeft (behalve het laatste deel): + +`split -n 5 {{pad/naar/bestand}}` diff --git a/pages.nl/osx/stat.md b/pages.nl/osx/stat.md new file mode 100644 index 000000000..50e2bed4f --- /dev/null +++ b/pages.nl/osx/stat.md @@ -0,0 +1,24 @@ +# stat + +> Toon bestandsstatus. +> Meer informatie: . + +- Toon bestandseigenschappen zoals grootte, permissies, aanmaak- en toegangsdatums en meer: + +`stat {{pad/naar/bestand}}` + +- Zelfde als hierboven maar uitgebreid (meer vergelijkbaar met Linux's `stat`): + +`stat -x {{pad/naar/bestand}}` + +- Toon alleen octale bestandspermissies: + +`stat -f %Mp%Lp {{pad/naar/bestand}}` + +- Toon eigenaar en groep van het bestand: + +`stat -f "%Su %Sg" {{pad/naar/bestand}}` + +- Toon de grootte van het bestand in bytes: + +`stat -f "%z %N" {{pad/naar/bestand}}` diff --git a/pages.nl/osx/uname.md b/pages.nl/osx/uname.md new file mode 100644 index 000000000..e53a28198 --- /dev/null +++ b/pages.nl/osx/uname.md @@ -0,0 +1,25 @@ +# uname + +> Toon details over de huidige machine en het besturingssysteem dat erop draait. +> Opmerking: voor aanvullende informatie over het besturingssysteem, probeer het `sw_vers` commando. +> Meer informatie: . + +- Toon de naam van de kernel: + +`uname` + +- Toon systeemarchitectuur en processorinformatie: + +`uname -mp` + +- Toon de naam, release en versie van de kernel: + +`uname -srv` + +- Toon de systeemhostname: + +`uname -n` + +- Toon alle beschikbare systeeminformatie: + +`uname -a` diff --git a/pages.nl/osx/uptime.md b/pages.nl/osx/uptime.md new file mode 100644 index 000000000..9a4fe4d73 --- /dev/null +++ b/pages.nl/osx/uptime.md @@ -0,0 +1,8 @@ +# uptime + +> Toon hoe lang het systeem actief is en andere informatie. +> Meer informatie: . + +- Toon de huidige tijd, uptime, aantal ingelogde gebruikers en andere informatie: + +`uptime` diff --git a/pages.nl/osx/wc.md b/pages.nl/osx/wc.md new file mode 100644 index 000000000..155238b28 --- /dev/null +++ b/pages.nl/osx/wc.md @@ -0,0 +1,24 @@ +# wc + +> Tel regels, woorden of bytes. +> Meer informatie: . + +- Tel regels in een bestand: + +`wc -l {{pad/naar/bestand}}` + +- Tel woorden in een bestand: + +`wc -w {{pad/naar/bestand}}` + +- Tel tekens (bytes) in een bestand: + +`wc -c {{pad/naar/bestand}}` + +- Tel tekens in een bestand (rekening houdend met multi-byte tekensets): + +`wc -m {{pad/naar/bestand}}` + +- Gebruik `stdin` om regels, woorden en tekens (bytes) in die volgorde te tellen: + +`{{find .}} | wc` diff --git a/pages.nl/osx/xed.md b/pages.nl/osx/xed.md new file mode 100644 index 000000000..9b8ceadf2 --- /dev/null +++ b/pages.nl/osx/xed.md @@ -0,0 +1,16 @@ +# xed + +> Open bestanden voor bewerking in Xcode. +> Meer informatie: . + +- Open een bestand in Xcode: + +`xed {{pad/naar/bestand1 pad/naar/bestand2 ...}}` + +- Open bestanden in Xcode en maak ze aan als ze nog niet bestaan: + +`xed --create {{pad/naar/bestand1 pad/naar/bestand2 ...}}` + +- Open een bestand in Xcode en ga naar regelnummer 75: + +`xed --line 75 {{pad/naar/bestand}}` diff --git a/pages.nl/osx/yaa.md b/pages.nl/osx/yaa.md new file mode 100644 index 000000000..706778e6b --- /dev/null +++ b/pages.nl/osx/yaa.md @@ -0,0 +1,28 @@ +# yaa + +> Maak en beheer YAA-archieven. +> Meer informatie: . + +- Maak een archief van een map: + +`yaa archive -d {{pad/naar/map}} -o {{pad/naar/uitvoer_bestand.yaa}}` + +- Maak een archief van een bestand: + +`yaa archive -i {{pad/naar/bestand}} -o {{pad/naar/uitvoer_bestand.yaa}}` + +- Pak een archief uit naar de huidige map: + +`yaa extract -i {{pad/naar/archive_file.yaa}}` + +- Lijst de inhoud van een archief op: + +`yaa list -i {{pad/naar/archive_file.yaa}}` + +- Maak een archief met een specifiek compressie-algoritme: + +`yaa archive -a {{algoritme}} -d {{pad/naar/map}} -o {{pad/naar/uitvoer_bestand.yaa}}` + +- Maak een archief met een blokgrootte van 8 MB: + +`yaa archive -b 8m -d {{pad/naar/map}} -o {{pad/naar/uitvoer_bestand.yaa}}` diff --git a/pages.nl/sunos/prstat.md b/pages.nl/sunos/prstat.md index bb7c4c253..d5e726b12 100644 --- a/pages.nl/sunos/prstat.md +++ b/pages.nl/sunos/prstat.md @@ -19,6 +19,6 @@ `prstat -m` -- Print de 5 meest CPU intensieve processen elke seconde: +- Toon de 5 meest CPU intensieve processen elke seconde: -`prstat -c -n {{5}} -s cpu {{1}}` +`prstat -c -n 5 -s cpu 1` diff --git a/pages.nl/windows/certutil.md b/pages.nl/windows/certutil.md new file mode 100644 index 000000000..b7e4c95dc --- /dev/null +++ b/pages.nl/windows/certutil.md @@ -0,0 +1,24 @@ +# certutil + +> Een tool om certificaatinformatie te beheren en configureren. +> Meer informatie: . + +- Dump de configuratie-informatie of bestanden: + +`certutil {{bestandsnaam}}` + +- Encodeer een bestand in hexadecimaal: + +`certutil -encodehex {{pad\naar\invoer_bestand}} {{pad\naar\uitvoer_bestand}}` + +- Encodeer een bestand naar Base64: + +`certutil -encode {{pad\naar\invoer_bestand}} {{pad\naar\uitvoer_bestand}}` + +- Decodeer een Base64-gecodeerd bestand: + +`certutil -decode {{pad\naar\invoer_bestand}} {{pad\naar\uitvoer_bestand}}` + +- Genereer en toon een cryptografische hash over een bestand: + +`certutil -hashfile {{pad\naar\invoer_bestand}} {{md2|md4|md5|sha1|sha256|sha384|sha512}}` diff --git a/pages.nl/windows/choco-list.md b/pages.nl/windows/choco-list.md index ec8bb0687..7db29e1e9 100644 --- a/pages.nl/windows/choco-list.md +++ b/pages.nl/windows/choco-list.md @@ -21,8 +21,8 @@ - Geef een aangepaste bron op om pakketten van weer te geven: -`choco list --source {{source_url|alias}}` +`choco list --source {{bron_url|alias}}` - Geef een gebruikersnaam en wachtwoord voor authenticatie op: -`choco list --user {{username}} --password {{password}}` +`choco list --user {{gebruikersnaam}} --password {{wachtwoord}}` diff --git a/pages.nl/windows/cmd.md b/pages.nl/windows/cmd.md new file mode 100644 index 000000000..9605894f2 --- /dev/null +++ b/pages.nl/windows/cmd.md @@ -0,0 +1,36 @@ +# cmd + +> De Windows-opdrachtinterpreter. +> Meer informatie: . + +- Start een interactieve shell-sessie: + +`cmd` + +- Voer specifieke [c]ommandos uit: + +`cmd /c {{echo Hello world}}` + +- Voer een specifiek script uit: + +`cmd {{pad\naar\script.bat}}` + +- Voer specifieke commando's uit en start vervolgens een interactieve shell: + +`cmd /k {{echo Hello world}}` + +- Start een interactieve shell-sessie waarbij `echo` is uitgeschakeld in de opdrachtuitvoer: + +`cmd /q` + +- Start een interactieve shell-sessie met vertraagde [v]ariabele-expansie in- of uitgeschakeld: + +`cmd /v:{{on|off}}` + +- Start een interactieve shell-sessie met opdracht[e]xtensies in- of uitgeschakeld: + +`cmd /e:{{on|off}}` + +- Start een interactieve shell-sessie met gebruikte [u]nicode-codering: + +`cmd /u` diff --git a/pages.nl/windows/date.md b/pages.nl/windows/date.md new file mode 100644 index 000000000..735c978eb --- /dev/null +++ b/pages.nl/windows/date.md @@ -0,0 +1,16 @@ +# date + +> Toon of stel de systeemdatum in. +> Meer informatie: . + +- Toon de huidige systeemdatum en vraag voor een nieuwe datum (laat leeg om niet te veranderen): + +`date` + +- Toon de huidige systeemdatum zonder te vragen voor een nieuwe datum: + +`date /t` + +- Verander de huidige systeemdatum naar een specifieke datum: + +`date {{maand}}-{{dag}}-{{jaar}}` diff --git a/pages.nl/windows/exit.md b/pages.nl/windows/exit.md new file mode 100644 index 000000000..501242de9 --- /dev/null +++ b/pages.nl/windows/exit.md @@ -0,0 +1,16 @@ +# exit + +> Verlaat de huidige CMD-instantie of het huidige batchbestand. +> Meer informatie: . + +- Verlaat de huidige CMD-instantie: + +`exit` + +- Verlaat het huidige batchscript: + +`exit /b` + +- Verlaat met een specifieke exitcode: + +`exit {{2}}` diff --git a/pages.nl/windows/expand.md b/pages.nl/windows/expand.md new file mode 100644 index 000000000..45f79b6fc --- /dev/null +++ b/pages.nl/windows/expand.md @@ -0,0 +1,24 @@ +# expand + +> Pak Windows Cabinet bestanden uit. +> Meer informatie: . + +- Pak een Cabinet bestand met één bestand naar de specifieke map: + +`expand {{pad\naar\bestand.cab}} {{pad\naar\map}}` + +- Toon een lijst van bestanden in een Cabinet bestand: + +`expand {{pad\naar\bestand.cab}} {{pad\naar\map}} -d` + +- Pak alle bestanden van een Cabinet bestand uit: + +`expand {{pad\naar\bestand.cab}} {{pad\naar\map}} -f:*` + +- Pak een specifiek bestand van een Cabinet bestand uit: + +`expand {{pad\naar\bestand.cab}} {{pad\naar\map}} -f:{{pad\naar\bestand}}` + +- Negeer de mapstructuur bij het uitpakken en voeg ze toe aan een enkele map: + +`expand {{pad\naar\bestand.cab}} {{pad\naar\map}} -i` diff --git a/pages.nl/windows/fc.md b/pages.nl/windows/fc.md new file mode 100644 index 000000000..0afaa2175 --- /dev/null +++ b/pages.nl/windows/fc.md @@ -0,0 +1,33 @@ +# fc + +> Vergelijk de verschillen tussen twee bestanden of sets van bestanden. +> Gebruik wildcards (*) om sets van bestanden te vergelijken. +> Meer informatie: . + +- Vergelijk 2 opgegeven bestanden: + +`fc {{pad\naar\bestand1}} {{pad\naar\bestand2}}` + +- Voer een hoofdletterongevoelige vergelijking uit: + +`fc /c {{pad\naar\bestand1}} {{pad\naar\bestand2}}` + +- Vergelijk bestanden als Unicode-tekst: + +`fc /u {{pad\naar\bestand1}} {{pad\naar\bestand2}}` + +- Vergelijk bestanden als ASCII-tekst: + +`fc /l {{pad\naar\bestand1}} {{pad\naar\bestand2}}` + +- Vergelijk bestanden als binair: + +`fc /b {{pad\naar\bestand1}} {{pad\naar\bestand2}}` + +- Schakel tab-naar-spatie uitbreiding uit: + +`fc /t {{pad\naar\bestand1}} {{pad\naar\bestand2}}` + +- Comprimeer witruimte (tabs en spaties) voor vergelijkingen: + +`fc /w {{pad\naar\bestand1}} {{pad\naar\bestand2}}` diff --git a/pages.nl/windows/finger.md b/pages.nl/windows/finger.md new file mode 100644 index 000000000..37ce0a6bf --- /dev/null +++ b/pages.nl/windows/finger.md @@ -0,0 +1,21 @@ +# finger + +> Geeft informatie over gebruikers op een opgegeven systeem. +> Het externe systeem moet de Finger-service draaien. +> Meer informatie: . + +- Toon informatie over een specifieke gebruiker: + +`finger {{gebruiker}}@{{host}}` + +- Toon informatie over alle gebruikers op de opgegeven host: + +`finger @{{host}}` + +- Toon informatie in een langere indeling: + +`finger {{gebruiker}}@{{host}} -l` + +- Toon helpinformatie: + +`finger /?` diff --git a/pages.nl/windows/for.md b/pages.nl/windows/for.md new file mode 100644 index 000000000..886bdd63a --- /dev/null +++ b/pages.nl/windows/for.md @@ -0,0 +1,24 @@ +# for + +> Voer conditioneel een commando meerdere keren uit. +> Meer informatie: . + +- Voer de gegeven commando's uit voor de opgegeven set: + +`for %{{variabele}} in ({{item_a item_b item_c}}) do ({{echo Loop wordt uitgevoerd}})` + +- Itereer over een gegeven reeks nummers: + +`for /l %{{variabele}} in ({{van}}, {{stap}}, {{tot}}) do ({{echo Loop wordt uitgevoerd}})` + +- Itereer over een gegeven lijst van bestanden: + +`for %{{variabele}} in ({{pad\naar\bestand1.ext pad\naar\bestand2.ext ...}}) do ({{echo Loop wordt uitgevoerd}})` + +- Itereer over een gegeven lijst van directories: + +`for /d %{{variabele}} in ({{pad\naar\directory1.ext pad\naar\directory2.ext ...}}) do ({{echo Loop wordt uitgevoerd}})` + +- Voer een gegeven commando uit in elke directory: + +`for /d %{{variabele}} in (*) do (if exist %{{variabele}} {{echo Loop wordt uitgevoerd}})` diff --git a/pages.nl/windows/ftp.md b/pages.nl/windows/ftp.md new file mode 100644 index 000000000..f538fd4ea --- /dev/null +++ b/pages.nl/windows/ftp.md @@ -0,0 +1,36 @@ +# ftp + +> Interactief bestanden overzetten tussen een lokale en een externe FTP-server. +> Meer informatie: . + +- Verbind interactief met een externe FTP-server: + +`ftp {{host}}` + +- Log in als een anonieme gebruiker: + +`ftp -A {{host}}` + +- Schakel automatisch inloggen uit bij de eerste verbinding: + +`ftp -n {{host}}` + +- Voer een bestand uit met een lijst van FTP-opdrachten: + +`ftp -s:{{pad\naar\bestand}} {{host}}` + +- Download meerdere bestanden (glob-expressie): + +`mget {{*.png}}` + +- Upload meerdere bestanden (glob-expressie): + +`mput {{*.zip}}` + +- Verwijder meerdere bestanden op de externe server: + +`mdelete {{*.txt}}` + +- Toon hulp: + +`ftp --help` diff --git a/pages.nl/windows/if.md b/pages.nl/windows/if.md new file mode 100644 index 000000000..8db4d7aa0 --- /dev/null +++ b/pages.nl/windows/if.md @@ -0,0 +1,32 @@ +# if + +> Voert voorwaardelijke verwerking uit in batchscripts. +> Meer informatie: . + +- Voer de opgegeven commando's uit als de voorwaarde waar is: + +`if {{voorwaarde}} ({{echo Voorwaarde is waar}})` + +- Voer de opgegeven commando's uit als de voorwaarde onwaar is: + +`if not {{voorwaarde}} ({{echo Voorwaarde is waar}})` + +- Voer de eerste opgegeven commando's uit als de voorwaarde waar is, anders voer de tweede opgegeven commando's uit: + +`if {{voorwaarde}} ({{echo Voorwaarde is waar}}) else ({{echo Voorwaarde is onwaar}})` + +- Controleer of `%errorlevel%` groter dan of gelijk is aan de opgegeven exitcode: + +`if errorlevel {{2}} ({{echo Voorwaarde is waar}})` + +- Controleer of twee strings gelijk zijn: + +`if %{{variabele}}% == {{string}} ({{echo Voorwaarde is waar}})` + +- Controleer of twee strings gelijk zijn zonder naar hoofdletters te kijken: + +`if /i %{{variabele}}% == {{string}} ({{echo Voorwaarde is waar}})` + +- Controleer of een bestand bestaat: + +`if exist {{pad\naar\bestand}} ({{echo Voorwaarde is waar}})` diff --git a/pages.nl/windows/ipconfig.md b/pages.nl/windows/ipconfig.md new file mode 100644 index 000000000..c0a29384a --- /dev/null +++ b/pages.nl/windows/ipconfig.md @@ -0,0 +1,28 @@ +# ipconfig + +> Toon en beheer de netwerkconfiguratie van Windows. +> Meer informatie: . + +- Lijst alle netwerkadapters op: + +`ipconfig` + +- Toon een gedetailleerde lijst van netwerkadapters: + +`ipconfig /all` + +- Vernieuw de IP-adressen voor een netwerkadapter: + +`ipconfig /renew {{adapter}}` + +- Laat de IP-adressen voor een netwerkadapter vrij: + +`ipconfig /release {{adapter}}` + +- Toon de lokale DNS-cache: + +`ipconfig /displaydns` + +- Verwijder alle gegevens uit de lokale DNS-cache: + +`ipconfig /flushdns` diff --git a/pages.nl/windows/mkdir.md b/pages.nl/windows/mkdir.md new file mode 100644 index 000000000..965cdcd44 --- /dev/null +++ b/pages.nl/windows/mkdir.md @@ -0,0 +1,12 @@ +# mkdir + +> Maak een map aan. +> Meer informatie: . + +- Maak een map aan: + +`mkdir {{pad\naar\map}}` + +- Maak een geneste mappenstructuur recursief aan: + +`mkdir {{pad\naar\sub_map}}` diff --git a/pages.nl/windows/more.md b/pages.nl/windows/more.md new file mode 100644 index 000000000..774ad6d79 --- /dev/null +++ b/pages.nl/windows/more.md @@ -0,0 +1,32 @@ +# more + +> Toon gepagineerde uitvoer van `stdin` of een bestand. +> Meer informatie: . + +- Toon gepagineerde uitvoer van `stdin`: + +`{{echo test}} | more` + +- Toon gepagineerde uitvoer van één of meer bestanden: + +`more {{pad\naar\bestand}}` + +- Zet tabs om naar het opgegeven aantal spaties: + +`more {{pad\naar\bestand}} /t{{spaties}}` + +- Wis het scherm voordat de pagina wordt weergegeven: + +`more {{pad\naar\bestand}} /c` + +- Toon de uitvoer beginnend bij regel 5: + +`more {{pad\naar\bestand}} +{{5}}` + +- Schakel uitgebreide interactieve modus in (zie help voor gebruik): + +`more {{pad\naar\bestand}} /e` + +- Toon help: + +`more /?` diff --git a/pages.nl/windows/mount.md b/pages.nl/windows/mount.md new file mode 100644 index 000000000..5f6ccf15f --- /dev/null +++ b/pages.nl/windows/mount.md @@ -0,0 +1,32 @@ +# mount + +> Koppel Network File System (NFS) netwerkschijven. +> Meer informatie: . + +- Koppel een netwerkshare aan de "Z"-schijfletter: + +`mount \\{{computer_naam}}\{{share_naam}} {{Z:}}` + +- Koppel een netwerkshare aan de eerstvolgende beschikbare schijfletter: + +`mount \\{{computer_naam}}\{{share_naam}} *` + +- Koppel een netwerkshare met een leesslot in seconden (standaard 0,8, kan 0,9 of 1 tot 60 zijn): + +`mount -o timeout={{seconden}} \\{{computer_naam}}\{{share_naam}} {{Z:}}` + +- Koppel een netwerkshare en probeer het maximaal 10 keer opnieuw als het mislukt: + +`mount -o retry=10 \\{{computer_naam}}\{{share_naam}} {{Z:}}` + +- Koppel een netwerkshare met geforceerde hoofdlettergevoeligheid: + +`mount -o casesensitive \\{{computer_naam}}\{{share_naam}} {{Z:}}` + +- Koppel een netwerkshare als een anonieme gebruiker: + +`mount -o anon \\{{computer_naam}}\{{share_naam}} {{Z:}}` + +- Koppel een netwerkshare met een specifiek type koppeling: + +`mount -o mtype={{soft|hard}} \\{{computer_naam}}\{{share_naam}} {{Z:}}` diff --git a/pages.nl/windows/netstat.md b/pages.nl/windows/netstat.md new file mode 100644 index 000000000..c9f31253f --- /dev/null +++ b/pages.nl/windows/netstat.md @@ -0,0 +1,36 @@ +# netstat + +> Toon actieve TCP-verbindingen, poorten waarop de computer luistert, netwerkadapterstatistieken, de IP-routeringstabel, IPv4- en IPv6-statistieken. +> Meer informatie: . + +- Toon actieve TCP-verbindingen: + +`netstat` + +- Toon alle actieve TCP-verbindingen en de TCP- en UDP-poorten waarop de computer luistert: + +`netstat -a` + +- Toon netwerkadapterstatistieken, zoals het aantal verzonden en ontvangen bytes en pakketten: + +`netstat -e` + +- Toon actieve TCP-verbindingen en druk adressen en poortnummers numeriek uit: + +`netstat -n` + +- Toon actieve TCP-verbindingen en geef het proces-ID (PID) weer voor elke verbinding: + +`netstat -o` + +- Toon de inhoud van de IP-routeringstabel: + +`netstat -r` + +- Toon statistieken per protocol: + +`netstat -s` + +- Toon een lijst van momenteel open poorten en gerelateerde IP-adressen: + +`netstat -an` diff --git a/pages.nl/windows/new-item.md b/pages.nl/windows/new-item.md index 607074386..3d820e82e 100644 --- a/pages.nl/windows/new-item.md +++ b/pages.nl/windows/new-item.md @@ -1,6 +1,6 @@ # New-Item -> Maak een nieuw bestand, directory, symbolische link of een registerinvoer. +> Maak een nieuw bestand, map, symbolische link of een registerinvoer. > Dit commando kan alleen worden uitgevoerd onder PowerShell. > Meer informatie: . diff --git a/pages.nl/windows/nvm.md b/pages.nl/windows/nvm.md new file mode 100644 index 000000000..6a8cb9bd0 --- /dev/null +++ b/pages.nl/windows/nvm.md @@ -0,0 +1,25 @@ +# nvm + +> Installeer, deïnstalleer of wissel tussen verschillende Node.js-versies. +> Ondersteunt versienummers zoals "12.8" of "v16.13.1", en labels zoals "stable", "system", enz. +> Meer informatie: . + +- Installeer een specifieke versie van Node.js: + +`nvm install {{node_versie}}` + +- Stel de standaardversie van Node.js in (moet worden uitgevoerd als Administrator): + +`nvm use {{node_versie}}` + +- Toon alle beschikbare Node.js-versies en markeer de standaardversie: + +`nvm list` + +- Toon alle remote Node.js-versies: + +`nvm ls-remote` + +- Deïnstalleer een bepaalde versie van Node.js: + +`nvm uninstall {{node_versie}}` diff --git a/pages.nl/windows/reg.md b/pages.nl/windows/reg.md new file mode 100644 index 000000000..e749deaf7 --- /dev/null +++ b/pages.nl/windows/reg.md @@ -0,0 +1,37 @@ +# reg + +> Beheer sleutels en de waardes in een Windows registry. +> Sommige subcommando's zoals `reg add` hebben hun eigen documentatie. +> Meer informatie: . + +- Voer een registry commando uit: + +`reg {{commando}}` + +- Bekijk de documentatie voor het toevoegen en kopiëren van subsleutels: + +`tldr reg {{add|copy}}` + +- Bekijk de documentatie voor het verwijderen van sleutels en subsleutels: + +`tldr reg {{delete|unload}}` + +- Bekijk de documentatie voor het zoeken, bekijken en vergelijken van sleutels: + +`tldr reg {{compare|flags|query}}` + +- Bekijk de documentatie voor het exporteren en importeren van registry sleutels zonder de eigenaar en ACLs te bewaren: + +`tldr reg {{export|import}}` + +- Bekijk de documentatie voor het opslaan, herstellen en het lossen van sleutels met behoud van de eigenaar en ACLs: + +`tldr reg {{save|restore|load|unload}}` + +- Toon de help: + +`reg /?` + +- Toon de help voor een specifiek commando: + +`reg {{commando}} /?` diff --git a/pages.nl/windows/sc-config.md b/pages.nl/windows/sc-config.md index a36dbbc0e..d0c56d053 100644 --- a/pages.nl/windows/sc-config.md +++ b/pages.nl/windows/sc-config.md @@ -1,4 +1,4 @@ -# sc-config +# sc config > Dit commando is een alias van `sc.exe config`. > Meer informatie: . diff --git a/pages.nl/windows/sc-create.md b/pages.nl/windows/sc-create.md index 0277193c8..76df6ece4 100644 --- a/pages.nl/windows/sc-create.md +++ b/pages.nl/windows/sc-create.md @@ -1,4 +1,4 @@ -# sc-create +# sc create > Dit commando is een alias van `sc.exe create`. > Meer informatie: . diff --git a/pages.nl/windows/sc-delete.md b/pages.nl/windows/sc-delete.md index 357cc2375..46eec565f 100644 --- a/pages.nl/windows/sc-delete.md +++ b/pages.nl/windows/sc-delete.md @@ -1,4 +1,4 @@ -# sc-delete +# sc delete > Dit commando is een alias van `sc.exe delete`. > Meer informatie: . diff --git a/pages.nl/windows/sc-query.md b/pages.nl/windows/sc-query.md index 7a9db29f1..09bad5b15 100644 --- a/pages.nl/windows/sc-query.md +++ b/pages.nl/windows/sc-query.md @@ -1,4 +1,4 @@ -# sc-query +# sc query > Dit commando is een alias van `sc.exe query`. > Meer informatie: . diff --git a/pages.nl/windows/whoami.md b/pages.nl/windows/whoami.md new file mode 100644 index 000000000..135ed382c --- /dev/null +++ b/pages.nl/windows/whoami.md @@ -0,0 +1,28 @@ +# whoami + +> Toon details over de huidige gebruiker. +> Meer informatie: . + +- Toon de gebruikersnaam van de huidige gebruiker: + +`whoami` + +- Toon de groepen waarvan de huidige gebruiker lid is: + +`whoami /groups` + +- Toon de privileges van de huidige gebruiker: + +`whoami /priv` + +- Toon de user principal name (UPN) van de huidige gebruiker: + +`whoami /upn` + +- Toon de logon ID van de huidige gebruiker: + +`whoami /logonid` + +- Toon alle informatie voor de huidige gebruiker: + +`whoami /all` diff --git a/pages.no/common/ack.md b/pages.no/common/ack.md index a62573dea..1f7b54497 100644 --- a/pages.no/common/ack.md +++ b/pages.no/common/ack.md @@ -18,11 +18,11 @@ - Begrens søket til filer av en bestemt type: -`ack --type={{ruby}} "{{søkemønster}}"` +`ack --type {{ruby}} "{{søkemønster}}"` - Ikke søk i filer av en bestemt type: -`ack --type=no{{ruby}} "{{søkemønster}}"` +`ack --type no{{ruby}} "{{søkemønster}}"` - Tell totalt antall treff funnet: diff --git a/pages.no/common/bundler.md b/pages.no/common/bundler.md deleted file mode 100644 index b4cf57883..000000000 --- a/pages.no/common/bundler.md +++ /dev/null @@ -1,8 +0,0 @@ -# bundler - -> Denne kommandoen er et alias for `bundle`. -> Mer informasjon: . - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr bundle` diff --git a/pages.no/common/cat.md b/pages.no/common/cat.md index 98f463db4..79eab2575 100644 --- a/pages.no/common/cat.md +++ b/pages.no/common/cat.md @@ -1,7 +1,7 @@ # cat > Skriv ut og sammenføy filer. -> Mer informasjon: . +> Mer informasjon: . - Skriv ut innholdet i en fil til standard utgang: diff --git a/pages.no/common/clamav.md b/pages.no/common/clamav.md index e3723947b..d0a193b6f 100644 --- a/pages.no/common/clamav.md +++ b/pages.no/common/clamav.md @@ -1,4 +1,4 @@ -# clamav +# ClamAV > Denne kommandoen er et alias for `clamdscan`. > Mer informasjon: . diff --git a/pages.no/common/cron.md b/pages.no/common/cron.md deleted file mode 100644 index 70f568c43..000000000 --- a/pages.no/common/cron.md +++ /dev/null @@ -1,7 +0,0 @@ -# cron - -> Denne kommandoen er et alias for `crontab`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr crontab` diff --git a/pages.no/common/fossil-ci.md b/pages.no/common/fossil-ci.md index ab5de66cd..07b5e76e3 100644 --- a/pages.no/common/fossil-ci.md +++ b/pages.no/common/fossil-ci.md @@ -1,6 +1,6 @@ -# fossil-ci +# fossil ci -> Denne kommandoen er et alias for `fossil-commit`. +> Denne kommandoen er et alias for `fossil commit`. > Mer informasjon: . - Vis dokumentasjonen for den opprinnelige kommandoen: diff --git a/pages.no/common/fossil-delete.md b/pages.no/common/fossil-delete.md index 6a4da1245..1db480545 100644 --- a/pages.no/common/fossil-delete.md +++ b/pages.no/common/fossil-delete.md @@ -1,4 +1,4 @@ -# fossil-delete +# fossil delete > Denne kommandoen er et alias for `fossil rm`. > Mer informasjon: . diff --git a/pages.no/common/fossil-forget.md b/pages.no/common/fossil-forget.md index 4f94bd836..47f98f3ba 100644 --- a/pages.no/common/fossil-forget.md +++ b/pages.no/common/fossil-forget.md @@ -1,4 +1,4 @@ -# fossil-forget +# fossil forget > Denne kommandoen er et alias for `fossil rm`. > Mer informasjon: . diff --git a/pages.no/common/fossil-new.md b/pages.no/common/fossil-new.md index 495e437f9..92f7d35f4 100644 --- a/pages.no/common/fossil-new.md +++ b/pages.no/common/fossil-new.md @@ -1,6 +1,6 @@ -# fossil-new +# fossil new -> Denne kommandoen er et alias for `fossil-init`. +> Denne kommandoen er et alias for `fossil init`. > Mer informasjon: . - Vis dokumentasjonen for den opprinnelige kommandoen: diff --git a/pages.no/common/gh-cs.md b/pages.no/common/gh-cs.md index e5fd2a620..e66bd737c 100644 --- a/pages.no/common/gh-cs.md +++ b/pages.no/common/gh-cs.md @@ -1,6 +1,6 @@ -# gh-cs +# gh cs -> Denne kommandoen er et alias for `gh-codespace`. +> Denne kommandoen er et alias for `gh codespace`. > Mer informasjon: . - Vis dokumentasjonen for den opprinnelige kommandoen: diff --git a/pages.no/common/gnmic-sub.md b/pages.no/common/gnmic-sub.md index 6794a414d..4404edcee 100644 --- a/pages.no/common/gnmic-sub.md +++ b/pages.no/common/gnmic-sub.md @@ -1,4 +1,4 @@ -# gnmic-sub +# gnmic sub > Denne kommandoen er et alias for `gnmic subscribe`. > Mer informasjon: . diff --git a/pages.no/common/google-chrome.md b/pages.no/common/google-chrome.md deleted file mode 100644 index 91c177110..000000000 --- a/pages.no/common/google-chrome.md +++ /dev/null @@ -1,8 +0,0 @@ -# google-chrome - -> Denne kommandoen er et alias for `chromium`. -> Mer informasjon: . - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr chromium` diff --git a/pages.no/common/hx.md b/pages.no/common/hx.md deleted file mode 100644 index f02b1c7c8..000000000 --- a/pages.no/common/hx.md +++ /dev/null @@ -1,7 +0,0 @@ -# hx - -> Denne kommandoen er et alias for `helix`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr helix` diff --git a/pages.no/common/kafkacat.md b/pages.no/common/kafkacat.md deleted file mode 100644 index a840460af..000000000 --- a/pages.no/common/kafkacat.md +++ /dev/null @@ -1,7 +0,0 @@ -# kafkacat - -> Denne kommandoen er et alias for `kcat`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr kcat` diff --git a/pages.no/common/lzcat.md b/pages.no/common/lzcat.md deleted file mode 100644 index 7056f5dc3..000000000 --- a/pages.no/common/lzcat.md +++ /dev/null @@ -1,8 +0,0 @@ -# lzcat - -> Denne kommandoen er et alias for `xz`. -> Mer informasjon: . - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr xz` diff --git a/pages.no/common/lzma.md b/pages.no/common/lzma.md deleted file mode 100644 index 3357295c8..000000000 --- a/pages.no/common/lzma.md +++ /dev/null @@ -1,8 +0,0 @@ -# lzma - -> Denne kommandoen er et alias for `xz`. -> Mer informasjon: . - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr xz` diff --git a/pages.no/common/nm-classic.md b/pages.no/common/nm-classic.md deleted file mode 100644 index 54933c65b..000000000 --- a/pages.no/common/nm-classic.md +++ /dev/null @@ -1,7 +0,0 @@ -# nm-classic - -> Denne kommandoen er et alias for `nm`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr nm` diff --git a/pages.no/common/ntl.md b/pages.no/common/ntl.md deleted file mode 100644 index b5f57accd..000000000 --- a/pages.no/common/ntl.md +++ /dev/null @@ -1,8 +0,0 @@ -# ntl - -> Denne kommandoen er et alias for `netlify`. -> Mer informasjon: . - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr netlify` diff --git a/pages.no/common/pio-init.md b/pages.no/common/pio-init.md index 843222fc7..fce9dc73b 100644 --- a/pages.no/common/pio-init.md +++ b/pages.no/common/pio-init.md @@ -1,4 +1,4 @@ -# pio-init +# pio init > Denne kommandoen er et alias for `pio project`. diff --git a/pages.no/common/ptpython3.md b/pages.no/common/ptpython3.md deleted file mode 100644 index 7f266c2a3..000000000 --- a/pages.no/common/ptpython3.md +++ /dev/null @@ -1,7 +0,0 @@ -# ptpython3 - -> Denne kommandoen er et alias for `ptpython`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr ptpython` diff --git a/pages.no/common/python3.md b/pages.no/common/python3.md deleted file mode 100644 index abc9963c1..000000000 --- a/pages.no/common/python3.md +++ /dev/null @@ -1,7 +0,0 @@ -# python3 - -> Denne kommandoen er et alias for `python`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr python` diff --git a/pages.no/common/rcat.md b/pages.no/common/rcat.md deleted file mode 100644 index 1ba1a5438..000000000 --- a/pages.no/common/rcat.md +++ /dev/null @@ -1,7 +0,0 @@ -# rcat - -> Denne kommandoen er et alias for `rc`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr rc` diff --git a/pages.no/common/ripgrep.md b/pages.no/common/ripgrep.md deleted file mode 100644 index 520aef014..000000000 --- a/pages.no/common/ripgrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# ripgrep - -> Denne kommandoen er et alias for `rg`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr rg` diff --git a/pages.no/common/tlmgr-arch.md b/pages.no/common/tlmgr-arch.md index 57309d96d..d8ed3104b 100644 --- a/pages.no/common/tlmgr-arch.md +++ b/pages.no/common/tlmgr-arch.md @@ -1,4 +1,4 @@ -# tlmgr-arch +# tlmgr arch > Denne kommandoen er et alias for `tlmgr platform`. > Mer informasjon: . diff --git a/pages.no/common/todoman.md b/pages.no/common/todoman.md deleted file mode 100644 index 112d96b06..000000000 --- a/pages.no/common/todoman.md +++ /dev/null @@ -1,8 +0,0 @@ -# todoman - -> Denne kommandoen er et alias for `todo`. -> Mer informasjon: . - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr todo` diff --git a/pages.no/common/transmission.md b/pages.no/common/transmission.md deleted file mode 100644 index 5419a5342..000000000 --- a/pages.no/common/transmission.md +++ /dev/null @@ -1,8 +0,0 @@ -# transmission - -> Denne kommandoen er et alias for `transmission-daemon`. -> Mer informasjon: . - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr transmission-daemon` diff --git a/pages.no/common/unlzma.md b/pages.no/common/unlzma.md deleted file mode 100644 index 0ec6cd473..000000000 --- a/pages.no/common/unlzma.md +++ /dev/null @@ -1,8 +0,0 @@ -# unlzma - -> Denne kommandoen er et alias for `xz`. -> Mer informasjon: . - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr xz` diff --git a/pages.no/common/unxz.md b/pages.no/common/unxz.md deleted file mode 100644 index 5e02c0194..000000000 --- a/pages.no/common/unxz.md +++ /dev/null @@ -1,8 +0,0 @@ -# unxz - -> Denne kommandoen er et alias for `xz`. -> Mer informasjon: . - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr xz` diff --git a/pages.no/common/xzcat.md b/pages.no/common/xzcat.md deleted file mode 100644 index e1b06d9de..000000000 --- a/pages.no/common/xzcat.md +++ /dev/null @@ -1,8 +0,0 @@ -# xzcat - -> Denne kommandoen er et alias for `xz`. -> Mer informasjon: . - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr xz` diff --git a/pages.no/linux/alternatives.md b/pages.no/linux/alternatives.md deleted file mode 100644 index 6c63ff221..000000000 --- a/pages.no/linux/alternatives.md +++ /dev/null @@ -1,8 +0,0 @@ -# alternatives - -> Denne kommandoen er et alias for `update-alternatives`. -> Mer informasjon: . - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr update-alternatives` diff --git a/pages.no/linux/batcat.md b/pages.no/linux/batcat.md deleted file mode 100644 index 054f96e17..000000000 --- a/pages.no/linux/batcat.md +++ /dev/null @@ -1,8 +0,0 @@ -# batcat - -> Denne kommandoen er et alias for `bat`. -> Mer informasjon: . - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr bat` diff --git a/pages.no/linux/bspwm.md b/pages.no/linux/bspwm.md deleted file mode 100644 index cae496cce..000000000 --- a/pages.no/linux/bspwm.md +++ /dev/null @@ -1,8 +0,0 @@ -# bspwm - -> Denne kommandoen er et alias for `bspc`. -> Mer informasjon: . - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr bspc` diff --git a/pages.no/linux/cc.md b/pages.no/linux/cc.md deleted file mode 100644 index d0f728723..000000000 --- a/pages.no/linux/cc.md +++ /dev/null @@ -1,8 +0,0 @@ -# cc - -> Denne kommandoen er et alias for `gcc`. -> Mer informasjon: . - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr gcc` diff --git a/pages.no/linux/cgroups.md b/pages.no/linux/cgroups.md deleted file mode 100644 index 916471c84..000000000 --- a/pages.no/linux/cgroups.md +++ /dev/null @@ -1,8 +0,0 @@ -# cgroups - -> Denne kommandoen er et alias for `cgclassify`. -> Mer informasjon: . - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr cgclassify` diff --git a/pages.no/linux/ip-route-list.md b/pages.no/linux/ip-route-list.md index 3a7b5ccd5..94c52865b 100644 --- a/pages.no/linux/ip-route-list.md +++ b/pages.no/linux/ip-route-list.md @@ -1,6 +1,6 @@ -# ip-route-list +# ip route list -> Denne kommandoen er et alias for `ip-route-show`. +> Denne kommandoen er et alias for `ip route show`. - Vis dokumentasjonen for den opprinnelige kommandoen: diff --git a/pages.no/linux/megadl.md b/pages.no/linux/megadl.md deleted file mode 100644 index e851aa015..000000000 --- a/pages.no/linux/megadl.md +++ /dev/null @@ -1,8 +0,0 @@ -# megadl - -> Denne kommandoen er et alias for `megatools-dl`. -> Mer informasjon: . - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr megatools-dl` diff --git a/pages.no/linux/ubuntu-bug.md b/pages.no/linux/ubuntu-bug.md deleted file mode 100644 index 9e0ff006a..000000000 --- a/pages.no/linux/ubuntu-bug.md +++ /dev/null @@ -1,8 +0,0 @@ -# ubuntu-bug - -> Denne kommandoen er et alias for `apport-bug`. -> Mer informasjon: . - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr apport-bug` diff --git a/pages.no/osx/aa.md b/pages.no/osx/aa.md deleted file mode 100644 index 444ec5017..000000000 --- a/pages.no/osx/aa.md +++ /dev/null @@ -1,7 +0,0 @@ -# aa - -> Denne kommandoen er et alias for `yaa`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr yaa` diff --git a/pages.no/osx/g[.md b/pages.no/osx/g[.md deleted file mode 100644 index e7abd90af..000000000 --- a/pages.no/osx/g[.md +++ /dev/null @@ -1,7 +0,0 @@ -# g[ - -> Denne kommandoen er et alias for `-p linux [`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux [` diff --git a/pages.no/osx/gawk.md b/pages.no/osx/gawk.md deleted file mode 100644 index 03ded8847..000000000 --- a/pages.no/osx/gawk.md +++ /dev/null @@ -1,7 +0,0 @@ -# gawk - -> Denne kommandoen er et alias for `-p linux awk`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux awk` diff --git a/pages.no/osx/gb2sum.md b/pages.no/osx/gb2sum.md deleted file mode 100644 index 492a84a6c..000000000 --- a/pages.no/osx/gb2sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gb2sum - -> Denne kommandoen er et alias for `-p linux b2sum`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux b2sum` diff --git a/pages.no/osx/gbase32.md b/pages.no/osx/gbase32.md deleted file mode 100644 index f784f2005..000000000 --- a/pages.no/osx/gbase32.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbase32 - -> Denne kommandoen er et alias for `-p linux base32`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux base32` diff --git a/pages.no/osx/gbase64.md b/pages.no/osx/gbase64.md deleted file mode 100644 index d53385f4e..000000000 --- a/pages.no/osx/gbase64.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbase64 - -> Denne kommandoen er et alias for `-p linux base64`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux base64` diff --git a/pages.no/osx/gbasename.md b/pages.no/osx/gbasename.md deleted file mode 100644 index b2ea9c11c..000000000 --- a/pages.no/osx/gbasename.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbasename - -> Denne kommandoen er et alias for `-p linux basename`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux basename` diff --git a/pages.no/osx/gbasenc.md b/pages.no/osx/gbasenc.md deleted file mode 100644 index 29d8ed24c..000000000 --- a/pages.no/osx/gbasenc.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbasenc - -> Denne kommandoen er et alias for `-p linux basenc`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux basenc` diff --git a/pages.no/osx/gcat.md b/pages.no/osx/gcat.md deleted file mode 100644 index 01552792e..000000000 --- a/pages.no/osx/gcat.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcat - -> Denne kommandoen er et alias for `-p linux cat`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux cat` diff --git a/pages.no/osx/gchcon.md b/pages.no/osx/gchcon.md deleted file mode 100644 index 5430bd7b1..000000000 --- a/pages.no/osx/gchcon.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchcon - -> Denne kommandoen er et alias for `-p linux chcon`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux chcon` diff --git a/pages.no/osx/gchgrp.md b/pages.no/osx/gchgrp.md deleted file mode 100644 index 6b6685f18..000000000 --- a/pages.no/osx/gchgrp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchgrp - -> Denne kommandoen er et alias for `-p linux chgrp`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux chgrp` diff --git a/pages.no/osx/gchmod.md b/pages.no/osx/gchmod.md deleted file mode 100644 index b3924a244..000000000 --- a/pages.no/osx/gchmod.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchmod - -> Denne kommandoen er et alias for `-p linux chmod`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux chmod` diff --git a/pages.no/osx/gchown.md b/pages.no/osx/gchown.md deleted file mode 100644 index 038a51c04..000000000 --- a/pages.no/osx/gchown.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchown - -> Denne kommandoen er et alias for `-p linux chown`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux chown` diff --git a/pages.no/osx/gchroot.md b/pages.no/osx/gchroot.md deleted file mode 100644 index a9750cc8c..000000000 --- a/pages.no/osx/gchroot.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchroot - -> Denne kommandoen er et alias for `-p linux chroot`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux chroot` diff --git a/pages.no/osx/gcksum.md b/pages.no/osx/gcksum.md deleted file mode 100644 index 460c9cc33..000000000 --- a/pages.no/osx/gcksum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcksum - -> Denne kommandoen er et alias for `-p linux cksum`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux cksum` diff --git a/pages.no/osx/gcomm.md b/pages.no/osx/gcomm.md deleted file mode 100644 index bfe7f823b..000000000 --- a/pages.no/osx/gcomm.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcomm - -> Denne kommandoen er et alias for `-p linux comm`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux comm` diff --git a/pages.no/osx/gcp.md b/pages.no/osx/gcp.md deleted file mode 100644 index f5bfb2f14..000000000 --- a/pages.no/osx/gcp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcp - -> Denne kommandoen er et alias for `-p linux cp`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux cp` diff --git a/pages.no/osx/gcsplit.md b/pages.no/osx/gcsplit.md deleted file mode 100644 index b84ab237b..000000000 --- a/pages.no/osx/gcsplit.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcsplit - -> Denne kommandoen er et alias for `-p linux csplit`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux csplit` diff --git a/pages.no/osx/gcut.md b/pages.no/osx/gcut.md deleted file mode 100644 index c1ce15dbf..000000000 --- a/pages.no/osx/gcut.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcut - -> Denne kommandoen er et alias for `-p linux cut`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux cut` diff --git a/pages.no/osx/gdate.md b/pages.no/osx/gdate.md deleted file mode 100644 index 59d5f41a3..000000000 --- a/pages.no/osx/gdate.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdate - -> Denne kommandoen er et alias for `-p linux date`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux date` diff --git a/pages.no/osx/gdd.md b/pages.no/osx/gdd.md deleted file mode 100644 index 29cbc7970..000000000 --- a/pages.no/osx/gdd.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdd - -> Denne kommandoen er et alias for `-p linux dd`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux dd` diff --git a/pages.no/osx/gdf.md b/pages.no/osx/gdf.md deleted file mode 100644 index 7ac24dc37..000000000 --- a/pages.no/osx/gdf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdf - -> Denne kommandoen er et alias for `-p linux df`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux df` diff --git a/pages.no/osx/gdir.md b/pages.no/osx/gdir.md deleted file mode 100644 index a19afff98..000000000 --- a/pages.no/osx/gdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdir - -> Denne kommandoen er et alias for `-p linux dir`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux dir` diff --git a/pages.no/osx/gdircolors.md b/pages.no/osx/gdircolors.md deleted file mode 100644 index e85029f81..000000000 --- a/pages.no/osx/gdircolors.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdircolors - -> Denne kommandoen er et alias for `-p linux dircolors`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux dircolors` diff --git a/pages.no/osx/gdirname.md b/pages.no/osx/gdirname.md deleted file mode 100644 index 0fbc3db76..000000000 --- a/pages.no/osx/gdirname.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdirname - -> Denne kommandoen er et alias for `-p linux dirname`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux dirname` diff --git a/pages.no/osx/gdnsdomainname.md b/pages.no/osx/gdnsdomainname.md deleted file mode 100644 index 01e555f49..000000000 --- a/pages.no/osx/gdnsdomainname.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdnsdomainname - -> Denne kommandoen er et alias for `-p linux dnsdomainname`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux dnsdomainname` diff --git a/pages.no/osx/gecho.md b/pages.no/osx/gecho.md deleted file mode 100644 index 14019aee1..000000000 --- a/pages.no/osx/gecho.md +++ /dev/null @@ -1,7 +0,0 @@ -# gecho - -> Denne kommandoen er et alias for `-p linux echo`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux echo` diff --git a/pages.no/osx/ged.md b/pages.no/osx/ged.md deleted file mode 100644 index e93b51746..000000000 --- a/pages.no/osx/ged.md +++ /dev/null @@ -1,7 +0,0 @@ -# ged - -> Denne kommandoen er et alias for `-p linux ed`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux ed` diff --git a/pages.no/osx/gegrep.md b/pages.no/osx/gegrep.md deleted file mode 100644 index 0901b6970..000000000 --- a/pages.no/osx/gegrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# gegrep - -> Denne kommandoen er et alias for `-p linux egrep`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux egrep` diff --git a/pages.no/osx/genv.md b/pages.no/osx/genv.md deleted file mode 100644 index 9792fa649..000000000 --- a/pages.no/osx/genv.md +++ /dev/null @@ -1,7 +0,0 @@ -# genv - -> Denne kommandoen er et alias for `-p linux env`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux env` diff --git a/pages.no/osx/gexpand.md b/pages.no/osx/gexpand.md deleted file mode 100644 index e366a470e..000000000 --- a/pages.no/osx/gexpand.md +++ /dev/null @@ -1,7 +0,0 @@ -# gexpand - -> Denne kommandoen er et alias for `-p linux expand`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux expand` diff --git a/pages.no/osx/gexpr.md b/pages.no/osx/gexpr.md deleted file mode 100644 index 3b257c3f8..000000000 --- a/pages.no/osx/gexpr.md +++ /dev/null @@ -1,7 +0,0 @@ -# gexpr - -> Denne kommandoen er et alias for `-p linux expr`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux expr` diff --git a/pages.no/osx/gfactor.md b/pages.no/osx/gfactor.md deleted file mode 100644 index 441a6ea5c..000000000 --- a/pages.no/osx/gfactor.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfactor - -> Denne kommandoen er et alias for `-p linux factor`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux factor` diff --git a/pages.no/osx/gfalse.md b/pages.no/osx/gfalse.md deleted file mode 100644 index aba04fdf1..000000000 --- a/pages.no/osx/gfalse.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfalse - -> Denne kommandoen er et alias for `-p linux false`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux false` diff --git a/pages.no/osx/gfgrep.md b/pages.no/osx/gfgrep.md deleted file mode 100644 index c8a690dcd..000000000 --- a/pages.no/osx/gfgrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfgrep - -> Denne kommandoen er et alias for `-p linux fgrep`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux fgrep` diff --git a/pages.no/osx/gfind.md b/pages.no/osx/gfind.md deleted file mode 100644 index 1483a3769..000000000 --- a/pages.no/osx/gfind.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfind - -> Denne kommandoen er et alias for `-p linux find`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux find` diff --git a/pages.no/osx/gfmt.md b/pages.no/osx/gfmt.md deleted file mode 100644 index ac4d808bf..000000000 --- a/pages.no/osx/gfmt.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfmt - -> Denne kommandoen er et alias for `-p linux fmt`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux fmt` diff --git a/pages.no/osx/gfold.md b/pages.no/osx/gfold.md deleted file mode 100644 index aad6aa793..000000000 --- a/pages.no/osx/gfold.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfold - -> Denne kommandoen er et alias for `-p linux fold`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux fold` diff --git a/pages.no/osx/gftp.md b/pages.no/osx/gftp.md deleted file mode 100644 index 169543817..000000000 --- a/pages.no/osx/gftp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gftp - -> Denne kommandoen er et alias for `-p linux ftp`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux ftp` diff --git a/pages.no/osx/ggrep.md b/pages.no/osx/ggrep.md deleted file mode 100644 index 496b50fc0..000000000 --- a/pages.no/osx/ggrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# ggrep - -> Denne kommandoen er et alias for `-p linux grep`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux grep` diff --git a/pages.no/osx/ggroups.md b/pages.no/osx/ggroups.md deleted file mode 100644 index cc6a5fec4..000000000 --- a/pages.no/osx/ggroups.md +++ /dev/null @@ -1,7 +0,0 @@ -# ggroups - -> Denne kommandoen er et alias for `-p linux groups`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux groups` diff --git a/pages.no/osx/ghead.md b/pages.no/osx/ghead.md deleted file mode 100644 index c58d6ca77..000000000 --- a/pages.no/osx/ghead.md +++ /dev/null @@ -1,7 +0,0 @@ -# ghead - -> Denne kommandoen er et alias for `-p linux head`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux head` diff --git a/pages.no/osx/ghostid.md b/pages.no/osx/ghostid.md deleted file mode 100644 index e9ce132d3..000000000 --- a/pages.no/osx/ghostid.md +++ /dev/null @@ -1,7 +0,0 @@ -# ghostid - -> Denne kommandoen er et alias for `-p linux hostid`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux hostid` diff --git a/pages.no/osx/ghostname.md b/pages.no/osx/ghostname.md deleted file mode 100644 index da5c9d427..000000000 --- a/pages.no/osx/ghostname.md +++ /dev/null @@ -1,7 +0,0 @@ -# ghostname - -> Denne kommandoen er et alias for `-p linux hostname`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux hostname` diff --git a/pages.no/osx/gid.md b/pages.no/osx/gid.md deleted file mode 100644 index 7e2e505c5..000000000 --- a/pages.no/osx/gid.md +++ /dev/null @@ -1,7 +0,0 @@ -# gid - -> Denne kommandoen er et alias for `-p linux id`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux id` diff --git a/pages.no/osx/gifconfig.md b/pages.no/osx/gifconfig.md deleted file mode 100644 index 37c74bbd2..000000000 --- a/pages.no/osx/gifconfig.md +++ /dev/null @@ -1,7 +0,0 @@ -# gifconfig - -> Denne kommandoen er et alias for `-p linux ifconfig`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux ifconfig` diff --git a/pages.no/osx/gindent.md b/pages.no/osx/gindent.md deleted file mode 100644 index f212d3d81..000000000 --- a/pages.no/osx/gindent.md +++ /dev/null @@ -1,7 +0,0 @@ -# gindent - -> Denne kommandoen er et alias for `-p linux indent`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux indent` diff --git a/pages.no/osx/ginstall.md b/pages.no/osx/ginstall.md deleted file mode 100644 index cc0d6f40d..000000000 --- a/pages.no/osx/ginstall.md +++ /dev/null @@ -1,7 +0,0 @@ -# ginstall - -> Denne kommandoen er et alias for `-p linux install`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux install` diff --git a/pages.no/osx/gjoin.md b/pages.no/osx/gjoin.md deleted file mode 100644 index dbfed7d85..000000000 --- a/pages.no/osx/gjoin.md +++ /dev/null @@ -1,7 +0,0 @@ -# gjoin - -> Denne kommandoen er et alias for `-p linux join`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux join` diff --git a/pages.no/osx/gkill.md b/pages.no/osx/gkill.md deleted file mode 100644 index b21ef20fa..000000000 --- a/pages.no/osx/gkill.md +++ /dev/null @@ -1,7 +0,0 @@ -# gkill - -> Denne kommandoen er et alias for `-p linux kill`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux kill` diff --git a/pages.no/osx/glibtool.md b/pages.no/osx/glibtool.md deleted file mode 100644 index 912beebdc..000000000 --- a/pages.no/osx/glibtool.md +++ /dev/null @@ -1,7 +0,0 @@ -# glibtool - -> Denne kommandoen er et alias for `-p linux libtool`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux libtool` diff --git a/pages.no/osx/glibtoolize.md b/pages.no/osx/glibtoolize.md deleted file mode 100644 index 42d3eb080..000000000 --- a/pages.no/osx/glibtoolize.md +++ /dev/null @@ -1,7 +0,0 @@ -# glibtoolize - -> Denne kommandoen er et alias for `-p linux libtoolize`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux libtoolize` diff --git a/pages.no/osx/glink.md b/pages.no/osx/glink.md deleted file mode 100644 index 89bc3195f..000000000 --- a/pages.no/osx/glink.md +++ /dev/null @@ -1,7 +0,0 @@ -# glink - -> Denne kommandoen er et alias for `-p linux link`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux link` diff --git a/pages.no/osx/gln.md b/pages.no/osx/gln.md deleted file mode 100644 index a5039466a..000000000 --- a/pages.no/osx/gln.md +++ /dev/null @@ -1,7 +0,0 @@ -# gln - -> Denne kommandoen er et alias for `-p linux ln`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux ln` diff --git a/pages.no/osx/glocate.md b/pages.no/osx/glocate.md deleted file mode 100644 index 321eac073..000000000 --- a/pages.no/osx/glocate.md +++ /dev/null @@ -1,7 +0,0 @@ -# glocate - -> Denne kommandoen er et alias for `-p linux locate`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux locate` diff --git a/pages.no/osx/glogger.md b/pages.no/osx/glogger.md deleted file mode 100644 index de3245fd7..000000000 --- a/pages.no/osx/glogger.md +++ /dev/null @@ -1,7 +0,0 @@ -# glogger - -> Denne kommandoen er et alias for `-p linux logger`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux logger` diff --git a/pages.no/osx/glogname.md b/pages.no/osx/glogname.md deleted file mode 100644 index c25e90a4d..000000000 --- a/pages.no/osx/glogname.md +++ /dev/null @@ -1,7 +0,0 @@ -# glogname - -> Denne kommandoen er et alias for `-p linux logname`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux logname` diff --git a/pages.no/osx/gls.md b/pages.no/osx/gls.md deleted file mode 100644 index 4353049d1..000000000 --- a/pages.no/osx/gls.md +++ /dev/null @@ -1,7 +0,0 @@ -# gls - -> Denne kommandoen er et alias for `-p linux ls`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux ls` diff --git a/pages.no/osx/gmake.md b/pages.no/osx/gmake.md deleted file mode 100644 index 7244f8b7d..000000000 --- a/pages.no/osx/gmake.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmake - -> Denne kommandoen er et alias for `-p linux make`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux make` diff --git a/pages.no/osx/gmd5sum.md b/pages.no/osx/gmd5sum.md deleted file mode 100644 index a06efbba1..000000000 --- a/pages.no/osx/gmd5sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmd5sum - -> Denne kommandoen er et alias for `-p linux md5sum`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux md5sum` diff --git a/pages.no/osx/gmkdir.md b/pages.no/osx/gmkdir.md deleted file mode 100644 index 3fdcfa779..000000000 --- a/pages.no/osx/gmkdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmkdir - -> Denne kommandoen er et alias for `-p linux mkdir`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux mkdir` diff --git a/pages.no/osx/gmkfifo.md b/pages.no/osx/gmkfifo.md deleted file mode 100644 index 3f825c394..000000000 --- a/pages.no/osx/gmkfifo.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmkfifo - -> Denne kommandoen er et alias for `-p linux mkfifo`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux mkfifo` diff --git a/pages.no/osx/gmknod.md b/pages.no/osx/gmknod.md deleted file mode 100644 index c3622ba4c..000000000 --- a/pages.no/osx/gmknod.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmknod - -> Denne kommandoen er et alias for `-p linux mknod`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux mknod` diff --git a/pages.no/osx/gmktemp.md b/pages.no/osx/gmktemp.md deleted file mode 100644 index d917d4fd4..000000000 --- a/pages.no/osx/gmktemp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmktemp - -> Denne kommandoen er et alias for `-p linux mktemp`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux mktemp` diff --git a/pages.no/osx/gmv.md b/pages.no/osx/gmv.md deleted file mode 100644 index 741724ec8..000000000 --- a/pages.no/osx/gmv.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmv - -> Denne kommandoen er et alias for `-p linux mv`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux mv` diff --git a/pages.no/osx/gnice.md b/pages.no/osx/gnice.md deleted file mode 100644 index a893263ce..000000000 --- a/pages.no/osx/gnice.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnice - -> Denne kommandoen er et alias for `-p linux nice`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux nice` diff --git a/pages.no/osx/gnl.md b/pages.no/osx/gnl.md deleted file mode 100644 index a664b28b9..000000000 --- a/pages.no/osx/gnl.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnl - -> Denne kommandoen er et alias for `-p linux nl`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux nl` diff --git a/pages.no/osx/gnohup.md b/pages.no/osx/gnohup.md deleted file mode 100644 index 05796be52..000000000 --- a/pages.no/osx/gnohup.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnohup - -> Denne kommandoen er et alias for `-p linux nohup`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux nohup` diff --git a/pages.no/osx/gnproc.md b/pages.no/osx/gnproc.md deleted file mode 100644 index 9c7744558..000000000 --- a/pages.no/osx/gnproc.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnproc - -> Denne kommandoen er et alias for `-p linux nproc`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux nproc` diff --git a/pages.no/osx/gnumfmt.md b/pages.no/osx/gnumfmt.md deleted file mode 100644 index 7149940b8..000000000 --- a/pages.no/osx/gnumfmt.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnumfmt - -> Denne kommandoen er et alias for `-p linux numfmt`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux numfmt` diff --git a/pages.no/osx/god.md b/pages.no/osx/god.md deleted file mode 100644 index 5f9d53dc9..000000000 --- a/pages.no/osx/god.md +++ /dev/null @@ -1,7 +0,0 @@ -# god - -> Denne kommandoen er et alias for `-p linux od`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux od` diff --git a/pages.no/osx/gpaste.md b/pages.no/osx/gpaste.md deleted file mode 100644 index 7897c2b35..000000000 --- a/pages.no/osx/gpaste.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpaste - -> Denne kommandoen er et alias for `-p linux paste`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux paste` diff --git a/pages.no/osx/gpathchk.md b/pages.no/osx/gpathchk.md deleted file mode 100644 index f2f5e12f3..000000000 --- a/pages.no/osx/gpathchk.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpathchk - -> Denne kommandoen er et alias for `-p linux pathchk`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux pathchk` diff --git a/pages.no/osx/gping.md b/pages.no/osx/gping.md deleted file mode 100644 index 41a8b98bf..000000000 --- a/pages.no/osx/gping.md +++ /dev/null @@ -1,7 +0,0 @@ -# gping - -> Denne kommandoen er et alias for `-p linux ping`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux ping` diff --git a/pages.no/osx/gping6.md b/pages.no/osx/gping6.md deleted file mode 100644 index 2ee1e3b38..000000000 --- a/pages.no/osx/gping6.md +++ /dev/null @@ -1,7 +0,0 @@ -# gping6 - -> Denne kommandoen er et alias for `-p linux ping6`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux ping6` diff --git a/pages.no/osx/gpinky.md b/pages.no/osx/gpinky.md deleted file mode 100644 index 562a7471b..000000000 --- a/pages.no/osx/gpinky.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpinky - -> Denne kommandoen er et alias for `-p linux pinky`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux pinky` diff --git a/pages.no/osx/gpr.md b/pages.no/osx/gpr.md deleted file mode 100644 index 8400d8f98..000000000 --- a/pages.no/osx/gpr.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpr - -> Denne kommandoen er et alias for `-p linux pr`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux pr` diff --git a/pages.no/osx/gprintenv.md b/pages.no/osx/gprintenv.md deleted file mode 100644 index ae5bb3903..000000000 --- a/pages.no/osx/gprintenv.md +++ /dev/null @@ -1,7 +0,0 @@ -# gprintenv - -> Denne kommandoen er et alias for `-p linux printenv`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux printenv` diff --git a/pages.no/osx/gprintf.md b/pages.no/osx/gprintf.md deleted file mode 100644 index 09211e0d3..000000000 --- a/pages.no/osx/gprintf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gprintf - -> Denne kommandoen er et alias for `-p linux printf`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux printf` diff --git a/pages.no/osx/gptx.md b/pages.no/osx/gptx.md deleted file mode 100644 index 1eb64d90c..000000000 --- a/pages.no/osx/gptx.md +++ /dev/null @@ -1,7 +0,0 @@ -# gptx - -> Denne kommandoen er et alias for `-p linux ptx`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux ptx` diff --git a/pages.no/osx/gpwd.md b/pages.no/osx/gpwd.md deleted file mode 100644 index e4c4aa151..000000000 --- a/pages.no/osx/gpwd.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpwd - -> Denne kommandoen er et alias for `-p linux pwd`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux pwd` diff --git a/pages.no/osx/grcp.md b/pages.no/osx/grcp.md deleted file mode 100644 index a24de55ae..000000000 --- a/pages.no/osx/grcp.md +++ /dev/null @@ -1,7 +0,0 @@ -# grcp - -> Denne kommandoen er et alias for `-p linux rcp`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux rcp` diff --git a/pages.no/osx/greadlink.md b/pages.no/osx/greadlink.md deleted file mode 100644 index 6cf5e2211..000000000 --- a/pages.no/osx/greadlink.md +++ /dev/null @@ -1,7 +0,0 @@ -# greadlink - -> Denne kommandoen er et alias for `-p linux readlink`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux readlink` diff --git a/pages.no/osx/grealpath.md b/pages.no/osx/grealpath.md deleted file mode 100644 index 582464541..000000000 --- a/pages.no/osx/grealpath.md +++ /dev/null @@ -1,7 +0,0 @@ -# grealpath - -> Denne kommandoen er et alias for `-p linux realpath`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux realpath` diff --git a/pages.no/osx/grexec.md b/pages.no/osx/grexec.md deleted file mode 100644 index 7b5334be1..000000000 --- a/pages.no/osx/grexec.md +++ /dev/null @@ -1,7 +0,0 @@ -# grexec - -> Denne kommandoen er et alias for `-p linux rexec`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux rexec` diff --git a/pages.no/osx/grlogin.md b/pages.no/osx/grlogin.md deleted file mode 100644 index 004a663a0..000000000 --- a/pages.no/osx/grlogin.md +++ /dev/null @@ -1,7 +0,0 @@ -# grlogin - -> Denne kommandoen er et alias for `-p linux rlogin`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux rlogin` diff --git a/pages.no/osx/grm.md b/pages.no/osx/grm.md deleted file mode 100644 index 80975d6cb..000000000 --- a/pages.no/osx/grm.md +++ /dev/null @@ -1,7 +0,0 @@ -# grm - -> Denne kommandoen er et alias for `-p linux rm`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux rm` diff --git a/pages.no/osx/grmdir.md b/pages.no/osx/grmdir.md deleted file mode 100644 index bac1da267..000000000 --- a/pages.no/osx/grmdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# grmdir - -> Denne kommandoen er et alias for `-p linux rmdir`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux rmdir` diff --git a/pages.no/osx/grsh.md b/pages.no/osx/grsh.md deleted file mode 100644 index d7b19417d..000000000 --- a/pages.no/osx/grsh.md +++ /dev/null @@ -1,7 +0,0 @@ -# grsh - -> Denne kommandoen er et alias for `-p linux rsh`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux rsh` diff --git a/pages.no/osx/gruncon.md b/pages.no/osx/gruncon.md deleted file mode 100644 index a24748110..000000000 --- a/pages.no/osx/gruncon.md +++ /dev/null @@ -1,7 +0,0 @@ -# gruncon - -> Denne kommandoen er et alias for `-p linux runcon`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux runcon` diff --git a/pages.no/osx/gsed.md b/pages.no/osx/gsed.md deleted file mode 100644 index 270fdbfab..000000000 --- a/pages.no/osx/gsed.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsed - -> Denne kommandoen er et alias for `-p linux sed`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux sed` diff --git a/pages.no/osx/gseq.md b/pages.no/osx/gseq.md deleted file mode 100644 index 48d412aee..000000000 --- a/pages.no/osx/gseq.md +++ /dev/null @@ -1,7 +0,0 @@ -# gseq - -> Denne kommandoen er et alias for `-p linux seq`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux seq` diff --git a/pages.no/osx/gsha1sum.md b/pages.no/osx/gsha1sum.md deleted file mode 100644 index ab54db982..000000000 --- a/pages.no/osx/gsha1sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha1sum - -> Denne kommandoen er et alias for `-p linux sha1sum`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux sha1sum` diff --git a/pages.no/osx/gsha224sum.md b/pages.no/osx/gsha224sum.md deleted file mode 100644 index c0f3fe938..000000000 --- a/pages.no/osx/gsha224sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha224sum - -> Denne kommandoen er et alias for `-p linux sha224sum`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux sha224sum` diff --git a/pages.no/osx/gsha256sum.md b/pages.no/osx/gsha256sum.md deleted file mode 100644 index 5058ecf0d..000000000 --- a/pages.no/osx/gsha256sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha256sum - -> Denne kommandoen er et alias for `-p linux sha256sum`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux sha256sum` diff --git a/pages.no/osx/gsha384sum.md b/pages.no/osx/gsha384sum.md deleted file mode 100644 index 770d0d7e1..000000000 --- a/pages.no/osx/gsha384sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha384sum - -> Denne kommandoen er et alias for `-p linux sha384sum`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux sha384sum` diff --git a/pages.no/osx/gsha512sum.md b/pages.no/osx/gsha512sum.md deleted file mode 100644 index 50e7b48f5..000000000 --- a/pages.no/osx/gsha512sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha512sum - -> Denne kommandoen er et alias for `-p linux sha512sum`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux sha512sum` diff --git a/pages.no/osx/gshred.md b/pages.no/osx/gshred.md deleted file mode 100644 index 46440c73e..000000000 --- a/pages.no/osx/gshred.md +++ /dev/null @@ -1,7 +0,0 @@ -# gshred - -> Denne kommandoen er et alias for `-p linux shred`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux shred` diff --git a/pages.no/osx/gshuf.md b/pages.no/osx/gshuf.md deleted file mode 100644 index e9694a00a..000000000 --- a/pages.no/osx/gshuf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gshuf - -> Denne kommandoen er et alias for `-p linux shuf`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux shuf` diff --git a/pages.no/osx/gsleep.md b/pages.no/osx/gsleep.md deleted file mode 100644 index d9e6d387e..000000000 --- a/pages.no/osx/gsleep.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsleep - -> Denne kommandoen er et alias for `-p linux sleep`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux sleep` diff --git a/pages.no/osx/gsort.md b/pages.no/osx/gsort.md deleted file mode 100644 index 68104e4b7..000000000 --- a/pages.no/osx/gsort.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsort - -> Denne kommandoen er et alias for `-p linux sort`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux sort` diff --git a/pages.no/osx/gsplit.md b/pages.no/osx/gsplit.md deleted file mode 100644 index 238958a77..000000000 --- a/pages.no/osx/gsplit.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsplit - -> Denne kommandoen er et alias for `-p linux split`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux split` diff --git a/pages.no/osx/gstat.md b/pages.no/osx/gstat.md deleted file mode 100644 index b09181dd7..000000000 --- a/pages.no/osx/gstat.md +++ /dev/null @@ -1,7 +0,0 @@ -# gstat - -> Denne kommandoen er et alias for `-p linux stat`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux stat` diff --git a/pages.no/osx/gstdbuf.md b/pages.no/osx/gstdbuf.md deleted file mode 100644 index 0e703469d..000000000 --- a/pages.no/osx/gstdbuf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gstdbuf - -> Denne kommandoen er et alias for `-p linux stdbuf`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux stdbuf` diff --git a/pages.no/osx/gstty.md b/pages.no/osx/gstty.md deleted file mode 100644 index 39bdb0357..000000000 --- a/pages.no/osx/gstty.md +++ /dev/null @@ -1,7 +0,0 @@ -# gstty - -> Denne kommandoen er et alias for `-p linux stty`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux stty` diff --git a/pages.no/osx/gsum.md b/pages.no/osx/gsum.md deleted file mode 100644 index 83a0802f4..000000000 --- a/pages.no/osx/gsum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsum - -> Denne kommandoen er et alias for `-p linux sum`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux sum` diff --git a/pages.no/osx/gsync.md b/pages.no/osx/gsync.md deleted file mode 100644 index c8712a4ce..000000000 --- a/pages.no/osx/gsync.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsync - -> Denne kommandoen er et alias for `-p linux sync`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux sync` diff --git a/pages.no/osx/gtac.md b/pages.no/osx/gtac.md deleted file mode 100644 index 04f094de0..000000000 --- a/pages.no/osx/gtac.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtac - -> Denne kommandoen er et alias for `-p linux tac`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux tac` diff --git a/pages.no/osx/gtail.md b/pages.no/osx/gtail.md deleted file mode 100644 index be3fc23f0..000000000 --- a/pages.no/osx/gtail.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtail - -> Denne kommandoen er et alias for `-p linux tail`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux tail` diff --git a/pages.no/osx/gtalk.md b/pages.no/osx/gtalk.md deleted file mode 100644 index f7bce16cb..000000000 --- a/pages.no/osx/gtalk.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtalk - -> Denne kommandoen er et alias for `-p linux talk`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux talk` diff --git a/pages.no/osx/gtar.md b/pages.no/osx/gtar.md deleted file mode 100644 index 536cc22c3..000000000 --- a/pages.no/osx/gtar.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtar - -> Denne kommandoen er et alias for `-p linux tar`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux tar` diff --git a/pages.no/osx/gtee.md b/pages.no/osx/gtee.md deleted file mode 100644 index e29721965..000000000 --- a/pages.no/osx/gtee.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtee - -> Denne kommandoen er et alias for `-p linux tee`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux tee` diff --git a/pages.no/osx/gtelnet.md b/pages.no/osx/gtelnet.md deleted file mode 100644 index 2294d06c8..000000000 --- a/pages.no/osx/gtelnet.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtelnet - -> Denne kommandoen er et alias for `-p linux telnet`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux telnet` diff --git a/pages.no/osx/gtest.md b/pages.no/osx/gtest.md deleted file mode 100644 index 13dd2b471..000000000 --- a/pages.no/osx/gtest.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtest - -> Denne kommandoen er et alias for `-p linux test`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux test` diff --git a/pages.no/osx/gtftp.md b/pages.no/osx/gtftp.md deleted file mode 100644 index a822f7d25..000000000 --- a/pages.no/osx/gtftp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtftp - -> Denne kommandoen er et alias for `-p linux tftp`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux tftp` diff --git a/pages.no/osx/gtime.md b/pages.no/osx/gtime.md deleted file mode 100644 index 96b54b19f..000000000 --- a/pages.no/osx/gtime.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtime - -> Denne kommandoen er et alias for `-p linux time`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux time` diff --git a/pages.no/osx/gtimeout.md b/pages.no/osx/gtimeout.md deleted file mode 100644 index 2f9f5e83c..000000000 --- a/pages.no/osx/gtimeout.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtimeout - -> Denne kommandoen er et alias for `-p linux timeout`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux timeout` diff --git a/pages.no/osx/gtouch.md b/pages.no/osx/gtouch.md deleted file mode 100644 index 20084d8a5..000000000 --- a/pages.no/osx/gtouch.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtouch - -> Denne kommandoen er et alias for `-p linux touch`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux touch` diff --git a/pages.no/osx/gtr.md b/pages.no/osx/gtr.md deleted file mode 100644 index d0d47ab52..000000000 --- a/pages.no/osx/gtr.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtr - -> Denne kommandoen er et alias for `-p linux tr`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux tr` diff --git a/pages.no/osx/gtraceroute.md b/pages.no/osx/gtraceroute.md deleted file mode 100644 index 11f498661..000000000 --- a/pages.no/osx/gtraceroute.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtraceroute - -> Denne kommandoen er et alias for `-p linux traceroute`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux traceroute` diff --git a/pages.no/osx/gtrue.md b/pages.no/osx/gtrue.md deleted file mode 100644 index 446e1a744..000000000 --- a/pages.no/osx/gtrue.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtrue - -> Denne kommandoen er et alias for `-p linux true`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux true` diff --git a/pages.no/osx/gtruncate.md b/pages.no/osx/gtruncate.md deleted file mode 100644 index 3574b1b89..000000000 --- a/pages.no/osx/gtruncate.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtruncate - -> Denne kommandoen er et alias for `-p linux truncate`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux truncate` diff --git a/pages.no/osx/gtsort.md b/pages.no/osx/gtsort.md deleted file mode 100644 index 6d3f3f026..000000000 --- a/pages.no/osx/gtsort.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtsort - -> Denne kommandoen er et alias for `-p linux tsort`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux tsort` diff --git a/pages.no/osx/gtty.md b/pages.no/osx/gtty.md deleted file mode 100644 index 2173277a5..000000000 --- a/pages.no/osx/gtty.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtty - -> Denne kommandoen er et alias for `-p linux tty`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux tty` diff --git a/pages.no/osx/guname.md b/pages.no/osx/guname.md deleted file mode 100644 index 965a0b8d8..000000000 --- a/pages.no/osx/guname.md +++ /dev/null @@ -1,7 +0,0 @@ -# guname - -> Denne kommandoen er et alias for `-p linux uname`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux uname` diff --git a/pages.no/osx/gunexpand.md b/pages.no/osx/gunexpand.md deleted file mode 100644 index e06b46334..000000000 --- a/pages.no/osx/gunexpand.md +++ /dev/null @@ -1,7 +0,0 @@ -# gunexpand - -> Denne kommandoen er et alias for `-p linux unexpand`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux unexpand` diff --git a/pages.no/osx/guniq.md b/pages.no/osx/guniq.md deleted file mode 100644 index 5a0fc41db..000000000 --- a/pages.no/osx/guniq.md +++ /dev/null @@ -1,7 +0,0 @@ -# guniq - -> Denne kommandoen er et alias for `-p linux uniq`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux uniq` diff --git a/pages.no/osx/gunits.md b/pages.no/osx/gunits.md deleted file mode 100644 index 2b63e20c2..000000000 --- a/pages.no/osx/gunits.md +++ /dev/null @@ -1,7 +0,0 @@ -# gunits - -> Denne kommandoen er et alias for `-p linux units`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux units` diff --git a/pages.no/osx/gunlink.md b/pages.no/osx/gunlink.md deleted file mode 100644 index a7513b73a..000000000 --- a/pages.no/osx/gunlink.md +++ /dev/null @@ -1,7 +0,0 @@ -# gunlink - -> Denne kommandoen er et alias for `-p linux unlink`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux unlink` diff --git a/pages.no/osx/gupdatedb.md b/pages.no/osx/gupdatedb.md deleted file mode 100644 index 222cfbc2b..000000000 --- a/pages.no/osx/gupdatedb.md +++ /dev/null @@ -1,7 +0,0 @@ -# gupdatedb - -> Denne kommandoen er et alias for `-p linux updatedb`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux updatedb` diff --git a/pages.no/osx/guptime.md b/pages.no/osx/guptime.md deleted file mode 100644 index 88a451c57..000000000 --- a/pages.no/osx/guptime.md +++ /dev/null @@ -1,7 +0,0 @@ -# guptime - -> Denne kommandoen er et alias for `-p linux uptime`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux uptime` diff --git a/pages.no/osx/gusers.md b/pages.no/osx/gusers.md deleted file mode 100644 index 09d52aaf9..000000000 --- a/pages.no/osx/gusers.md +++ /dev/null @@ -1,7 +0,0 @@ -# gusers - -> Denne kommandoen er et alias for `-p linux users`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux users` diff --git a/pages.no/osx/gvdir.md b/pages.no/osx/gvdir.md deleted file mode 100644 index 48860a280..000000000 --- a/pages.no/osx/gvdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# gvdir - -> Denne kommandoen er et alias for `-p linux vdir`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux vdir` diff --git a/pages.no/osx/gwc.md b/pages.no/osx/gwc.md deleted file mode 100644 index c23172446..000000000 --- a/pages.no/osx/gwc.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwc - -> Denne kommandoen er et alias for `-p linux wc`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux wc` diff --git a/pages.no/osx/gwhich.md b/pages.no/osx/gwhich.md deleted file mode 100644 index fa4ebc59c..000000000 --- a/pages.no/osx/gwhich.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwhich - -> Denne kommandoen er et alias for `-p linux which`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux which` diff --git a/pages.no/osx/gwho.md b/pages.no/osx/gwho.md deleted file mode 100644 index 27fd5bcd9..000000000 --- a/pages.no/osx/gwho.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwho - -> Denne kommandoen er et alias for `-p linux who`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux who` diff --git a/pages.no/osx/gwhoami.md b/pages.no/osx/gwhoami.md deleted file mode 100644 index 34498bff1..000000000 --- a/pages.no/osx/gwhoami.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwhoami - -> Denne kommandoen er et alias for `-p linux whoami`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux whoami` diff --git a/pages.no/osx/gwhois.md b/pages.no/osx/gwhois.md deleted file mode 100644 index 95f34c279..000000000 --- a/pages.no/osx/gwhois.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwhois - -> Denne kommandoen er et alias for `-p linux whois`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux whois` diff --git a/pages.no/osx/gxargs.md b/pages.no/osx/gxargs.md deleted file mode 100644 index d9c19d30d..000000000 --- a/pages.no/osx/gxargs.md +++ /dev/null @@ -1,7 +0,0 @@ -# gxargs - -> Denne kommandoen er et alias for `-p linux xargs`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux xargs` diff --git a/pages.no/osx/gyes.md b/pages.no/osx/gyes.md deleted file mode 100644 index 3926dc8e1..000000000 --- a/pages.no/osx/gyes.md +++ /dev/null @@ -1,7 +0,0 @@ -# gyes - -> Denne kommandoen er et alias for `-p linux yes`. - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr -p linux yes` diff --git a/pages.no/osx/launchd.md b/pages.no/osx/launchd.md deleted file mode 100644 index 534b308cf..000000000 --- a/pages.no/osx/launchd.md +++ /dev/null @@ -1,8 +0,0 @@ -# launchd - -> Denne kommandoen er et alias for `launchctl`. -> Mer informasjon: . - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr launchctl` diff --git a/pages.no/windows/chrome.md b/pages.no/windows/chrome.md deleted file mode 100644 index 8d35c25f4..000000000 --- a/pages.no/windows/chrome.md +++ /dev/null @@ -1,8 +0,0 @@ -# chrome - -> Denne kommandoen er et alias for `chromium`. -> Mer informasjon: . - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr chromium` diff --git a/pages.no/windows/cpush.md b/pages.no/windows/cpush.md deleted file mode 100644 index c29129c3b..000000000 --- a/pages.no/windows/cpush.md +++ /dev/null @@ -1,8 +0,0 @@ -# cpush - -> Denne kommandoen er et alias for `choco-push`. -> Mer informasjon: . - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr choco-push` diff --git a/pages.no/windows/rd.md b/pages.no/windows/rd.md deleted file mode 100644 index 3d6b4216d..000000000 --- a/pages.no/windows/rd.md +++ /dev/null @@ -1,8 +0,0 @@ -# rd - -> Denne kommandoen er et alias for `rmdir`. -> Mer informasjon: . - -- Vis dokumentasjonen for den opprinnelige kommandoen: - -`tldr rmdir` diff --git a/pages.pl/android/am.md b/pages.pl/android/am.md index 96f307fd4..4c0acd6b0 100644 --- a/pages.pl/android/am.md +++ b/pages.pl/android/am.md @@ -3,18 +3,18 @@ > Menedżer aktywności Android. > Więcej informacji: . -- Rozpocznij konkretną aktywność: +- Rozpocznij aktywność z określoną [n]azwą komponentu i pakietu: `am start -n {{com.android.settings/.Settings}}` -- Rozpocznij aktywność i przekaż do niej dane: +- Rozpocznij [a]kcję intencji i przekaż do niej [d]ane: `am start -a {{android.intent.action.VIEW}} -d {{tel:123}}` -- Rozpocznij aktywność dopasowaną do konkretnej akcji i kategorii: +- Rozpocznij aktywność dopasowaną do konkretnej akcji i kategorii ([c]ategory): `am start -a {{android.intent.action.MAIN}} -c {{android.intent.category.HOME}}` -- Konwertuj zamiar w URI: +- Konwertuj intencję na URI: `am to-uri -a {{android.intent.action.VIEW}} -d {{tel:123}}` diff --git a/pages.pl/android/bugreportz.md b/pages.pl/android/bugreportz.md index 9d0d1265c..290885bf5 100644 --- a/pages.pl/android/bugreportz.md +++ b/pages.pl/android/bugreportz.md @@ -4,7 +4,7 @@ > Ta komenda może być używana tylko poprzez `adb shell`. > Więcej informacji: . -- Wygeneruj pełny i skompresowany raport błędów dla urządzenia Android: +- Wygeneruj pełny i skompresowany raport błędów urządzenia Android: `bugreportz` @@ -12,10 +12,10 @@ `bugreportz -p` -- Wyświetl wersję `bugreportz`: - -`bugreportz -v` - - Wyświetl pomoc: `bugreportz -h` + +- Wyświetl wersję: + +`bugreportz -v` diff --git a/pages.pl/android/cmd.md b/pages.pl/android/cmd.md index f4d295706..5d84e9aa2 100644 --- a/pages.pl/android/cmd.md +++ b/pages.pl/android/cmd.md @@ -9,8 +9,8 @@ - Uruchom konkretną usługę: -`cmd {{alarm}}` +`cmd {{usługa}}` -- Uruchom usługę z argumentami: +- Uruchom usługę z określonymi argumentami: -`cmd {{wibrator}} {{wibruj 300}}` +`cmd {{usługa}} {{argument1 argument2 ...}}` diff --git a/pages.pl/android/dalvikvm.md b/pages.pl/android/dalvikvm.md index 79ae73606..6a430eb78 100644 --- a/pages.pl/android/dalvikvm.md +++ b/pages.pl/android/dalvikvm.md @@ -3,6 +3,6 @@ > Wirtualna maszyna Android Java. > Więcej informacji: . -- Uruchom program Java: +- Uruchom określony program Java: `dalvikvm -classpath {{ścieżka/do/pliku.jar}} {{nazwaklasy}}` diff --git a/pages.pl/android/dumpsys.md b/pages.pl/android/dumpsys.md index 42a91a3b7..bd3e6b3c1 100644 --- a/pages.pl/android/dumpsys.md +++ b/pages.pl/android/dumpsys.md @@ -1,6 +1,6 @@ # dumpsys -> Dostarczanie informacji o usługach systemu Android. +> Uzyskaj informacje o usługach systemu Android. > Ta komenda może być używana tylko poprzez `adb shell`. > Więcej informacji: . @@ -12,18 +12,18 @@ `dumpsys {{usługa}}` -- Lista wszystkich usług, o których `dumpsys` może dać informacje: +- Wypisz wszystkie usługi, o których `dumpsys` może podać informacje: `dumpsys -l` -- Lista argumentów specyficznych dla usługi: +- Wypisz argumenty specyficzne dla danej usługi: `dumpsys {{usługa}} -h` -- Wykluczenie określonej usługi z wyjścia diagnostycznego: +- Wyklucz określoną usługę z wyjścia diagnostycznego: `dumpsys --skip {{usługa}}` -- Określenie czasu oczekiwania w sekundach (domyślnie 10s): +- Określ czas oczekiwania w sekundach (domyślnie 10s): -`dumpsys -t {{sekundy}}` +`dumpsys -t {{8}}` diff --git a/pages.pl/android/getprop.md b/pages.pl/android/getprop.md index 77f675237..f266635c0 100644 --- a/pages.pl/android/getprop.md +++ b/pages.pl/android/getprop.md @@ -9,13 +9,13 @@ - Wyświetl informację o konkretnej właściwości: -`getprop {{prop}}` +`getprop {{właściwość}}` -- Wyświetl wersję SDK API: +- Wyświetl wersję API SDK: `getprop {{ro.build.version.sdk}}` -- Wyświetl wersję Android: +- Wyświetl wersję Androida: `getprop {{ro.build.version.release}}` @@ -23,7 +23,7 @@ `getprop {{ro.vendor.product.model}}` -- Wyświetl status odblokowania OEM: +- Wyświetl status odblokowania OEMu: `getprop {{ro.oem_unlock_supported}}` diff --git a/pages.pl/android/input.md b/pages.pl/android/input.md index 0f7417148..73714a734 100644 --- a/pages.pl/android/input.md +++ b/pages.pl/android/input.md @@ -1,12 +1,12 @@ # input -> Wysyłanie kodów zdarzeń lub gestów na ekranie dotykowym do urządzenia Android. +> Wysyłaj kody zdarzeń lub gestów na ekranie dotykowym do urządzenia Android. > Ta komenda może być używana tylko poprzez `adb shell`. > Więcej informacji: . - Wyślij kod zdarzenia dla pojedynczego znaku do urządzenia Android: -`input keyevent {{kod_eventu}}` +`input keyevent {{kod_zdarzenia}}` - Wyślij tekst do urządzenia z systemem Android (`%s` reprezentuje spacje): @@ -14,12 +14,12 @@ - Wyślij pojedyncze stuknięcie do urządzenia Android: -`input tap {{x_pos}} {{y_pos}}` +`input tap {{pozycja_x}} {{pozycja_y}}` -- Wyślij gest machnięcia do urządzenia Android: +- Wyślij gest przesunięcia do urządzenia Android: `input swipe {{x_start}} {{y_start}} {{x_koniec}} {{y_koniec}} {{czas_trwania_w_ms}}` -- Wyślij długie naciśnięcie do urządzenia Android za pomocą gestu machnięcia: +- Wyślij długie naciśnięcie do urządzenia Android za pomocą gestu przesunięcia: -`input swipe {{x_pos}} {{y_pos}} {{x_pos}} {{y_pos}} {{czas_trwania_w_ms}}` +`input swipe {{pozycja_x}} {{pozycja_y}} {{pozycja_x}} {{pozycja_y}} {{czas_trwania_w_ms}}` diff --git a/pages.pl/android/logcat.md b/pages.pl/android/logcat.md index a6e629df2..e5a356496 100644 --- a/pages.pl/android/logcat.md +++ b/pages.pl/android/logcat.md @@ -1,16 +1,24 @@ # logcat -> Zrzut dziennika komunikatów systemowych. +> Zrzut dziennika komunikatów systemowych, w tym śladów stosu po wystąpieniu błędu i komunikatów informacyjnych rejestrowanych przez aplikacje. > Więcej informacji: . - Wyświetl logi systemowe: `logcat` -- Zapisz logi systemowe do pliku: +- Zapisz logi systemowe do pliku ([f]ile): `logcat -f {{ścieżka/do/pliku}}` - Wyświetl linie pasujące do wyrażenia regularnego: `logcat --regex {{wyrażenie_regularne}}` + +- Wyświetl logi dla określonego PID: + +`logcat --pid {{pid}}` + +- Wyświetl logi dla procesu określonego pakietu: + +`logcat --pid $(pidof -s {{pakiet}})` diff --git a/pages.pl/android/pm.md b/pages.pl/android/pm.md index 50652b688..289342469 100644 --- a/pages.pl/android/pm.md +++ b/pages.pl/android/pm.md @@ -3,21 +3,21 @@ > Pokaż informacje o aplikacjach na urządzeniu z systemem Android. > Więcej informacji: . -- Listuj wszystkie zainstalowane aplikacje: +- Wypisz wszystkie zainstalowane aplikacje: `pm list packages` -- Listuj wszystkie zainstalowane aplikacje systemowych: +- Wypisz wszystkie zainstalowane aplikacje [s]ystemowe: `pm list packages -s` -- Listuj wszystkie zainstalowane aplikacje firm trzecich: +- Wypisz wszystkie zainstalowane aplikacje firm trzecich ([3]): `pm list packages -3` -- Listuj aplikacje pasujące do określonych słów kluczowych: +- Wypisz aplikacje pasujące do określonych słów kluczowych: -`pm list packages {{słowo_kluczowe}}` +`pm list packages {{słowo_kluczowe1 słowo_kluczowe2 ...}}` - Pokaż ścieżkę APK konkretnej aplikacji: diff --git a/pages.pl/android/screencap.md b/pages.pl/android/screencap.md new file mode 100644 index 000000000..99a73c50c --- /dev/null +++ b/pages.pl/android/screencap.md @@ -0,0 +1,9 @@ +# screencap + +> Zrób zrzut ekranu wyświetlacza urządzenia przenośnego. +> To polecenie może być używane tylko przez `adb shell`. +> Więcej informacji: . + +- Zrób zrzut ekranu: + +`screencap {{ścieżka/do/pliku}}` diff --git a/pages.pl/android/settings.md b/pages.pl/android/settings.md index 9a248891e..d7b0ccd73 100644 --- a/pages.pl/android/settings.md +++ b/pages.pl/android/settings.md @@ -3,7 +3,7 @@ > Uzyskaj informacje o systemie operacyjnym Android. > Więcej informacji: . -- Listuj ustawienia w przestrzeni `global`: +- Wypisz ustawienia w przestrzeni `global`: `settings list {{global}}` @@ -11,10 +11,10 @@ `settings get {{global}} {{airplane_mode_on}}` -- Ustaw wartość dla określonego ustawienia: +- Ustaw wartość określonego ustawienia: `settings put {{system}} {{screen_brightness}} {{42}}` -- Delete a specific setting: +- Usuń określone ustawienie: `settings delete {{secure}} {{screensaver_enabled}}` diff --git a/pages.pl/android/wm.md b/pages.pl/android/wm.md index 077bd4f4a..518a76f47 100644 --- a/pages.pl/android/wm.md +++ b/pages.pl/android/wm.md @@ -6,8 +6,8 @@ - Wyświetl fizyczny rozmiaru ekranu urządzenia Android: -`wm {{rozmiar}}` +`wm size` - Wyświetl fizyczną gęstość ekranu urządzenia Android: -`wm {{gęstość}}` +`wm density` diff --git a/pages.pl/common/!.md b/pages.pl/common/!.md new file mode 100644 index 000000000..60f89298f --- /dev/null +++ b/pages.pl/common/!.md @@ -0,0 +1,28 @@ +# Exclamation mark + +> Polecenie wbudowane w Bash do zastępowania komendą znalezioną w historii. +> Więcej informacji: . + +- Zastąp poprzednią komendą i uruchom ją z `sudo`: + +`sudo !!` + +- Zastąp komendą na podstawie jej numeru linii znalezionego za pomocą `history`: + +`!{{liczba}}` + +- Zastąp poleceniem, które zostało użyte określoną liczbę wierszy wstecz: + +`!-{{liczba}}` + +- Zastąp ostatnim poleceniem zaczynającym się od ciągu znaków: + +`!{{ciąg_znaków}}` + +- Zastąp argumentami ostatniego polecenia: + +`{{polecenie}} !*` + +- Zastąp ostatnim argumentem ostatniego polecenia: + +`{{polecenie}} !$` diff --git a/pages.pl/common/7z.md b/pages.pl/common/7z.md index 2725f0560..38128db41 100644 --- a/pages.pl/common/7z.md +++ b/pages.pl/common/7z.md @@ -3,30 +3,34 @@ > Archiwizator plików o wysokim stopniu kompresji. > Więcej informacji: . -- Zarchiwizuj plik lub katalog: +- Dodaj plik lub katalog do nowego lub istniejącego archiwum: -`7z a {{zarchiwizowane.7z}} {{sciezka/do/pliku_lub_katalogu}}` +`7z a {{ścieżka/do/archiwum.7z}} {{ścieżka/do/pliku_lub_katalogu}}` -- Zaszyfruj istniejące archiwum (w tym nagłówki)): +- Zaszyfruj istniejące archiwum (w tym nazwy plików): -`7z a {{zaszyfrowane.7z}} -p{{haslo}} -mhe=on {{zarchiwizowane.7z}}` +`7z a {{ścieżka/do/zaszyfrowanego.7z}} -p{{hasło}} -mhe=on {{ścieżka/do/archiwum.7z}}` -- Wyodrębnij istniejący plik 7z z oryginalną strukturą katalogów: +- Wypakuj istniejące archiwum zachowując oryginalną strukturę katalogów: -`7z x {{zarchiwizowane.7z}}` +`7z x {{ścieżka/do/archiwum.7z}}` -- Wyodrębnij archiwum ze ścieżką wyjściową zdefiniowaną przez użytkownika: +- Wypakuj archiwum do określonego katalogu: -`7z x {{zarchiwizowane.7z}} -o{{sciezka/do/wyjscia}}` +`7z x {{ścieżka/do/archiwum.7z}} -o{{ścieżka/do/wyjścia}}` - Wypakuj archiwum do `stdout`: -`7z x {{zarchiwizowane.7z}} -so` +`7z x {{ścieżka/do/archiwum.7z}} -so` -- Archiwizuj przy użyciu określonego typu archiwum: +- [a]rchiwizuj przy użyciu określonego typu archiwum: -`7z a -t{{7z|bzip2|gzip|lzip|tar|zip}} {{zarchiwizowane}} {{sciezka/do/pliku_lub_katalogu}}` +`7z a -t{{7z|bzip2|gzip|lzip|tar|zip}} {{ścieżka/do/archiwum}} {{ścieżka/do/pliku_lub_katalogu}}` -- Wyświetl zawartość pliku archiwum: +- Wypisz zawartość pliku archiwum: -`7z l {{zarchiwizowane.7z}}` +`7z l {{ścieżka/do/archiwum.7z}}` + +- Ustaw poziom kompresji (wyższy oznacza wyższą kompresję, ale wolniejszą): + +`7z a {{ścieżka/do/archiwum.7z}} -mx={{0|1|3|5|7|9}} {{ścieżka/do/pliku_lub_katalogu}}` diff --git a/pages.pl/common/7za.md b/pages.pl/common/7za.md index 68ef93137..182f24280 100644 --- a/pages.pl/common/7za.md +++ b/pages.pl/common/7za.md @@ -1,21 +1,37 @@ # 7za > Archiwizator plików o wysokim współczynniku kompresji. -> Samodzielna wersja `7z` z obsługą mniejszej liczby typów archiwów. +> Podobny do `7z` z wyjątkiem tego, że obsługuje mniej typów plików, ale jest wieloplatformowy. > Więcej informacji: . -- Zarchiwizuj plik lub katalog: +- Z[a]rchiwizuj plik lub katalog: -`7za a {{archiwum.7z}} {{scieżka/do/pliku_lub_katalogu}}` +`7za a {{ścieżka/do/archiwum.7z}} {{ścieżka/do/pliku_lub_katalogu}}` -- Wyodrębnij istniejący plik 7z z oryginalną strukturą katalogów: +- Zaszyfruj istniejące archiwum (w tym nazwy plików): -`7za x {{archiwum}}` +`7za a {{ścieżka/do/zaszyfrowanego.7z}} -p{{hasło}} -mhe={{on}} {{ścieżka/do/archiwum.7z}}` + +- Wypakuj archiwum, zachowując oryginalną strukturę katalogów: + +`7za x {{ścieżka/do/archiwum.7z}}` + +- Wypakuj archiwum do określonego katalogu: + +`7za x {{ścieżka/do/archiwum.7z}} -o{{ścieżka/do/wyjścia}}` + +- Wypakuj archiwum do `stdout`: + +`7za x {{ścieżka/do/archiwum.7z}} -so` - Zarchiwizuj przy użyciu określonego typu archiwum: -`7za a -t{{zip|gzip|bzip2|tar}} {{archiwum}} {{scieżka/do/pliku_lub_katalogu}}` +`7za a -t{{7z|bzip2|gzip|lzip|tar|...}} {{ścieżka/do/archiwum.7z}} {{ścieżka/do/pliku_lub_katalogu}}` - Wypisz zawartość pliku archiwum: -`7za l {{archiwum}}` +`7za l {{ścieżka/do/archiwum.7z}}` + +- Ustaw poziom kompresji (wyższy oznacza wyższą kompresję, ale wolniejszą): + +`7za a {{ścieżka/do/archiwum.7z}} -mx={{0|1|3|5|7|9}} {{ścieżka/do/pliku_lub_katalogu}}` diff --git a/pages.pl/common/7zr.md b/pages.pl/common/7zr.md index 00045af6a..ea4957bcf 100644 --- a/pages.pl/common/7zr.md +++ b/pages.pl/common/7zr.md @@ -1,17 +1,33 @@ # 7zr > Archiwizator plików o wysokim współczynniku kompresji. -> Samodzielna wersja `7z` obsługująca tylko pliki typu .7z. +> Podobny do `7z` z wyjątkiem tego, że obsługuje tylko pliki `7z`. > Więcej informacji: . -- Zarchiwizuj plik lub katalog: +- Z[a]rchiwizuj plik lub katalog: -`7zr a {{archiwum.7z}} {{scieżka/do/pliku_lub_katalogu}}` +`7zr a {{ścieżka/do/archiwum.7z}} {{ścieżka/do/pliku_lub_katalogu}}` -- Wyodrębnij istniejący plik 7z z oryginalną strukturą katalogów: +- Zaszyfruj istniejące archiwum (w tym nazwy plików): -`7zr x {{archiwum.7z}}` +`7zr a {{ścieżka/do/zaszyfrowanego.7z}} -p{{hasło}} -mhe={{on}} {{ścieżka/do/archiwum.7z}}` + +- Wypakuj archiwum, zachowując oryginalną strukturę katalogów: + +`7zr x {{ścieżka/do/archiwum.7z}}` + +- Wypakuj archiwum do określonego katalogu: + +`7zr x {{ścieżka/do/archiwum.7z}} -o{{ścieżka/do/wyjścia}}` + +- Wypakuj archiwum do `stdout`: + +`7zr x {{ścieżka/do/archiwum.7z}} -so` - Wypisz zawartość pliku archiwum: -`7zr l {{archiwum.7z}}` +`7zr l {{ścieżka/do/archiwum.7z}}` + +- Ustaw poziom kompresji (wyższy oznacza wyższą kompresję, ale wolniejszą): + +`7zr a {{ścieżka/do/archiwum.7z}} -mx={{0|1|3|5|7|9}} {{ścieżka/do/pliku_lub_katalogu}}` diff --git a/pages.pl/common/[.md b/pages.pl/common/[.md index 3ee9bfce1..7ae0d5ba9 100644 --- a/pages.pl/common/[.md +++ b/pages.pl/common/[.md @@ -1,25 +1,33 @@ # [ -> Sprawdza typy plików i porównuje wartości. +> Sprawdź typy plików i porównaj wartości. > Zwraca 0 gdy porównanie zwróciło wartość poprawną, 1 gdy fałszywą. -> Więcej informacji: . +> Więcej informacji: . -- Sprawdź czy podana zmienna jest równa łańcuchowi znaków: +- Sprawdź, czy podana zmienna jest/nie jest równa łańcuchowi znaków: -`[ "{{$ZMIENNA}}" = "{{/bin/zsh}}" ]` +`[ "${{zmienna}}" {{=|!=}} "{{ciąg_znaków}}" ]` -- Sprawdź czy zmienna jest pusta: +- Sprawdź, czy dana zmienna jest równa/nierówna/większa/mniejsza/większa lub równa/mniejsza lub równa określonej liczbie: -`[ -z "{{$GIT_BRANCH}}" ]` +`[ "${{zmienna}}" -{{eq|ne|gt|lt|ge|le}} {{liczba}} ]` -- Sprawdź czy plik istnieje: +- Sprawdź, czy określona zmienna ma [n]iepustą wartość: -`[ -f "{{ścieżka/do/pliku}}" ]` +`[ -n "${{zmienna}}" ]` -- Sprawdź czy katalog nie istnieje: +- Sprawdź, czy określona zmienna ma pustą wartość: -`[ ! -d "{{ścieżka/do/katalogu}}" ]` +`[ -z "${{zmienna}}" ]` -- Zapis jeśli porawne-jeśli fałszywe: +- Sprawdź, czy podany plik ([f]ile) istnieje: -`[ {{warunek}} ] && {{echo "gdy poprawne"}} || {{echo "gdy fałszywe"}}` +`[ -f {{ścieżka/do/pliku}} ]` + +- Sprawdź, czy określony folder istnieje: + +`[ -d {{ścieżka/do/folderu}} ]` + +- Sprawdź, czy określony plik lub folder istnieje: + +`[ -e {{ścieżka/do/pliku_lub_folderu}} ]` diff --git a/pages.pl/common/ack.md b/pages.pl/common/ack.md index 4b56ce993..a73436f70 100644 --- a/pages.pl/common/ack.md +++ b/pages.pl/common/ack.md @@ -1,36 +1,36 @@ # ack -> Narzędzie wyszukiwania, takie jak grep, zoptymalizowane dla programistów. +> Narzędzie wyszukiwania, podobne do `grep`, zoptymalizowane dla programistów. > Zobacz też: `rg`, który jest znacznie szybszy. > Więcej informacji: . -- Znajdź pliki zawierające ciąg znaków lub wyrażenie regularne rekurencyjnie w bieżącym katalogu: +- Szukaj rekurencyjnie plików zawierających ciąg znaków lub wyrażenie regularne w bieżącym katalogu: -`ack "{{wzorzec}}"` +`ack "{{wzorzec_wyszukiwania}}"` - Szukaj na podstawie wzorca bez uwzględniania wielkości liter: -`ack --ignore-case "{{wzorzec}}"` +`ack --ignore-case "{{wzorzec_wyszukiwania}}"` -- Szukaj linii zawierających wzorzec, wyświetl wyłącznie pasujący tekst bez pozostałej zawartości linii: +- Szukaj linii zawierających wzorzec, wyświetlając tylk[o] pasujący tekst bez pozostałej zawartości linii: -`ack -o "{{wzorzec}}"` +`ack -o "{{wzorzec_wyszukiwania}}"` - Ogranicz wyszukiwanie do plików wyłącznie określonego typu: -`ack --type={{ruby}} "{{wzorzec}}"` +`ack --type {{ruby}} "{{wzorzec_wyszukiwania}}"` - Wyszukaj z pominięciem plików określonego typu: -`ack --type=no{{ruby}} "{{wzorzec}}"` +`ack --type no{{ruby}} "{{wzorzec_wyszukiwania}}"` -- Policz całkowitą liczbę dopasowań: +- Policz całkowitą liczbę znalezionych dopasowań: -`ack --count --no-filename "{{wzorzec}}"` +`ack --count --no-filename "{{wzorzec_wyszukiwania}}"` - Pokaż nazwy plików i liczbę dopasowań w każdym z nich: -`ack --count --files-with-matches "{{wzorzec}}"` +`ack --count --files-with-matches "{{wzorzec_wyszukiwania}}"` - Wypisz wszystkie możliwe wartości które mogą być użyte dla `--type`: diff --git a/pages.pl/common/adb-install.md b/pages.pl/common/adb-install.md index 312b4e914..5ebe06981 100644 --- a/pages.pl/common/adb-install.md +++ b/pages.pl/common/adb-install.md @@ -3,18 +3,26 @@ > Android Debug Bridge Install: wysyłaj pakiety do instancji emulatora Androida lub podłączonych urządzeń z systemem Android. > Więcej informacji: . -- Wyślij aplikację na Androida do emulatora / urządzenia: +- Wyślij aplikację na Androida do emulatora/urządzenia: -`adb install {{scieżka/do/pliku.apk}}` +`adb install {{ścieżka/do/pliku.apk}}` -- Zainstaluj ponownie istniejącą aplikację, zachowując jej dane: +- Wyślij aplikację Android do określonego emulatora/urządzenia (nadpisuje `$ANDROID_SERIAL`): -`adb install -r {{scieżka/do/pliku.apk}}` +`adb -s {{numer_seryjny}} install {{ścieżka/do/pliku.apk}}` -- Przyznaj wszystkie uprawnienia wymienione w pliku manifestu aplikacji: +- Zainstaluj ponownie ([r]einstall) istniejącą aplikację, zachowując jej dane: -`adb install -g {{scieżka/do/pliku.apk}}` +`adb install -r {{ścieżka/do/pliku.apk}}` + +- Wyślij aplikację na Androida, umożliwiając obniżenie ([d]owngrade) wersji kodu (tylko pakiety debugowalne): + +`adb install -d {{ścieżka/do/pliku.apk}}` + +- Przyznaj ([g]rant) wszystkie uprawnienia wymienione w pliku manifestu aplikacji: + +`adb install -g {{ścieżka/do/pliku.apk}}` - Szybko zaktualizuj zainstalowany pakiet, aktualizując tylko te części APK, które się zmieniły: -`adb install --fastdeploy {{scieżka/do/pliku.apk}}` +`adb install --fastdeploy {{ścieżka/do/pliku.apk}}` diff --git a/pages.pl/common/adb-reverse.md b/pages.pl/common/adb-reverse.md index 99f96bcdc..1a8249a6f 100644 --- a/pages.pl/common/adb-reverse.md +++ b/pages.pl/common/adb-reverse.md @@ -3,18 +3,18 @@ > Android Debug Bridge Reverse: zwrotne połączenie socketowe z emulowanego lub prawdziwego urządzenia Android. > Więcej informacji: . -- Listuj wszystkie zwrotne połączenia socketowe z emulatorów i urządzeń: +- Wypisz wszystkie zwrotne połączenia socketowe z emulatorów i urządzeń: `adb reverse --list` - Przekieruj port TCP z emulatora lub urządzenia do localhost: -`adb reverse tcp:{{remote_port}} tcp:{{local_port}}` +`adb reverse tcp:{{zdalny_port}} tcp:{{lokalny_port}}` - Usuń wybrane zwrotne połączenie z emulatora lub urządzenia: -`adb reverse --remove tcp:{{remote_port}}` +`adb reverse --remove tcp:{{zdalny_port}}` -- Usuń wszystkie zwrotne połączenie z emulatorów lub urządzeń: +- Usuń wszystkie zwrotne połączenia z wszystkich emulatorów lub urządzeń: `adb reverse --remove-all` diff --git a/pages.pl/common/adb-shell.md b/pages.pl/common/adb-shell.md index 14ed1e234..db506a1b7 100644 --- a/pages.pl/common/adb-shell.md +++ b/pages.pl/common/adb-shell.md @@ -3,7 +3,7 @@ > Android Debug Bridge Shell: uruchamiaj zdalne polecenia powłoki na instancji emulatora Androida lub podłączonych urządzeniach z Androidem. > Więcej informacji: . -- Uruchom interaktywną zdalną powłokę na emulatorze / urządzeniu: +- Uruchom interaktywną zdalną powłokę na emulatorze lub urządzeniu: `adb shell` @@ -11,25 +11,25 @@ `adb shell getprop` -- Przywróć wszystkie uprawnienia wykonawcze do ich wartości domyślnych: +- Przywróć domyślne ustawienia wszystkich uprawnień uruchamiania: `adb shell pm reset-permissions` - Odwołaj niebezpieczne pozwolenie dla aplikacji: -`adb shell pm revoke {{paczka}} {{pozwolenie}}` +`adb shell pm revoke {{pakiet}} {{pozwolenie}}` - Wywołaj zdarzenie klawisza: -`adb shell input keyevent {{kod_klucza}}` +`adb shell input keyevent {{kod_klawisza}}` - Wyczyść dane aplikacji na emulatorze lub urządzeniu: -`adb shell pm clear {{paczka}}` +`adb shell pm clear {{pakiet}}` -- Rozpocznij aktywność na emulatorze / urządzeniu: +- Rozpocznij aktywność na emulatorze lub urządzeniu: -`adb shell am start -n {{paczka}}/{{aktywność}}` +`adb shell am start -n {{pakiet}}/{{aktywność}}` - Rozpocznij aktywność domową na emulatorze lub urządzeniu: diff --git a/pages.pl/common/adb.md b/pages.pl/common/adb.md index b0322545d..5554c3e43 100644 --- a/pages.pl/common/adb.md +++ b/pages.pl/common/adb.md @@ -1,6 +1,7 @@ # adb > Android Debug Bridge: komunikuj się z instancją emulatora Androida lub podłączonym urządzeniem z Androidem. +> Niektóre podkomendy takie jak `adb shell` mają osobną dokumentację. > Więcej informacji: . - Sprawdź czy proces serwera adb działa, jeśli nie, uruchom go: @@ -11,22 +12,22 @@ `adb kill-server` -- Uruchom powłokę w instancji emulatora lub urządzeniu: +- Uruchom powłokę w docelowej instancji emulatora/urządzenia: `adb shell` -- Wypchnij aplikację Androidową do instancji emulatora lub urządzenia: +- Wyślij aplikację Android do emulatora/urządzenia: `adb install -r {{ścieżka/do/pliku.apk}}` -- Skopiuj plik/katalog do urządzenia: +- Skopiuj plik/katalog z urządzenia docelowego: -`adb pull {{ścieżka/do/pliku_lub_katalogu_na_urządzeniu}} {{ścieżka/do/lokalnego_katalogu}}` +`adb pull {{ścieżka/do/pliku_lub_katalogu_na_urządzeniu}} {{ścieżka/do/lokalnego_katalogu_docelowego}}` -- Skopiuj plik/katalog z urządzenia: +- Skopiuj plik/katalog do urządzenia docelowego: -`adb push {{ścieżka/do/pliku_lub_katalogu_na_urządzeniu}} {{ścieżka/do/lokalnego_katalogu}}` +`adb push {{ścieżka/do/lokalnego_pliku_lub_katalogu}} {{ścieżka/do/docelowego_katalogu_na_urządzeniu}}` -- Listuj połączone lub emulowane urządzenia: +- Wypisz wszystkie połączone urządzenia: `adb devices` diff --git a/pages.pl/common/ag.md b/pages.pl/common/ag.md index 0a6221988..91c216cf1 100644 --- a/pages.pl/common/ag.md +++ b/pages.pl/common/ag.md @@ -3,23 +3,23 @@ > The Silver Searcher. Podobny do `ack`, ale ma być szybszy. > Więcej informacji: . -- Znajdź pliki zawierające „foo” i wypisz dopasowane linie: +- Znajdź pliki zawierające "foo" i wypisz dopasowane linie: `ag {{foo}}` -- Znajdź pliki zawierające „foo” w określonym katalogu: +- Znajdź pliki zawierające "foo" w określonym katalogu: -`ag {{foo}} {{scieżka/do/katalogu}}` +`ag {{foo}} {{ścieżka/do/katalogu}}` -- Znajdź pliki zawierające „foo”, ale podaj tylko nazwy plików: +- Znajdź pliki zawierające "foo", ale wypisz tylko nazwy plików: `ag -l {{foo}}` -- Znajdź pliki zawierające „FOO” bez rozróżniania wielkości liter i wypisz tylko dopasowanie, a nie całą linię: +- Znajdź pliki zawierające "FOO" bez rozróżniania wielkości liter i wypisz tylko dopasowanie, a nie całą linię: `ag -i -o {{FOO}}` -- Znajdź „foo” w plikach o nazwie pasującej do „bar”: +- Znajdź "foo" w plikach o nazwie pasującej do "bar": `ag {{foo}} -G {{bar}}` @@ -27,6 +27,6 @@ `ag '{{^ba(r|z)$}}'` -- Znajdź pliki o nazwie pasującej do „foo”: +- Znajdź pliki o nazwie pasującej do "foo": `ag -g {{foo}}` diff --git a/pages.pl/common/arp.md b/pages.pl/common/arp.md index 52d182202..e032b1678 100644 --- a/pages.pl/common/arp.md +++ b/pages.pl/common/arp.md @@ -1,9 +1,9 @@ # arp -> Pokaż i manipuluj pamięcią podręczną ARP systemu. +> Pokaż i manipuluj systemową pamięcią podręczną ARP. > Więcej informacji: . -- Pokaż bieżącą tabelę arp: +- Pokaż bieżącą tabelę ARP: `arp -a` @@ -11,6 +11,6 @@ `arp -d {{adres}}` -- Utwórz wpis: +- Utwórz nowy wpis w tabeli ARP: `arp -s {{adres}} {{adres_mac}}` diff --git a/pages.pl/common/astronomer.md b/pages.pl/common/astronomer.md index c233d2ec4..a329ff5bc 100644 --- a/pages.pl/common/astronomer.md +++ b/pages.pl/common/astronomer.md @@ -1,16 +1,16 @@ # astronomer -> Narzędzie wykrywające nielegalne gwiazdki z kont botów w projektach GithHub. +> Wykrywaj fałszywe gwiazdki z kont botów w projektach GitHub. > Więcej informacji: . - Skanuj repozytorium: `astronomer {{tldr-pages/tldr-node-client}}` -- Zeskanuj maksymalną liczbę gwiazdek w repozytorium: +- Skanuj maksymalną liczbę gwiazdek w repozytorium: `astronomer {{tldr-pages/tldr-node-client}} --stars {{50}}` -- Przeskanuj repozytorium, w tym raporty porównawcze: +- Skanuj repozytorium, w tym raporty porównawcze: `astronomer {{tldr-pages/tldr-node-client}} --verbose` diff --git a/pages.pl/common/at.md b/pages.pl/common/at.md index 6642f0057..19029bd43 100644 --- a/pages.pl/common/at.md +++ b/pages.pl/common/at.md @@ -1,17 +1,17 @@ # at -> Wykonuje polecenia o zadanym czasie. -> Aby działać poprawnie wymaga działającego serwisu atd (lub atrun). +> Jednokrotnie wykonaj polecenia w późniejszym czasie. +> Usługa atd (lub atrun) powinna być uruchomiona dla rzeczywistych wykonań. > Więcej informacji: . -- Wykonaj za 5 minut polecenie wprowadzone przy użyciu wejścia standardowego (aby zakończyć naciśnij `Ctrl + D`): +- Wykonaj polecenia z `stdin` po upływie 5 minut (naciśnij `Ctrl + D` po zakończeniu): `at now + 5 minutes` -- Wykonaj o 10:00 rano polecenie podane z wejścia standardowego: +- Wykonaj polecenie z `stdin` dziś o 10:00: -`echo "{{./zrób_backup.sh}}" | at 1000` +`echo "{{./zrób_kopię_zapasową_bazy_danych.sh}}" | at 1000` -- Wykonaj polecenia z podanego pliku w najbliższy wtorek o 21:30: +- Wykonaj polecenia z danego pliku w następny wtorek: `at -f {{ścieżka/do/pliku}} 9:30 PM Tue` diff --git a/pages.pl/common/atom.md b/pages.pl/common/atom.md index ab6fcbe15..372c357cd 100644 --- a/pages.pl/common/atom.md +++ b/pages.pl/common/atom.md @@ -2,25 +2,26 @@ > Wieloplatformowy edytor tekstu z obsługą wtyczek. > Wtyczkami zarządza się poprzez `apm`. +> Uwaga: Atom został wycofany i nie jest już aktywnie rozwijany. > Więcej informacji: . - Otwórz plik lub katalog: -`atom {{sciezka/do/pliku_lub_katalogu}}` +`atom {{ścieżka/do/pliku_lub_katalogu}}` -- Otwórz plik lub katalog w nowym oknie: +- Otwórz plik lub katalog w [n]owym oknie: -`atom -n {{sciezka/do/pliku_lub_katalogu}}` +`atom -n {{ścieżka/do/pliku_lub_katalogu}}` - Otwórz plik lub katalog w istniejącym oknie: -`atom --add {{sciezka/do/pliku_lub_katalogu}}` +`atom --add {{ścieżka/do/pliku_lub_katalogu}}` - Otwórz Atom w trybie bezpiecznym (nie ładuje żadnych dodatkowych pakietów): `atom --safe` -- Zapobiega rozwidlaniu się w tle, utrzymuje Atom podłączony do terminala: +- Zapobiegaj rozwidlaniu się w tle, utrzymując Atoma podłączonego do terminala: `atom --foreground` diff --git a/pages.pl/common/atq.md b/pages.pl/common/atq.md index fdfe82406..c7e38ad29 100644 --- a/pages.pl/common/atq.md +++ b/pages.pl/common/atq.md @@ -1,13 +1,13 @@ # atq -> Pokaż oczekujące zadania użytkownika wprowadzone wcześniej przez polecenia `at` lub `batch`. +> Pokaż zadania zaplanowane przez polecenia `at` lub `batch`. > Więcej informacji: . -- Pokaż zaplanowane zadania: +- Pokaż zaplanowane zadania bieżącego użytkownika: `atq` -- Pokaż zadania z kolejki oznaczonej 'a' (kolejki mają jednoznakowe identyfikatory): +- Pokaż zadania z kolejki 'a' (kolejki mają jednoznakowe nazwy): `atq -q {{a}}` diff --git a/pages.pl/common/atrm.md b/pages.pl/common/atrm.md index 873870f79..b2388c74c 100644 --- a/pages.pl/common/atrm.md +++ b/pages.pl/common/atrm.md @@ -1,6 +1,6 @@ # atrm -> Usuwa zadania o zadanych identyfikatorach (numerach) wcześniej zakolejkowane przez `at` lub `batch`. +> Usuń zadania zaplanowane przez komendę `at` lub `batch`. > Aby znaleźć numery zadań, użyj `atq`. > Więcej informacji: . diff --git a/pages.pl/common/autoflake.md b/pages.pl/common/autoflake.md index ac2971b0a..1903cb718 100644 --- a/pages.pl/common/autoflake.md +++ b/pages.pl/common/autoflake.md @@ -1,6 +1,6 @@ # autoflake -> Narzędzie do usuwania nieużywanych importów i zmiennych z kodu Python. +> Usuń nieużywane importy i zmienne z kodu Python. > Więcej informacji: . - Usuń nieużywane zmienne z jednego pliku i wyświetl różnicę: @@ -11,10 +11,10 @@ `autoflake --remove-all-unused-imports {{ścieżka/do/pliku1.py ścieżka/do/pliku2.py ...}}` -- Usuń nieużywane zmienne z pliku, zastępując plik: +- Usuń nieużywane zmienne z pliku, nadpisując plik: `autoflake --remove-unused-variables --in-place {{ścieżka/do/pliku.py}}` - Usuń nieużywane zmienne rekurencyjnie ze wszystkich plików w katalogu, nadpisując każdy plik: -`autoflake --remove-unused-variables --in-place --recursive {{sciezka/do/katalogu}}` +`autoflake --remove-unused-variables --in-place --recursive {{ścieżka/do/katalogu}}` diff --git a/pages.pl/common/awk.md b/pages.pl/common/awk.md index 7758ad306..924beca3c 100644 --- a/pages.pl/common/awk.md +++ b/pages.pl/common/awk.md @@ -3,34 +3,34 @@ > Wszechstronny język programowania do pracy na plikach. > Więcej informacji: . -- Wydrukuj piątą kolumnę (aka. pole) w pliku oddzielonym spacjami: +- Wypisz piątą kolumnę (tzw. pole) w pliku oddzielonym spacjami: -`awk '{print $5}' {{nazwapliku}}` +`awk '{print $5}' {{ścieżka/do/pliku}}` -- Wydrukuj drugą kolumnę wierszy zawierających "something" w pliku oddzielonym spacjami: +- Wypisz drugą kolumnę wierszy zawierających "foo" w pliku oddzielonym spacjami: -`awk '/{{coś}}/ {print $2}' {{nazwapliku}}` +`awk '/{{foo}}/ {print $2}' {{ścieżka/do/pliku}}` -- Wydrukuj ostatnią kolumnę każdego wiersza w pliku, używając przecinka (zamiast spacji) jako separatora pola: +- Wypisz ostatnią kolumnę każdego wiersza w pliku, używając przecinka (zamiast spacji) jako separatora pola: -`awk -F ',' '{print $NF}' {{nazwapliku}}` +`awk -F ',' '{print $NF}' {{ścieżka/do/pliku}}` -- Zsumuj wartości w pierwszej kolumnie pliku i wydrukuj sumę: +- Zsumuj wartości w pierwszej kolumnie pliku i wypisz łączną wartość: -`awk '{s+=$1} END {print s}' {{nazwapliku}}` +`awk '{s+=$1} END {print s}' {{ścieżka/do/pliku}}` -- Drukuj co trzeci wiersz, zaczynając od pierwszego wiersza: +- Wypisuj co trzeci wiersz, zaczynając od pierwszego: -`awk 'NR%3==1' {{nazwapliku}}` +`awk 'NR%3==1' {{ścieżka/do/pliku}}` -- Wydrukuj różne wartości w zależności od warunków: +- Wypisz różne wartości w zależności od warunków: -`awk '{if ($1 == "foo") print "Dokładne dopasowanie foo"; else if ($1 ~ "bar") print "Częściowe dopasowanie bar"; else print "Baz"}' {{nazwapliku}}` +`awk '{if ($1 == "foo") print "Dokładne dopasowanie foo"; else if ($1 ~ "bar") print "Częściowe dopasowanie bar"; else print "Baz"}' {{ścieżka/do/pliku}}` -- Wydrukuj wszystkie linie gdzie wartość 10-tej kolumny jest równa podanej wartości: +- Wypisz wszystkie linie gdzie wartość 10-tej kolumny jest pomiędzy podanymi wartościami: -`awk '($10 == {{wartość}})'` +`awk '($10 >= {{min_wartość}} && $10 <= {{maks_wartość}})'` -- Wydrukuj wszystkie linie, w których wartość 10-tej kolumny jest pomiędzy podanymi wartościami: +- Wypisz tabelę użytkowników z UID >=1000 z nagłówkiem i sformatowanym wyjściem, używając dwukropka jako separatora (`%-20s` oznacza: 20 znaków ciągu wyrównanych do lewej, `%6s` oznacza: 6 znaków ciągu wyrównanych do prawej): -`awk '($10 >= {{wartość_minimalna}} && $10 <= {{wartość_maksymalna}})'` +`awk 'BEGIN {FS=":";printf "%-20s %6s %25s\n", "Name", "UID", "Shell"} $4 >= 1000 {printf "%-20s %6d %25s\n", $1, $4, $7}' /etc/passwd` diff --git a/pages.pl/common/aws.md b/pages.pl/common/aws.md index 2d22c85fa..6888a06ba 100644 --- a/pages.pl/common/aws.md +++ b/pages.pl/common/aws.md @@ -1,7 +1,7 @@ # aws > Oficjalne narzędzie CLI dla Amazon Web Services. -> Wizard, SSO, Resource Autocompletion, i opcje YAML są tylko v2. +> Niektóre podkomendy takie jak `aws s3` mają osobną dokumentację. > Więcej informacji: . - Konfiguruj AWS Command-line: @@ -12,15 +12,11 @@ `aws configure sso` -- Zobacz tekst pomocy dla polecenia AWS: - -`aws {{komenda}} help` - - Uzyskaj tożsamość wywołującego (służy do rozwiązywania problemów z uprawnieniami): `aws sts get-caller-identity` -- Wyświetla listę zasobów AWS w regionie i wyświetla w yaml: +- Uzyskaj listę zasobów AWS w regionie i wyświetl ją w YAML: `aws dynamodb list-tables --region {{us-east-1}} --output yaml` @@ -35,3 +31,7 @@ - Generuj JSON CLI Skeleton (przydatne dla infrastruktury jako kodu): `aws dynamodb update-table --generate-cli-skeleton` + +- Wyświetl pomoc dla określonej komendy: + +`aws {{komenda}} help` diff --git a/pages.pl/common/babel.md b/pages.pl/common/babel.md index 0d541952e..1f5111556 100644 --- a/pages.pl/common/babel.md +++ b/pages.pl/common/babel.md @@ -1,36 +1,36 @@ # babel -> Transpiler, który konwertuje kod ze składni JavaScript ES6 / ES7 na składnię ES5. +> Transpiler, który konwertuje kod ze składni JavaScript ES6/ES7 na składnię ES5. > Więcej informacji: . -- Transpiluj określony plik wejściowy i dane wyjściowe do `stdout`: +- Transpiluj określony plik wejściowy i wypisz dane wyjściowe do `stdout`: -`babel {{siezka/do/pliku}}` +`babel {{ścieżka/do/pliku}}` -- Transpiluj określony plik wejściowy i wyjście do określonego pliku: +- Transpiluj określony plik wejściowy i zapisz wyjście do określonego pliku: -`babel {{sciezka/do/pliku_wejsciowego}} --out-file {{sciezka/do/pliku_wyjsciowego}}` +`babel {{ścieżka/do/pliku_wejściowego}} --out-file {{ścieżka/do/pliku_wyjściowego}}` - Transpiluj plik wejściowy przy każdej zmianie: -`babel {{sciezka/do/pliku_wejsciowego}} --watch` +`babel {{ścieżka/do/pliku_wejściowego}} --watch` - Transpiluj cały katalog plików: -`babel {{sciezka/do/katalogu_wejsciowego}}` +`babel {{ścieżka/do/katalogu_wejściowego}}` - Zignoruj określone pliki oddzielone przecinkami w katalogu: -`babel {{sciezka/do/katalogu_wejsciowego}} --ignore {{ignorowane_pliki}}` +`babel {{ścieżka/do/katalogu_wejściowego}} --ignore {{ignorowany_plik1,ignorowany_plik2,...}}` - Transpiluj i wypisz jako zminimalizowany JavaScript: -`babel {{sciezka/do/pliku_wejsciowego}} --minified` +`babel {{ścieżka/do/pliku_wejściowego}} --minified` - Wybierz zestaw ustawień dla formatowania wyjściowego: -`babel {{sciezka/do/pliku_wejsciowego}} --presets {{presets}}` +`babel {{ścieżka/do/pliku_wejściowego}} --presets {{preset1,preset2,...}}` -- Wyświetl wszystkie dostępne opcje: +- Wyświetl pomoc: `babel --help` diff --git a/pages.pl/common/bash.md b/pages.pl/common/bash.md new file mode 100644 index 000000000..65d586e7e --- /dev/null +++ b/pages.pl/common/bash.md @@ -0,0 +1,37 @@ +# bash + +> Bourne-Again SHell, interpreter komend powłoki systemowej kompatybilny z `sh`. +> Zobacz także: `zsh`, `histexpand`. +> Więcej informacji: . + +- Rozpocznij interaktywną sesję powłoki: + +`bash` + +- Rozpocznij interaktywną sesję powłoki bez ładowania konfiguracji: + +`bash --norc` + +- Wywołaj określone komendy: + +`bash -c "{{echo 'bash jest uruchomiony'}}"` + +- Uruchom podany skrypt: + +`bash {{ścieżka/do/skryptu.sh}}` + +- Wykonaj podany skrypt, wypisując wszystkie komendy przed ich wykonaniem: + +`bash -x {{ścieżka/do/skryptu.sh}}` + +- Wykonaj podany skrypt do wystąpienia pierwszego błędu: + +`bash -e {{ścieżka/do/skryptu.sh}}` + +- Wykonaj komendy ze `stdin`: + +`{{echo "echo 'bash jest uruchomiony'"}} | bash` + +- Uruchom sesję w trybie [r]estrykcyjnym: + +`bash -r` diff --git a/pages.pl/common/bmptoppm.md b/pages.pl/common/bmptoppm.md new file mode 100644 index 000000000..e9ae02993 --- /dev/null +++ b/pages.pl/common/bmptoppm.md @@ -0,0 +1,8 @@ +# bmptoppm + +> To polecenie zostało zastąpione przez `bmptopnm`. +> Więcej informacji: . + +- Zobacz dokumentację aktualnego polecenia: + +`tldr bmptopnm` diff --git a/pages.pl/common/clamav.md b/pages.pl/common/clamav.md index ca19a9c2f..b1ad52476 100644 --- a/pages.pl/common/clamav.md +++ b/pages.pl/common/clamav.md @@ -1,4 +1,4 @@ -# clamav +# ClamAV > To polecenie jest aliasem `clamdscan`. > Więcej informacji: . diff --git a/pages.pl/common/compare.md b/pages.pl/common/compare.md new file mode 100644 index 000000000..7893ff3ac --- /dev/null +++ b/pages.pl/common/compare.md @@ -0,0 +1,7 @@ +# compare + +> To polecenie jest aliasem `magick compare`. + +- Zobacz dokumentację oryginalnego polecenia: + +`tldr magick compare` diff --git a/pages.pl/common/convert.md b/pages.pl/common/convert.md new file mode 100644 index 000000000..571f9dacb --- /dev/null +++ b/pages.pl/common/convert.md @@ -0,0 +1,9 @@ +# convert + +> To polecenie jest aliasem `magick convert`. +> Uwaga: ten alias jest wycofany od ImageMagick 7. Został on zastąpiony przez `magick`. +> Użyj `magick convert` jeśli potrzebujesz użyć starego narzędzia w wersjach 7+. + +- Zobacz dokumentację oryginalnego polecenia: + +`tldr magick convert` diff --git a/pages.pl/common/csslint.md b/pages.pl/common/csslint.md index c2d94e143..83b49d751 100644 --- a/pages.pl/common/csslint.md +++ b/pages.pl/common/csslint.md @@ -1,15 +1,15 @@ # csslint -> Linter dla kodu CSS. +> Lintuj kod CSS. > Więcej informacji: . -- Lintowanie pojedynczego pliku CSS: +- Lintuj pojedyńczy plik CSS: `csslint {{plik.css}}` -- Lintowanie wiele plików CSS: +- Lintuj wiele plików CSS: -`csslint {{plik1.css}} {{plik2.css}} {{plik3.css}}` +`csslint {{plik1.css plik2.css ...}}` - Wymień wszystkie możliwe reguły stylu: @@ -17,12 +17,12 @@ - Określ pewne reguły jako błędy (które powodują niezerowy kod wyjścia): -`csslint --errors={{bledy,universal-selector,imports}} {{plik.css}}` +`csslint --errors={{errors,universal-selector,imports}} {{plik.css}}` - Określ pewne reguły jako ostrzeżenia: `csslint --warnings={{box-sizing,selector-max,floats}} {{plik.css}}` -- Określ pewne reguły, które będą całkowicie ignorowane: +- Ignoruj określone reguły: `csslint --ignore={{ids,rules-count,shorthand}} {{plik.css}}` diff --git a/pages.pl/common/cups.md b/pages.pl/common/cups.md new file mode 100644 index 000000000..484696e0c --- /dev/null +++ b/pages.pl/common/cups.md @@ -0,0 +1,25 @@ +# CUPS + +> Otwarty system drukowania. +> CUPS nie jest pojedynczym poleceniem, ale zestawem poleceń. +> Więcej informacji: . + +- Zobacz dokumentację uruchamiania demona CUPS: + +`tldr cupsd` + +- Zobacz dokumentację zarządzania drukarkami: + +`tldr lpadmin` + +- Zobacz dokumentację drukowania plików: + +`tldr lp` + +- Zobacz dokumentację sprawdzania informacji o stanie bieżących klas, zadań i drukarek: + +`tldr lpstat` + +- Zobacz dokumentację anulowania zadań drukowania: + +`tldr lprm` diff --git a/pages.pl/common/dart.md b/pages.pl/common/dart.md new file mode 100644 index 000000000..2de4faf93 --- /dev/null +++ b/pages.pl/common/dart.md @@ -0,0 +1,32 @@ +# dart + +> Zarządzaj projektami Dart. +> Więcej informacji: . + +- Zainicjuj nowy projekt Dart w katalogu o tej samej nazwie: + +`dart create {{nazwa_projektu}}` + +- Uruchom plik Dart: + +`dart run {{ścieżka/do/pliku.dart}}` + +- Pobierz zależności dla obecnego projektu: + +`dart pub get` + +- Uruchom testy jednostkowe dla obecnego projektu: + +`dart test` + +- Aktualizuj przestarzałe zależności projektu w celu obsługi null-safety: + +`dart pub upgrade --null-safety` + +- Skompiluj plik Dart do natywnego pliku binarnego: + +`dart compile exe {{ścieżka/do/pliku.dart}}` + +- Zastosuj automatyczne poprawki dla obecnego projektu: + +`dart fix --apply` diff --git a/pages.pl/common/diff.md b/pages.pl/common/diff.md index cbdd9d97a..7426f14f3 100644 --- a/pages.pl/common/diff.md +++ b/pages.pl/common/diff.md @@ -1,7 +1,7 @@ # diff > Porównaj pliki i foldery. -> Więcej informacji: . +> Więcej informacji: . - Porównaj pliki (lista zmian między `stary_plik` a `nowy_plik`): diff --git a/pages.pl/common/docker-container-diff.md b/pages.pl/common/docker-container-diff.md index 0aae53f43..a18c7b84d 100644 --- a/pages.pl/common/docker-container-diff.md +++ b/pages.pl/common/docker-container-diff.md @@ -1,7 +1,7 @@ # docker container diff > To polecenie jest aliasem `docker diff`. -> Więcej informacji: . +> Więcej informacji: . - Zobacz dokumentację oryginalnego polecenia: diff --git a/pages.pl/common/docker-container-remove.md b/pages.pl/common/docker-container-remove.md index 12ee3297d..381254272 100644 --- a/pages.pl/common/docker-container-remove.md +++ b/pages.pl/common/docker-container-remove.md @@ -1,7 +1,7 @@ # docker container remove > To polecenie jest aliasem `docker rm`. -> Więcej informacji: . +> Więcej informacji: . - Zobacz dokumentację oryginalnego polecenia: diff --git a/pages.pl/common/docker-container-rm.md b/pages.pl/common/docker-container-rm.md index a8b33ec7d..436db08e4 100644 --- a/pages.pl/common/docker-container-rm.md +++ b/pages.pl/common/docker-container-rm.md @@ -1,7 +1,7 @@ # docker container rm > To polecenie jest aliasem `docker rm`. -> Więcej informacji: . +> Więcej informacji: . - Zobacz dokumentację oryginalnego polecenia: diff --git a/pages.pl/common/dotnet.md b/pages.pl/common/dotnet.md index 0a23108a8..c3941ed56 100644 --- a/pages.pl/common/dotnet.md +++ b/pages.pl/common/dotnet.md @@ -1,13 +1,14 @@ # dotnet > Wieloplatformowe narzędzia wiersza polecenia .NET dla platformy .NET Core. +> Niektóre podkomendy takie jak `dotnet build` mają osobną dokumentację. > Więcej informacji: . - Zainicjuj nowy projekt .NET: -`dotnet new {{szablon_krotka_nazwa}}` +`dotnet new {{krótka_nazwa_szablonu}}` -- Przywróć pakiety nuget: +- Przywróć pakiety NuGet: `dotnet restore` @@ -15,6 +16,6 @@ `dotnet run` -- Uruchom pakietową aplikację dotnet (wymaga tylko środowiska wykonawczego, pozostałe polecenia wymagają zainstalowanego zestawu .NET Core SDK): +- Uruchom spakowaną aplikację dotnet (wymaga tylko środowiska wykonawczego, pozostałe polecenia wymagają zainstalowanego zestawu .NET Core SDK): -`dotnet {{sciezka/do/aplikacji.dll}}` +`dotnet {{ścieżka/do/aplikacji.dll}}` diff --git a/pages.pl/common/entr.md b/pages.pl/common/entr.md index 2e3d9ad91..536fef998 100644 --- a/pages.pl/common/entr.md +++ b/pages.pl/common/entr.md @@ -1,7 +1,7 @@ # entr > Uruchom dowolną komendę, gdy zmieni się plik. -> Więcej informacji: . +> Więcej informacji: . - Przebuduj projekt używając `make`, jeżeli zmiemi się którykolwiek z plików w podkatalogu: diff --git a/pages.pl/common/fossil-ci.md b/pages.pl/common/fossil-ci.md index 1e23f3083..6ae8eb856 100644 --- a/pages.pl/common/fossil-ci.md +++ b/pages.pl/common/fossil-ci.md @@ -1,6 +1,6 @@ -# fossil-ci +# fossil ci -> To polecenie jest aliasem `fossil-commit`. +> To polecenie jest aliasem `fossil commit`. > Więcej informacji: . - Zobacz dokumentację oryginalnego polecenia: diff --git a/pages.pl/common/fossil-delete.md b/pages.pl/common/fossil-delete.md index 10f919f11..9c553853f 100644 --- a/pages.pl/common/fossil-delete.md +++ b/pages.pl/common/fossil-delete.md @@ -1,4 +1,4 @@ -# fossil-delete +# fossil delete > To polecenie jest aliasem `fossil rm`. > Więcej informacji: . diff --git a/pages.pl/common/fossil-forget.md b/pages.pl/common/fossil-forget.md index af6a342ee..1110ab3cf 100644 --- a/pages.pl/common/fossil-forget.md +++ b/pages.pl/common/fossil-forget.md @@ -1,4 +1,4 @@ -# fossil-forget +# fossil forget > To polecenie jest aliasem `fossil rm`. > Więcej informacji: . diff --git a/pages.pl/common/fossil-new.md b/pages.pl/common/fossil-new.md index d667abbbc..de674b077 100644 --- a/pages.pl/common/fossil-new.md +++ b/pages.pl/common/fossil-new.md @@ -1,6 +1,6 @@ -# fossil-new +# fossil new -> To polecenie jest aliasem `fossil-init`. +> To polecenie jest aliasem `fossil init`. > Więcej informacji: . - Zobacz dokumentację oryginalnego polecenia: diff --git a/pages.pl/common/frp.md b/pages.pl/common/frp.md new file mode 100644 index 000000000..98e24ab87 --- /dev/null +++ b/pages.pl/common/frp.md @@ -0,0 +1,12 @@ +# frp + +> Fast Reverse Proxy: szybko konfiguruj tunele sieciowe w celu udostępnienia określonych usług w Internecie lub innych sieciach zewnętrznych. +> Więcej informacji: . + +- Zobacz dokumentację `frpc`, komponentu klienta `frp`: + +`tldr frpc` + +- Zobacz dokumentację `frps`, komponentu serwera `frp`: + +`tldr frps` diff --git a/pages.pl/common/gemtopbm.md b/pages.pl/common/gemtopbm.md new file mode 100644 index 000000000..9ca4cade9 --- /dev/null +++ b/pages.pl/common/gemtopbm.md @@ -0,0 +1,8 @@ +# gemtopbm + +> To polecenie zostało zastąpione przez `gemtopnm`. +> Więcej informacji: . + +- Zobacz dokumentację aktualnego polecenia: + +`tldr gemtopnm` diff --git a/pages.pl/common/gh-cs.md b/pages.pl/common/gh-cs.md index 44a14ff14..854898ab5 100644 --- a/pages.pl/common/gh-cs.md +++ b/pages.pl/common/gh-cs.md @@ -1,6 +1,6 @@ -# gh-cs +# gh cs -> To polecenie jest aliasem `gh-codespace`. +> To polecenie jest aliasem `gh codespace`. > Więcej informacji: . - Zobacz dokumentację oryginalnego polecenia: diff --git a/pages.pl/common/gnmic-sub.md b/pages.pl/common/gnmic-sub.md index 6bfb11043..77fe78d3d 100644 --- a/pages.pl/common/gnmic-sub.md +++ b/pages.pl/common/gnmic-sub.md @@ -1,4 +1,4 @@ -# gnmic-sub +# gnmic sub > To polecenie jest aliasem `gnmic subscribe`. > Więcej informacji: . diff --git a/pages.pl/common/icontopbm.md b/pages.pl/common/icontopbm.md new file mode 100644 index 000000000..1b0fe9fed --- /dev/null +++ b/pages.pl/common/icontopbm.md @@ -0,0 +1,8 @@ +# icontopbm + +> To polecenie zostało zastąpione przez `sunicontopnm`. +> Więcej informacji: . + +- Zobacz dokumentację aktualnego polecenia: + +`tldr sunicontopnm` diff --git a/pages.pl/common/identify.md b/pages.pl/common/identify.md new file mode 100644 index 000000000..a185110f2 --- /dev/null +++ b/pages.pl/common/identify.md @@ -0,0 +1,7 @@ +# identify + +> To polecenie jest aliasem `magick identify`. + +- Zobacz dokumentację oryginalnego polecenia: + +`tldr magick identify` diff --git a/pages.pl/common/import.md b/pages.pl/common/import.md new file mode 100644 index 000000000..670ed6a9d --- /dev/null +++ b/pages.pl/common/import.md @@ -0,0 +1,7 @@ +# import + +> To polecenie jest aliasem `magick import`. + +- Zobacz dokumentację oryginalnego polecenia: + +`tldr magick import` diff --git a/pages.pl/common/jfrog.md b/pages.pl/common/jfrog.md new file mode 100644 index 000000000..b795fc11c --- /dev/null +++ b/pages.pl/common/jfrog.md @@ -0,0 +1,7 @@ +# jfrog + +> To polecenie jest aliasem `jf`. + +- Zobacz dokumentację oryginalnego polecenia: + +`tldr jf` diff --git a/pages.pl/common/lckdo.md b/pages.pl/common/lckdo.md new file mode 100644 index 000000000..8401a4886 --- /dev/null +++ b/pages.pl/common/lckdo.md @@ -0,0 +1,8 @@ +# lckdo + +> To polecenie jest przestarzałe i zastąpione przez `flock`. +> Więcej informacji: . + +- Zobacz dokumentację zalecanego zamiennika: + +`tldr flock` diff --git a/pages.pl/common/ls.md b/pages.pl/common/ls.md index 5bdf90d57..73922c80d 100644 --- a/pages.pl/common/ls.md +++ b/pages.pl/common/ls.md @@ -15,19 +15,19 @@ `ls -F` -- Lista w długim formacie (uprawnienia, właściciel/ka, rozmiar i data modyfikacji) wszystkich plików: +- Wypisz listę w długim formacie (uprawnienia, własność, rozmiar i data modyfikacji) wszystkich plików: `ls -la` -- Lista w długim formacie z rozmiarem w jednostkach z przedrostkami dwójkowymi (KiB, MiB, GiB): +- Wypisz listę w długim formacie z rozmiarem w jednostkach z przedrostkami dwójkowymi (KiB, MiB, GiB): `ls -lh` -- Lista w długim formacie posortowana rozmiarem (malejąco): +- Wypisz listę rekurencyjnie w długim formacie, posortowaną po rozmiarze (malejąco): -`ls -lS` +`ls -lSR` -- Lista wszystkich plików w długim formacie posortowanych według daty modyfikacji (od najstarszych): +- Wypisz listę wszystkich plików w długim formacie posortowaną według daty modyfikacji (od najstarszych): `ls -ltr` diff --git a/pages.pl/common/mysql.md b/pages.pl/common/mysql.md index ad78ce74c..91ce357ee 100644 --- a/pages.pl/common/mysql.md +++ b/pages.pl/common/mysql.md @@ -3,30 +3,30 @@ > Narzędzie wiersza polecenia MySQL. > Więcej informacji: . -- Połącz z bazą danych: +- Połącz się z bazą danych: -`mysql {{nazwa_bazydanych}}` +`mysql {{nazwa_bazy_danych}}` - Połącz się z bazą danych, użytkownik zostanie poproszony o podanie hasła: -`mysql -u {{uzytkownik}} --password {{nazwa_bazydanych}}` +`mysql -u {{użytkownik}} --password {{nazwa_bazy_danych}}` - Połącz się z bazą danych na innym hoście: -`mysql -h {{host_bazydanych}} {{nazwa_bazydanych}}` +`mysql -h {{host_bazy_danych}} {{nazwa_bazy_danych}}` - Połącz się z bazą danych przez gniazdo Unix: -`mysql --socket {{sciezka/do/socket.sock}}` +`mysql --socket {{ścieżka/do/gniazda.sock}}` - Wykonuj instrukcje SQL w pliku skryptu (plik wsadowy): -`mysql -e "source {{nazwapliku.sql}}" {{nazwa_bazydanych}}` +`mysql -e "source {{nazwa_pliku.sql}}" {{nazwa_bazy_danych}}` - Przywróć bazę danych z kopii zapasowej (użytkownik zostanie poproszony o podanie hasła): -`mysql --user {{uzytkownik}} --password {{nazwa_bazydanych}} < {{sciezka/do/backup.sql}}` +`mysql --user {{użytkownik}} --password {{nazwa_bazy_danych}} < {{ścieżka/do/kopii_zapasowej.sql}}` - Przywróć wszystkie bazy danych z kopii zapasowej (użytkownik zostanie poproszony o podanie hasła): -`mysql --user {{uzytkownik}} --password < {{sciezka/do/backup.sql}}` +`mysql --user {{użytkownik}} --password < {{ścieżka/do/kopii_zapasowej.sql}}` diff --git a/pages.pl/common/nmap.md b/pages.pl/common/nmap.md index 070368fdd..5001d0c8f 100644 --- a/pages.pl/common/nmap.md +++ b/pages.pl/common/nmap.md @@ -1,37 +1,37 @@ # nmap -> Narzędzie do enumeracji sieci oraz skanowania portów. -> Niektóre funkcję są tylko aktywne gdy Nmap uruchamiany jest z przywilejami root'a. -> Więcej informacji: . +> Narzędzie do eksploracji sieci oraz skaner bezpieczeństwa/portów. +> Niektóre funkcje (np. skan SYN) aktywują się tylko gdy `nmap` jest uruchamiany z przywilejami root'a. +> Więcej informacji: . -- Sprawdź czy host odpowiada na skanowanie oraz zgadnij system operacyjny: +- Skanuj 1000 najpopularniejszych portów zdalnego hosta z różnymi poziomami szczegółowości ([v]erbosity): -`nmap -O {{ip_lub_nazwa_hosta}}` +`nmap -v{{1|2|3}} {{ip_lub_nazwa_hosta}}` -- Sprawdź czy podane hosty odpowiadają na skanowanie i zgadnij ich nazwy: +- Wykonaj bardzo agresywnie ping sweep w całej podsieci lub na poszczególnych hostach: -`sudo nmap -sn {{ip_lub_nazwa_hosta}} {{opcjonalny_kolejny_adres_ip}}` +`nmap -T5 -sn {{192.168.0.0/24|ip_lub_nazwa_hosta1,ip_lub_nazwa_hosta2,...}}` -- Poza tym, uruchom domyśle skrypty, wykrywanie działających serwisów, OS fingerprinting oraz komendę traceroute: +- Włącz wykrywanie systemu operacyjnego, wykrywanie wersji, skanowanie skryptów i traceroute hostów z pliku: -`nmap -A {{adres_lub_adresy_ip}}` +`sudo nmap -A -iL {{ścieżka/do/pliku.txt}}` -- Skanuj podaną listę portów (użyj '-p-' dla wszystkich portów od 1 do 65535): +- Skanuj podaną listę portów (użyj `-p-` dla wszystkich portów od 1 do 65535): -`nmap -p {{port1,port2,...,portN}} {{adres_lub_adresy_ip}}` +`nmap -p {{port1,port2,...}} {{ip_lub_host1,ip_lub_host2,...}}` -- Przeprowadź wykrywanie serwisów i ich wersji dla 1000 najczęstrzych portów używając domyślich skryptów NSE; Zapisz rezultat ('-oN') do pliku wyjściowego: +- Przeprowadź wykrywanie usług i wersji dla 1000 najpopularniejszych portów używając domyślnych skryptów NSE, zapisując wynik (`-oA`) do plików wyjściowych: -`nmap -sC -sV -oN {{top-1000-ports.txt}} {{adres_lub_adresy_ip}}` +`nmap -sC -sV -oA {{top-1000-ports}} {{ip_lub_host1,ip_lub_host2,...}}` -- Skanuj cel lub cele używając skryptów NSE 'default and safe': +- Skanuj cel(e) ostrożnie używając skryptów NSE `default and safe`: -`nmap --script "default and safe" {{adres_lub_adresy_ip}}` +`nmap --script "default and safe" {{ip_lub_host1,ip_lub_host2,...}}` -- Skanuj serwer webowy uruchomiony na standardowych portach 80 i 443 używając wszystkich dostępnych skryptów NSE 'http-*': +- Skanuj w poszukiwaniu serwerów internetowych działających na standardowych portach 80 i 443 przy użyciu wszystkich dostępnych skryptów NSE `http-*`: -`nmap --script "http-*" {{adres_lub_adresy_ip}} -p 80,443` +`nmap --script "http-*" {{ip_lub_host1,ip_lub_host2,...}} -p 80,443` -- Wykonaj skryty i bardzo wolny skan ('-T0') próbując uniknąć wykrycia przez IDS/IPS i użyj adresu IP wabika ('-D'): +- Spróbuj uniknąć wykrycia przez IDS/IPS, używając bardzo powolnego skanowania (`-T0`), fałszywych adresów źródłowych - wabików (`-D`), [f]ragmentowanych pakietów, losowych danych i innych metod: -`nmap -T0 -D {{adres_ip_wabika1,adres_ip_wabika2,...,adres_ip_wabikaN}} {{adres_lub_adresy_ip}}` +`sudo nmap -T0 -D {{ip_wabika1,ip_wabika2,...}} --source-port {{53}} -f --data-length {{16}} -Pn {{ip_lub_host}}` diff --git a/pages.pl/common/open.md b/pages.pl/common/open.md index 8beb27c88..338989cfc 100644 --- a/pages.pl/common/open.md +++ b/pages.pl/common/open.md @@ -6,6 +6,6 @@ `tldr open -p osx` -- Zobacz dokumentację komendy dostępnej w `fish`: +- Zobacz dokumentację komendy dostępnej w fish: `tldr open.fish` diff --git a/pages.pl/common/php.md b/pages.pl/common/php.md index 67ab6f4cc..febba8147 100644 --- a/pages.pl/common/php.md +++ b/pages.pl/common/php.md @@ -3,7 +3,7 @@ > Interfejs wiersza poleceń PHP. > Więcej informacji: . -- Parsuj i uruchom skrypt php: +- Parsuj i uruchom skrypt PHP: `php {{plik}}` diff --git a/pages.pl/common/pio-init.md b/pages.pl/common/pio-init.md index e974d8032..11d3580df 100644 --- a/pages.pl/common/pio-init.md +++ b/pages.pl/common/pio-init.md @@ -1,4 +1,4 @@ -# pio-init +# pio init > To polecenie jest aliasem `pio project`. diff --git a/pages.pl/common/r.md b/pages.pl/common/r.md index 4cf873e6c..d32110715 100644 --- a/pages.pl/common/r.md +++ b/pages.pl/common/r.md @@ -1,4 +1,4 @@ -# r +# R > Interpreter języka R. > Więcej informacji: . diff --git a/pages.pl/common/rsync.md b/pages.pl/common/rsync.md index d2da6b76c..b14b5f2fd 100644 --- a/pages.pl/common/rsync.md +++ b/pages.pl/common/rsync.md @@ -1,7 +1,7 @@ # rsync > Przesyłaj pliki do lub ze zdalnego hosta (ale nie pomiędzy dwoma zdalnymi hostami), domyślnie używając SSH. -> Aby wskazać na ścieżkę zdalną, użyj `host:ścieżka/do/pliku_lub_katalogu`. +> Aby wskazać na ścieżkę zdalną, użyj `user@host:ścieżka/do/pliku_lub_katalogu`. > Więcej informacji: . - Prześlij plik: @@ -10,28 +10,28 @@ - Użyj trybu archiwum (rekursywnie kopiuj katalogi, kopiuj dowiązania symboliczne bez rozwiązywania i zachowaj uprawnienia, własność i czasy modyfikacji): -`rsync --archive {{ścieżka/do/źródła}} {{ścieżka/do/miejsca_docelowego}}` +`rsync {{-a|--archive}} {{ścieżka/do/źródła}} {{ścieżka/do/miejsca_docelowego}}` - Kompresuj dane podczas gdy są wysyłane do miejsca docelowego, wyświetlaj szczegółowy i czytelny dla człowieka postęp i zachowaj częściowo przesłane pliki w przypadku przerwania: -`rsync --compress --verbose --human-readable --partial --progress {{ścieżka/do/źródła}} {{ścieżka/do/miejsca_docelowego}}` +`rsync {{-zvhP|--compress --verbose --human-readable --partial --progress}} {{ścieżka/do/źródła}} {{ścieżka/do/miejsca_docelowego}}` - Rekursywnie kopiuj katalogi: -`rsync --recursive {{ścieżka/do/źródła}} {{ścieżka/do/miejsca_docelowego}}` +`rsync {{-r|--recursive}} {{ścieżka/do/źródła}} {{ścieżka/do/miejsca_docelowego}}` - Prześlij zawartość katalogu, ale nie sam katalog: -`rsync --recursive {{ścieżka/do/źródła}}/ {{ścieżka/do/miejsca_docelowego}}` +`rsync {{-r|--recursive}} {{ścieżka/do/źródła}}/ {{ścieżka/do/miejsca_docelowego}}` - Rekursywnie kopiuj katalogi, użyj trybu archiwum, rozwiąż dowiązania symboliczne i pomiń pliki, które są nowsze w miejscu docelowym: -`rsync --archive --update --copy-links {{ścieżka/do/źródła}} {{ścieżka/do/miejsca_docelowego}}` +`rsync {{-auL|--archive --update --copy-links}} {{ścieżka/do/źródła}} {{ścieżka/do/miejsca_docelowego}}` -- Prześlij katalog do zdalnego hosta, na którym działa `rsyncd` i usuń pliki w miejscu docelowym które nie istnieją w źródle: +- Prześlij katalog ze zdalnego hosta, na którym działa `rsyncd` i usuń pliki w miejscu docelowym, które nie istnieją w źródle: -`rsync --recursive --delete rsync://{{host}}:{{ścieżka/do/źródła}} {{ścieżka/do/miejsca_docelowego}}` +`rsync {{-r|--recursive}} --delete rsync://{{host}}:{{ścieżka/do/źródła}} {{ścieżka/do/miejsca_docelowego}}` - Prześlij plik poprzez SSH używając innego portu niż domyślny (22) i wyświetlaj globalny postęp: -`rsync --rsh 'ssh -p {{port}}' --info=progress2 {{host}}:{{ścieżka/do/źródła}} {{ścieżka/do/miejsca_docelowego}}` +`rsync {{-e|--rsh}} 'ssh -p {{port}}' --info=progress2 {{host}}:{{ścieżka/do/źródła}} {{ścieżka/do/miejsca_docelowego}}` diff --git a/pages.pl/common/sudo.md b/pages.pl/common/sudo.md index 277a01b1a..563add3e5 100644 --- a/pages.pl/common/sudo.md +++ b/pages.pl/common/sudo.md @@ -15,7 +15,7 @@ `sudo -u {{uzytkownik}} -g {{grupa}} {{id -a}}` -- Powtórz ostatnie polecenie poprzedzone `sudo` (tylko w `bash`, `zsh`, etc.): +- Powtórz ostatnie polecenie poprzedzone `sudo` (tylko w Bash, Zsh, etc.): `sudo !!` diff --git a/pages.pl/common/tig.md b/pages.pl/common/tig.md index ab0d8f23d..240daf67d 100644 --- a/pages.pl/common/tig.md +++ b/pages.pl/common/tig.md @@ -1,7 +1,7 @@ # tig > Interfejs tekstowy dla Gita. -> Więcej informacji: . +> Więcej informacji: . - Pokaż listę commitów w odwrotnej kolejności chronologicznej, zaczynając od najnowszego: diff --git a/pages.pl/common/tlmgr-arch.md b/pages.pl/common/tlmgr-arch.md index 167e480d6..936145256 100644 --- a/pages.pl/common/tlmgr-arch.md +++ b/pages.pl/common/tlmgr-arch.md @@ -1,4 +1,4 @@ -# tlmgr-arch +# tlmgr arch > To polecenie jest aliasem `tlmgr platform`. > Więcej informacji: . diff --git a/pages.pl/common/yes.md b/pages.pl/common/yes.md index 23a8ce8fa..769d7899c 100644 --- a/pages.pl/common/yes.md +++ b/pages.pl/common/yes.md @@ -4,14 +4,18 @@ > Komenda używana często aby potwierdzić pytania zadawane przez komendy instalujące takie jak apt-get. > Więcej informacji: . -- Wypisuje bez końca "wiadomość": +- Wypisuj bez końca "wiadomość": `yes {{wiadomość}}` -- Wypisuje bez końca "y": +- Wypisuj bez końca "y": `yes` - Wysyłaj potwierdzenie dla każdego pytania zadanego przez `apt-get`: `yes | sudo apt-get install {{program}}` + +- Wielokrotnie wypisuj znak nowej linii, aby zawsze akceptować domyślne opcje poleceń: + +`yes ''` diff --git a/pages.pl/linux/a2disconf.md b/pages.pl/linux/a2disconf.md new file mode 100644 index 000000000..99974c249 --- /dev/null +++ b/pages.pl/linux/a2disconf.md @@ -0,0 +1,12 @@ +# a2disconf + +> Wyłącz plik konfiguracyjny Apache w systemach opartych na Debianie. +> Więcej informacji: . + +- Wyłącz plik konfiguracyjny: + +`sudo a2disconf {{plik_konfiguracyjny}}` + +- Nie pokazuj wiadomości informacyjnych: + +`sudo a2disconf --quiet {{plik_konfiguracyjny}}` diff --git a/pages.pl/linux/apt-add-repository.md b/pages.pl/linux/apt-add-repository.md index 77575e78e..80c6e1e5f 100644 --- a/pages.pl/linux/apt-add-repository.md +++ b/pages.pl/linux/apt-add-repository.md @@ -1,7 +1,7 @@ # apt-add-repository > Zarządzaj definicjami repozytoriów `apt`. -> Więcej informacji: . +> Więcej informacji: . - Dodaj nowe repozytorium `apt`: diff --git a/pages.pl/linux/apt-cache.md b/pages.pl/linux/apt-cache.md index 11090fd8b..082a6310c 100644 --- a/pages.pl/linux/apt-cache.md +++ b/pages.pl/linux/apt-cache.md @@ -1,7 +1,7 @@ # apt-cache > Narzędzie do zapytań o pakiety w Debianie i Ubuntu. -> Więcej informacji: . +> Więcej informacji: . - Wyszukaj pakiet w aktualnych źródłach: diff --git a/pages.pl/linux/apt-file.md b/pages.pl/linux/apt-file.md index 9276fefa2..2e6901801 100644 --- a/pages.pl/linux/apt-file.md +++ b/pages.pl/linux/apt-file.md @@ -1,7 +1,7 @@ # apt-file -> Wyszukaj pliki w pakietach apt, w tym jeszcze nie zainstalowanych. -> Więcej informacji: . +> Wyszukaj pliki w pakietach APT, w tym jeszcze nie zainstalowanych. +> Więcej informacji: . - Zaktualizuj bazę metadanych: diff --git a/pages.pl/linux/apt-get.md b/pages.pl/linux/apt-get.md index cc9da3a2f..a3359789e 100644 --- a/pages.pl/linux/apt-get.md +++ b/pages.pl/linux/apt-get.md @@ -2,7 +2,7 @@ > Narzędzie do zarządzania pakietami Debiana i Ubuntu. > Szukaj pakietów używając `apt-cache`. -> Więcej informacji: . +> Więcej informacji: . - Zaktualizuj listę dostępnych pakietów oraz wersji (zalecane jest uruchomienie tego polecenia przed innymi poleceniami `apt-get`): diff --git a/pages.pl/linux/apt-key.md b/pages.pl/linux/apt-key.md index 7fa41a258..60e2897c9 100644 --- a/pages.pl/linux/apt-key.md +++ b/pages.pl/linux/apt-key.md @@ -2,7 +2,7 @@ > Narzędzie do zarządzania kluczami menedżera pakietów APT dla Debiana i Ubuntu. > Notatka: `apt-key` jest aktualnie przestarzały (za wyjątkiem użycia `apt-key del` w skryptach opiekunów). -> Więcej informacji: . +> Więcej informacji: . - Wyświetl zaufane klucze: @@ -20,6 +20,6 @@ `wget -qO - {{https://host.tld/nazwa_pliku.key}} | apt-key add -` -- Dodaj klucz z serwera kluczy na podstawie id klucza: +- Dodaj klucz z serwera kluczy na podstawie ID klucza: `apt-key adv --keyserver {{pgp.mit.edu}} --recv {{id_klucza}}` diff --git a/pages.pl/linux/apt-mark.md b/pages.pl/linux/apt-mark.md index ff2ce7a8c..58b420895 100644 --- a/pages.pl/linux/apt-mark.md +++ b/pages.pl/linux/apt-mark.md @@ -1,7 +1,7 @@ # apt-mark > Narzędzie do zmiany statusu zainstalowanych pakietów. -> Więcej informacji: . +> Więcej informacji: . - Oznacz pakiet jako zainstalowany automatycznie: diff --git a/pages.pl/linux/apt-moo.md b/pages.pl/linux/apt-moo.md index 9cdcd32e1..595a181c4 100644 --- a/pages.pl/linux/apt-moo.md +++ b/pages.pl/linux/apt-moo.md @@ -1,7 +1,7 @@ # apt moo > Easter egg `APT`. -> Więcej informacji: . +> Więcej informacji: . - Wyświetl easter egga z krową: diff --git a/pages.pl/linux/apt.md b/pages.pl/linux/apt.md index ffa701708..7d97b995d 100644 --- a/pages.pl/linux/apt.md +++ b/pages.pl/linux/apt.md @@ -3,7 +3,7 @@ > Narzędzie do zarządzania pakietami dla dystrybucji bazujących na Debianie. > Zalecany zamiennik `apt-get` przy użyciu interaktywnym w Ubuntu w wersjach 16.04 i wyższych. > Odpowiednie polecenia dla innych menedżerów pakietów: . -> Więcej informacji: . +> Więcej informacji: . - Zaktualizuj listę dostępnych pakietów i ich wersji (zaleca się uruchomienie tego przed innymi poleceniami `apt`): diff --git a/pages.pl/linux/aptitude.md b/pages.pl/linux/aptitude.md index f20b88b8a..99196c3d3 100644 --- a/pages.pl/linux/aptitude.md +++ b/pages.pl/linux/aptitude.md @@ -1,7 +1,7 @@ # aptitude > Narzędzie zarządzania pakietami dla Debiana i Ubuntu. -> Więcej informacji: . +> Więcej informacji: . - Zaktualizuj listę dostępnych pakietów oraz wersji. Zalecane jest uruchomienie tego polecenia przed innymi poleceniami `aptitude`: diff --git a/pages.pl/linux/fatlabel.md b/pages.pl/linux/fatlabel.md index d6bd5949a..38e225f4b 100644 --- a/pages.pl/linux/fatlabel.md +++ b/pages.pl/linux/fatlabel.md @@ -1,12 +1,12 @@ # fatlabel -> Ustawia lub pobiera informację o nazwie partycji FAT32. +> Uzyskaj lub ustaw etykietę partycji FAT32. > Więcej informacji: . -- Pobranie informacji o nazwie partycji FAT32: +- Uzyskaj etykietę partycji FAT32: `fatlabel {{/dev/sda1}}` -- Ustawienie nazwy partycji FAT32: +- Ustaw etykietę partycji FAT32: `fatlabel {{/dev/sdc3}} "{{nowa_etykieta}}"` diff --git a/pages.pl/linux/ifup.md b/pages.pl/linux/ifup.md index 3e223ef09..f6ea89ee9 100644 --- a/pages.pl/linux/ifup.md +++ b/pages.pl/linux/ifup.md @@ -1,7 +1,7 @@ # ifup > Narzędzie używane do włączania interfejsów sieciowych. -> Więcej informacji: . +> Więcej informacji: . - Włączenie interfejsu eth0: diff --git a/pages.pl/linux/ip-route-list.md b/pages.pl/linux/ip-route-list.md index 30e37434c..3531b7bf3 100644 --- a/pages.pl/linux/ip-route-list.md +++ b/pages.pl/linux/ip-route-list.md @@ -1,6 +1,6 @@ -# ip-route-list +# ip route list -> To polecenie jest aliasem `ip-route-show`. +> To polecenie jest aliasem `ip route show`. - Zobacz dokumentację oryginalnego polecenia: diff --git a/pages.pl/linux/line.md b/pages.pl/linux/line.md index 99618cb3b..b9c93c5f9 100644 --- a/pages.pl/linux/line.md +++ b/pages.pl/linux/line.md @@ -1,8 +1,8 @@ # line -> Wczytuje pojedynczą linię wejścia. +> Wczytaj pojedynczą linię wejścia. > Więcej informacji: . -- Wczytanie wejścia: +- Wczytaj wejście: `line` diff --git a/pages.pl/linux/wtf.md b/pages.pl/linux/wtf.md index dbff735bd..bdb12f02f 100644 --- a/pages.pl/linux/wtf.md +++ b/pages.pl/linux/wtf.md @@ -1,7 +1,7 @@ # wtf > Pokazuje rozwinięcia akronimów. -> Więcej informacji: . +> Więcej informacji: . - Rozwinięcie podanego akronimu: diff --git a/pages.pl/linux/zramctl.md b/pages.pl/linux/zramctl.md index 1ccdfdcaa..f633c6a47 100644 --- a/pages.pl/linux/zramctl.md +++ b/pages.pl/linux/zramctl.md @@ -22,4 +22,4 @@ - Wyświetlenie aktualnie zainicjalizowanych urządzeń: -`zramctl` +`sudo zramctl` diff --git a/pages.pl/openbsd/cal.md b/pages.pl/openbsd/cal.md new file mode 100644 index 000000000..82cc9c854 --- /dev/null +++ b/pages.pl/openbsd/cal.md @@ -0,0 +1,32 @@ +# cal + +> Wyświetl kalendarz z wyróżnionym bieżącym dniem. +> Więcej informacji: . + +- Wyświetl kalendarz dla obecnego miesiąca: + +`cal` + +- Wyświetl kalendarz dla określonego roku: + +`cal {{rok}}` + +- Wyświetl kalendarz dla określonego miesiąca i roku: + +`cal {{miesiąc}} {{rok}}` + +- Wyświetl kalendarz dla obecnego roku (z ang. [y]ear): + +`cal -y` + +- Wyświetl dni [j]uliańskie (zaczynając od jeden, numerowane od 1 stycznia): + +`cal -j` + +- Użyj poniedziałku (z ang. [m]onday) jako początku tygodnia zamiast niedzieli: + +`cal -m` + +- Wyświetl numery tygodni (z ang. [w]eek) (niezgodne z `-j`): + +`cal -w` diff --git a/pages.pl/openbsd/chfn.md b/pages.pl/openbsd/chfn.md new file mode 100644 index 000000000..c1ba8d8dd --- /dev/null +++ b/pages.pl/openbsd/chfn.md @@ -0,0 +1,7 @@ +# chfn + +> Ta komenda jest aliasem `chpass`. + +- Pokaż dokumentację oryginalnej komendy: + +`tldr chpass` diff --git a/pages.pl/openbsd/chpass.md b/pages.pl/openbsd/chpass.md new file mode 100644 index 000000000..a425ccac7 --- /dev/null +++ b/pages.pl/openbsd/chpass.md @@ -0,0 +1,21 @@ +# chpass + +> Dodaj lub zmień informacje o użytkowniku w bazie danych, w tym powłoki logowania i hasła. +> Zobacz także: `passwd`. +> Więcej informacji: . + +- Interaktywnie ustaw określoną powłokę logowania dla bieżącego użytkownika: + +`doas chsh` + +- Ustaw określoną powłokę (z ang. [s]hell) logowania dla bieżącego użytkownika: + +`doas chsh -s {{ścieżka/do/powłoki}}` + +- Ustaw określoną powłokę (z ang. [s]hell) logowania dla określonego użytkownika: + +`doas chsh -s {{ścieżka/do/powłoki}} {{nazwa_użytkownika}}` + +- Określ wpis bazy danych użytkownika w formacie pliku `passwd`: + +`doas chsh -a {{nazwa_użytkownika:zaszyfrowane_hasło:uid:gid:...}}` diff --git a/pages.pl/openbsd/chsh.md b/pages.pl/openbsd/chsh.md new file mode 100644 index 000000000..b9c192a7f --- /dev/null +++ b/pages.pl/openbsd/chsh.md @@ -0,0 +1,7 @@ +# chsh + +> Ta komenda jest aliasem `chpass`. + +- Pokaż dokumentację oryginalnej komendy: + +`tldr chpass` diff --git a/pages.pl/openbsd/df.md b/pages.pl/openbsd/df.md new file mode 100644 index 000000000..0c673bf1f --- /dev/null +++ b/pages.pl/openbsd/df.md @@ -0,0 +1,28 @@ +# df + +> Wyświetl przegląd wykorzystania przestrzeni dyskowej systemu plików. +> Więcej informacji: . + +- Wyświetl wszystkie systemy plików i ich wykorzystanie dysków w jednostkach 512-bajtowych: + +`df` + +- Wyświetl wszystkie systemy plików i ich wykorzystanie dysków w formie czytelnej dla człowieka (w oparciu o potęgi 1024): + +`df -h` + +- Wyświetl wszystkie systemy plików i ich wykorzystanie dysków zawierające podany plik lub katalog: + +`df {{ścieżka/do/pliku_lub_folderu}}` + +- Wyświetl statystyki dotyczące liczby wolnych i wykorzystanych [i]-węzłów: + +`df -i` + +- Użyj jednostek 1024-bajtowych do zapisu danych przestrzennych: + +`df -k` + +- Wyświetl informację w [P]rzenośny sposób: + +`df -P` diff --git a/pages.pl/openbsd/pkg_add.md b/pages.pl/openbsd/pkg_add.md new file mode 100644 index 000000000..deb38738b --- /dev/null +++ b/pages.pl/openbsd/pkg_add.md @@ -0,0 +1,17 @@ +# pkg_add + +> Instaluj/aktualizuj pakiety w OpenBSD. +> Zobacz także: `pkg_info`, `pkg_delete`. +> Więcej informacji: . + +- Zaktualizuj wszystkie pakiety, w tym zależności: + +`pkg_add -u` + +- Zainstaluj nowy pakiet: + +`pkg_add {{pakiet}}` + +- Zainstaluj pakiety z surowego wyjścia `pkg_info`: + +`pkg_add -l {{ścieżka/do/pliku}}` diff --git a/pages.pl/openbsd/pkg_delete.md b/pages.pl/openbsd/pkg_delete.md new file mode 100644 index 000000000..1c99fd74d --- /dev/null +++ b/pages.pl/openbsd/pkg_delete.md @@ -0,0 +1,17 @@ +# pkg_delete + +> Usuwaj pakiety w OpenBSD. +> Zobacz także: `pkg_add`, `pkg_info`. +> Więcej informacji: . + +- Usuń pakiet: + +`pkg_delete {{pakiet}}` + +- Usuń pakiet wraz z jego nieużywanymi zależnościami: + +`pkg_delete -a {{pakiet}}` + +- Usuń pakiet "na sucho": + +`pkg_delete -n {{pakiet}}` diff --git a/pages.pl/openbsd/pkg_info.md b/pages.pl/openbsd/pkg_info.md new file mode 100644 index 000000000..008028139 --- /dev/null +++ b/pages.pl/openbsd/pkg_info.md @@ -0,0 +1,13 @@ +# pkg_info + +> Wyświetl informację o pakietach w OpenBSD. +> Zobacz także: `pkg_add`, `pkg_delete`. +> Więcej informacji: . + +- Wyszukaj pakiet, używając jego nazwy: + +`pkg_info -Q {{pakiet}}` + +- Wyświetl listę zainstalowanych pakietów do użycia z `pkg_add -l`: + +`pkg_info -mz` diff --git a/pages.pl/openbsd/sed.md b/pages.pl/openbsd/sed.md new file mode 100644 index 000000000..e2ae61c3a --- /dev/null +++ b/pages.pl/openbsd/sed.md @@ -0,0 +1,29 @@ +# sed + +> Edytuj tekst w sposób skryptowalny. +> Zobacz także: `awk`, `ed`. +> Więcej informacji: . + +- Zastąp wszystkie wystąpienia `jabłko` (podstawowe wyrażenie regularne) przez `mango` (podstawowe wyrażenie regularne) we wszystkich liniach wejściowych i wypisz wynik do `stdout`: + +`{{komenda}} | sed 's/jabłko/mango/g'` + +- Wykonaj określony plik (z ang. [f]ile) skryptu i wypisz jego wynik do `stdout`: + +`{{komenda}} | sed -f {{ścieżka/do/skryptu.sed}}` + +- Opóźnij otwarcie każdego pliku do momentu, gdy polecenie zawierające powiązaną funkcję lub flagę `w` zostanie zastosowane do linii wejścia: + +`{{komenda}} | sed -fa {{ścieżka/do/skryptu.sed}}` + +- Zastąp wszystkie wystąpienia `jabłko` (rozszerzone wyrażenie regularne) przez `JABŁKO` (rozszerzone wyrażenie regularne) we wszystkich liniach wejściowych i wypisz wynik do `stdout`: + +`{{komenda}} | sed -E 's/(jabłko)/\U\1/g'` + +- Wypisz tylko pierwszą linię do `stdout`: + +`{{komenda}} | sed -n '1p'` + +- Zastąp wszystkie wystąpienia `jabłko` (podstawowe wyrażenie regularne) przez `mango` (podstawowe wyrażenie regularne) w określonym pliku i nadpisz oryginalny plik: + +`sed -i 's/jabłko/mango/g' {{ścieżka/do/pliku}}` diff --git a/pages.pl/osx/date.md b/pages.pl/osx/date.md index 8bd60300a..9efa9a78d 100644 --- a/pages.pl/osx/date.md +++ b/pages.pl/osx/date.md @@ -17,4 +17,4 @@ - Wyświetl określoną datę jako znacznik czasu Unix w domyślnym formacie: -`date -r 1473305798` +`date -r {{1473305798}}` diff --git a/pages.pl/osx/xsand.md b/pages.pl/osx/xsand.md new file mode 100644 index 000000000..b2475313c --- /dev/null +++ b/pages.pl/osx/xsand.md @@ -0,0 +1,9 @@ +# xsand + +> Demon zarządzający systemem plików Xsan. Zapewnia usługi dla systemu plików Xsan. +> Nie powinien być wywoływany ręcznie. +> Więcej informacji: . + +- Uruchom demona: + +`xsand` diff --git a/pages.pl/osx/xsltproc.md b/pages.pl/osx/xsltproc.md new file mode 100644 index 000000000..aec522794 --- /dev/null +++ b/pages.pl/osx/xsltproc.md @@ -0,0 +1,12 @@ +# xsltproc + +> Przekształć XML z XSLT w celu uzyskania wyjścia (zwykle HTML lub XML). +> Więcej informacji: . + +- Przekształć plik XML za pomocą określonego arkusza stylów XSLT: + +`xsltproc --output {{ścieżka/do/pliku_wyjścia.html}} {{ścieżka/do/arkusza_stylów.xslt}} {{ścieżka/do/pliku.xml}}` + +- Przekaż wartość do parametru w arkuszu stylów: + +`xsltproc --output {{ścieżka/do/pliku_wyjścia.html}} --stringparam "{{nazwa}}" "{{wartość}}" {{ścieżka/do/arkusza_stylów.xslt}} {{ścieżka/do/pliku.xml}}` diff --git a/pages.pl/osx/yaa.md b/pages.pl/osx/yaa.md new file mode 100644 index 000000000..a838aa848 --- /dev/null +++ b/pages.pl/osx/yaa.md @@ -0,0 +1,28 @@ +# yaa + +> Twórz i manipuluj archiwami YAA. +> Więcej informacji: . + +- Utwórz archiwum z katalogu: + +`yaa archive -d {{ścieżka/do/katalogu}} -o {{ścieżka/do/pliku_wyjścia.yaa}}` + +- Utwórz archiwum z pliku: + +`yaa archive -i {{ścieżka/do/pliku}} -o {{ścieżka/do/pliku_wyjścia.yaa}}` + +- Wypakuj archiwum do obecnego folderu: + +`yaa extract -i {{ścieżka/do/pliku_archiwum.yaa}}` + +- Wyświetl zawartość archiwum: + +`yaa list -i {{ścieżka/do/pliku_archiwum.yaa}}` + +- Utwórz archiwum z określonym algorytmem kompresji: + +`yaa archive -a {{algorytm}} -d {{ścieżka/do/folderu}} -o {{ścieżka/do/pliku_wyjścia.yaa}}` + +- Utwórz archiwum o rozmiarze bloku 8 MB: + +`yaa archive -b 8m -d {{ścieżka/do/folderu}} -o {{ścieżka/do/pliku_wyjścia.yaa}}` diff --git a/pages.pl/osx/yabai.md b/pages.pl/osx/yabai.md new file mode 100644 index 000000000..11de6ca0b --- /dev/null +++ b/pages.pl/osx/yabai.md @@ -0,0 +1,24 @@ +# yabai + +> Kafelkowy menedżer okien dla macOS oparty na partycjonowaniu przestrzeni binarnej. +> Więcej informacji: . + +- Wyślij wiado[m]ość konfiguracyjną w celu ustawienia układu: + +`yabai -m config layout {{bsp|stack|float}}` + +- Ustaw odstęp między oknami w pt: + +`yabai -m config window_gap {{10}}` + +- Włącz nieprzezroczystość: + +`yabai -m config window_opacity on` + +- Wyłącz cienie okien: + +`yabai -m config window_shadow off` + +- Włącz pasek stanu: + +`yabai -m config status_bar on` diff --git a/pages.pl/sunos/devfsadm.md b/pages.pl/sunos/devfsadm.md new file mode 100644 index 000000000..4eb9961ac --- /dev/null +++ b/pages.pl/sunos/devfsadm.md @@ -0,0 +1,16 @@ +# devfsadm + +> Komenda administracyjna dla `/dev`. Zarządza przestrzenią nazw `/dev`. +> Więcej informacji: . + +- Skanuj w poszukiwaniu nowych dysków: + +`devfsadm -c disk` + +- Wyczyść wszystkie wiszące linki /dev i skanuj w poszukiwaniu nowego urządzenia: + +`devfsadm -C -v` + +- Próbne uruchomienie - wypisz to, co zostanie zmienione, ale bez wprowadzania modyfikacji: + +`devfsadm -C -v -n` diff --git a/pages.pl/sunos/dmesg.md b/pages.pl/sunos/dmesg.md new file mode 100644 index 000000000..7e54d88a3 --- /dev/null +++ b/pages.pl/sunos/dmesg.md @@ -0,0 +1,16 @@ +# dmesg + +> Wypisz komunikaty jądra do `stdout`. +> Więcej informacji: . + +- Wyświetl komunikaty jądra: + +`dmesg` + +- Pokaż ilość pamięci fizycznej dostępnej w systemie: + +`dmesg | grep -i memory` + +- Wyświetl komunikaty jądra po 1 stronie naraz: + +`dmesg | less` diff --git a/pages.pl/sunos/prctl.md b/pages.pl/sunos/prctl.md new file mode 100644 index 000000000..1045865b6 --- /dev/null +++ b/pages.pl/sunos/prctl.md @@ -0,0 +1,16 @@ +# prctl + +> Pobieraj lub ustawiaj kontrolę zasobów uruchomionych procesów, zadań i projektów. +> Więcej informacji: . + +- Sprawdź limity procesów i uprawnienia: + +`prctl {{pid}}` + +- Sprawdź limity procesów i uprawnienia w formacie przetwarzalnym przez maszynę: + +`prctl -P {{pid}}` + +- Uzyskaj określony limit dla uruchomionego procesu: + +`prctl -n process.max-file-descriptor {{pid}}` diff --git a/pages.pl/sunos/prstat.md b/pages.pl/sunos/prstat.md new file mode 100644 index 000000000..d427af588 --- /dev/null +++ b/pages.pl/sunos/prstat.md @@ -0,0 +1,24 @@ +# prstat + +> Raportuj statystyki aktywnego procesu. +> Więcej informacji: . + +- Sprawdź wszystkie procesy i raportuj statystyki posortowane według użycia procesora: + +`prstat` + +- Sprawdź wszystkie procesy i raportuj statystyki posortowane według użycia pamięci: + +`prstat -s rss` + +- Raportuj podsumowanie całkowitego użycia dla każdego użytkownika: + +`prstat -t` + +- Raportuj informacje o pomiarach procesu mikrostanu: + +`prstat -m` + +- Wypisz 5 najbardziej obciążających procesor procesów co sekundę: + +`prstat -c -n 5 -s cpu 1` diff --git a/pages.pl/sunos/snoop.md b/pages.pl/sunos/snoop.md new file mode 100644 index 000000000..278fc9546 --- /dev/null +++ b/pages.pl/sunos/snoop.md @@ -0,0 +1,25 @@ +# snoop + +> Sniffer pakietów sieciowych. +> Odpowiednik tcpdump w systemie SunOS. +> Więcej informacji: . + +- Przechwyć pakiety na określonym interfejsie sieciowym: + +`snoop -d {{e1000g0}}` + +- Zapisz przechwycone pakiety w pliku zamiast ich wyświetlania: + +`snoop -o {{ścieżka/do/pliku}}` + +- Wyświetl szczegółowe podsumowanie warstwy protokołu pakietów z pliku: + +`snoop -V -i {{ścieżka/do/pliku}}` + +- Przechwyć pakiety sieciowe, które pochodzą z nazwy hosta i trafiają na dany port: + +`snoop to port {{port}} from host {{nazwa_hosta}}` + +- Przechwyć i wyświetl zrzut heksadecymalny pakietów sieciowych wymienianych między dwoma adresami IP: + +`snoop -x0 -p4 {{ip1}} {{ip2}}` diff --git a/pages.pl/sunos/svcadm.md b/pages.pl/sunos/svcadm.md new file mode 100644 index 000000000..9ef6bd2ab --- /dev/null +++ b/pages.pl/sunos/svcadm.md @@ -0,0 +1,24 @@ +# svcadm + +> Manipuluj instancjami usług. +> Więcej informacji: . + +- Włącz usługę w bazie danych usług: + +`svcadm enable {{nazwa_usługi}}` + +- Wyłącz usługę: + +`svcadm disable {{nazwa_usługi}}` + +- Ponownie uruchom aktywną usługę: + +`svcadm restart {{nazwa_usługi}}` + +- Ponownie odczytaj pliki konfiguracyjne: + +`svcadm refresh {{nazwa_usługi}}` + +- Usuń usługę ze stanu konserwacji i ją uruchom: + +`svcadm clear {{nazwa_usługi}}` diff --git a/pages.pl/sunos/svccfg.md b/pages.pl/sunos/svccfg.md new file mode 100644 index 000000000..070e6c5a6 --- /dev/null +++ b/pages.pl/sunos/svccfg.md @@ -0,0 +1,16 @@ +# svccfg + +> Importuj, eksportuj i modyfikuj konfigurację usług. +> Więcej informacji: . + +- Sprawdź poprawność pliku konfiguracyjnego: + +`svccfg validate {{ścieżka/do/pliku_smf.xml}}` + +- Eksportuj konfigurację usług do pliku: + +`svccfg export {{nazwa_usługi}} > {{ścieżka/do/pliku_smf.xml}}` + +- Importuj/aktualizuj konfigurację usług z pliku: + +`svccfg import {{ścieżka/do/pliku_smf.xml}}` diff --git a/pages.pl/sunos/svcs.md b/pages.pl/sunos/svcs.md new file mode 100644 index 000000000..72f01eb37 --- /dev/null +++ b/pages.pl/sunos/svcs.md @@ -0,0 +1,24 @@ +# svcs + +> Wyświetl informację o uruchomionych usługach. +> Więcej informacji: . + +- Wypisz wszystkie uruchomione usługi: + +`svcs` + +- Wypisz wszystkie usługi, które nie są uruchomione: + +`svcs -vx` + +- Wypisz informacje o usłudze: + +`svcs apache` + +- Pokaż lokalizację pliku dziennika usługi: + +`svcs -L apache` + +- Wyświetl koniec pliku dziennika usługi: + +`tail $(svcs -L apache)` diff --git a/pages.pl/sunos/truss.md b/pages.pl/sunos/truss.md new file mode 100644 index 000000000..c0f2e5758 --- /dev/null +++ b/pages.pl/sunos/truss.md @@ -0,0 +1,25 @@ +# truss + +> Narzędzie do rozwiązywania problemów poprzez śledzenie wywołań systemowych. +> Odpowiednik strace w SunOS. +> Więcej informacji: . + +- Rozpocznij śledzenie programu, wykonując go i śledząc wszystkie procesy potomne: + +`truss -f {{program}}` + +- Rozpocznij śledzenie określonego procesu według jego PID: + +`truss -p {{pid}}` + +- Rozpocznij śledzenie programu, wykonując go, pokazując argumenty i zmienne środowiskowe: + +`truss -a -e {{program}}` + +- Zlicz czas, wywołania i błędy dla każdego wywołania systemowego i raportuj podsumowanie po zakończeniu programu: + +`truss -c -p {{pid}}` + +- Śledź proces filtrując dane wyjściowe według wywołania systemowego: + +`truss -p {{pid}} -t {{nazwa_wywołania_systemowego}}` diff --git a/pages.pt_BR/android/bugreportz.md b/pages.pt_BR/android/bugreportz.md index 4f0a02844..962b7a3da 100644 --- a/pages.pt_BR/android/bugreportz.md +++ b/pages.pt_BR/android/bugreportz.md @@ -1,10 +1,10 @@ # bugreportz -> Gera um relatório de bugs do Android em formato .zip. +> Gera um relatório de bugs do Android em formato Zip. > Esse comando só pode ser utilizado por meio de `adb shell`. > Mais informações: . -- Mostra um relatório completo de bugs de um dispositivo Android em formato .zip: +- Mostra um relatório completo de bugs de um dispositivo Android em formato Zip: `bugreportz` diff --git a/pages.pt_BR/android/logcat.md b/pages.pt_BR/android/logcat.md index 8cc2fb31b..6747078f5 100644 --- a/pages.pt_BR/android/logcat.md +++ b/pages.pt_BR/android/logcat.md @@ -17,8 +17,8 @@ - Exibe logs para um PID específico: -`logcat --pid={{pid}}` +`logcat --pid {{pid}}` - Exibe logs de processo de um pacote específico: -`logcat --pid=$(pidof -s {{pacote}})` +`logcat --pid $(pidof -s {{pacote}})` diff --git a/pages.pt_BR/common/!.md b/pages.pt_BR/common/!.md index 1854ad38f..1dfbaae89 100644 --- a/pages.pt_BR/common/!.md +++ b/pages.pt_BR/common/!.md @@ -1,7 +1,7 @@ # Exclamation mark > Mecanismo interno do bash para substituir por um comando existente no histórico. -> Mais informações: . +> Mais informações: . - Substitui com o comando anterior e execute com o sudo: diff --git a/pages.pt_BR/common/2to3.md b/pages.pt_BR/common/2to3.md index 92bebf889..0dd0ec4e2 100644 --- a/pages.pt_BR/common/2to3.md +++ b/pages.pt_BR/common/2to3.md @@ -13,11 +13,11 @@ - Converte recurso específico de Python 2 para Python 3: -`2to3 --write {{caminho/para/arquivo.py}} --fix={{raw_input}} --fix={{print}}` +`2to3 --write {{caminho/para/arquivo.py}} --fix {{raw_input}} --fix {{print}}` - Converte todos os recursos de Python 2 para Python 3, exceto as que específicadas: -`2to3 --write {{caminho/para/arquivo.py}} --nofix={{has_key}} --nofix={{isinstance}}` +`2to3 --write {{caminho/para/arquivo.py}} --nofix {{has_key}} --nofix {{isinstance}}` - Mostra a lista de todas os recursos disponíveis que podem ser convertidas de Python 2 para Python 3: @@ -25,8 +25,8 @@ - Converte todos os arquivos feitos em Python 2 em um diretório para Python 3: -`2to3 --output-dir={{caminho/para/arquivos_python3}} --write-unchanged-files --nobackups {{caminho/para/arquivos_python2}}` +`2to3 --output-dir {{caminho/para/arquivos_python3}} --write-unchanged-files --nobackups {{caminho/para/arquivos_python2}}` - Executa 2to3 com múltiplas threads: -`2to3 --processes={{4}} --output-dir={{caminho/para/arquivos_python3}} --write --nobackups --no-diff {{caminho/para/arquivos_python2}}` +`2to3 --processes {{4}} --output-dir {{caminho/para/arquivos_python3}} --write --nobackups --no-diff {{caminho/para/arquivos_python2}}` diff --git a/pages.pt_BR/common/7z.md b/pages.pt_BR/common/7z.md index e94836bc6..ad7c05e7d 100644 --- a/pages.pt_BR/common/7z.md +++ b/pages.pt_BR/common/7z.md @@ -33,4 +33,4 @@ - Define o nível de compressão (maior significa mais compressão, porém mais lento): -`7z a {{caminho/para/arquivo_compactado.7z}} -mx={{0|1|3|5|7|9}} {{caminho/para/arquivo_ou_diretório}}` +`7z a {{caminho/para/arquivo_compactado.7z}} -mx {{0|1|3|5|7|9}} {{caminho/para/arquivo_ou_diretório}}` diff --git a/pages.pt_BR/common/7za.md b/pages.pt_BR/common/7za.md index 836c82574..1e6e09636 100644 --- a/pages.pt_BR/common/7za.md +++ b/pages.pt_BR/common/7za.md @@ -10,7 +10,7 @@ - Criptografa um arquivo existente (incluindo cabeçalhos): -`7za a {{caminho/para/arquivo_criptografado.7z}} -p{{senha}} -mhe={{on}} {{caminho/para/arquivo_compactado.7z}}` +`7za a {{caminho/para/arquivo_criptografado.7z}} -p{{senha}} -mhe {{on}} {{caminho/para/arquivo_compactado.7z}}` - Descompacta um arquivo mantendo a estrutura de diretórios original: diff --git a/pages.pt_BR/common/7zr.md b/pages.pt_BR/common/7zr.md index f141ecdaa..85be3751a 100644 --- a/pages.pt_BR/common/7zr.md +++ b/pages.pt_BR/common/7zr.md @@ -1,7 +1,7 @@ # 7zr > Um compactador de arquivos com alta taxa de compressão. -> Versão do `7z` com suporte apenas para o formato `.7z`. +> Versão do `7z` com suporte apenas para o formato 7z. > Mais informações: . - Compacta um arquivo ou diretório: @@ -10,7 +10,7 @@ - Criptografa um arquivo existente (incluindo cabeçalhos): -`7zr a {{arquivo_criptografado.7z}} -p{{senha}} -mhe={{on}} {{caminho/para/arquivo_compactado.7z}}` +`7zr a {{arquivo_criptografado.7z}} -p{{senha}} -mhe {{on}} {{caminho/para/arquivo_compactado.7z}}` - Descompacta um arquivo mantendo a estrutura de diretórios original: @@ -30,4 +30,4 @@ - Define o nível de compressão (maior significa mais compressão, porém mais lento): -`7zr a {{caminho/para/arquivo_compactado.7z}} -mx={{0|1|3|5|7|9}} {{caminho/para/diretório}}` +`7zr a {{caminho/para/arquivo_compactado.7z}} -mx {{0|1|3|5|7|9}} {{caminho/para/diretório}}` diff --git a/pages.pt_BR/common/[.md b/pages.pt_BR/common/[.md index 66bec82b7..646da586d 100644 --- a/pages.pt_BR/common/[.md +++ b/pages.pt_BR/common/[.md @@ -2,7 +2,7 @@ > Avalia condição. > Retorna 0 se a condição for verdadeira, 1 se for falsa. -> Mais informações: . +> Mais informações: . - Testa se uma determinada variável é igual a/diferente de uma determinada string: diff --git a/pages.pt_BR/common/[[.md b/pages.pt_BR/common/[[.md index cda212fb6..000396f09 100644 --- a/pages.pt_BR/common/[[.md +++ b/pages.pt_BR/common/[[.md @@ -2,7 +2,7 @@ > Verifica tipos de arquivos e compara valores. > Retorna 0 se a condição é verdadeira, 1 se a condição é falsa. -> Mais informações: . +> Mais informações: . - Testa se uma determinada variável é igual/diferente a uma determinada string: diff --git a/pages.pt_BR/common/alacritty.md b/pages.pt_BR/common/alacritty.md index 590cf7bb0..4d992fc03 100644 --- a/pages.pt_BR/common/alacritty.md +++ b/pages.pt_BR/common/alacritty.md @@ -15,10 +15,10 @@ `alacritty -e {{comando}}` -- Especifica um arquivo de configuração alternativo (`$XDG_CONFIG_HOME/alacritty/alacritty.yml` por padrão): +- Especifica um arquivo de configuração alternativo (`$XDG_CONFIG_HOME/alacritty/alacritty.toml` por padrão): -`alacritty --config-file {{caminho/para/config.yml}}` +`alacritty --config-file {{caminho/para/config.toml}}` -- Executa com configuração ao vivo habilitada (pode também ser habilitada por padrão no `alacritty.yml`): +- Executa com configuração ao vivo habilitada (pode também ser habilitada por padrão no `alacritty.toml`): -`alacritty --live-config-reload --config-file {{caminho/para/config.yml}}` +`alacritty --live-config-reload --config-file {{caminho/para/config.toml}}` diff --git a/pages.pt_BR/common/amass.md b/pages.pt_BR/common/amass.md index 1ef6b9233..025c7babd 100644 --- a/pages.pt_BR/common/amass.md +++ b/pages.pt_BR/common/amass.md @@ -1,20 +1,20 @@ # amass > Ferramenta de Attack Surface Mapping (mapeamento de superfície de ataque) e Asset Discovery (descoberta de asset) em profundidade. -> Alguns subcomandos como `amass db` tem sua propria documentacao de uso. -> Mais informações: . +> Alguns subcomandos como `amass intel` tem sua propria documentacao de uso. +> Mais informações: . - Executa um subcomando Amass: -`amass {{subcomando}}` +`amass {{intel|enum}} {{options}}` - Mostra ajuda geral: `amass -help` -- Mostra ajuda de um subcomando Amass (como `intel`, `enum`, etc.): +- Mostra ajuda de um subcomando Amass: -`amass -help {{subcomando}}` +`amass {{intel|enum}} -help` - Mostra a versão: diff --git a/pages.pt_BR/common/arduino-builder.md b/pages.pt_BR/common/arduino-builder.md index 8a3124321..50e576f02 100644 --- a/pages.pt_BR/common/arduino-builder.md +++ b/pages.pt_BR/common/arduino-builder.md @@ -16,7 +16,7 @@ `arduino-builder -build-path {{caminho/para/diretorio}}` -- Usa um arquivo com as opções de compilação, em vez de especificar `--hardware`, `--tools`, etc. manualmente toda hora: +- Usa um arquivo com as opções de compilação, em vez de especificar `-hardware`, `-tools`, etc. manualmente toda hora: `arduino-builder -build-options-file {{caminho/para/build.options.json}}` diff --git a/pages.pt_BR/common/asciidoctor.md b/pages.pt_BR/common/asciidoctor.md index 51cac26a0..bb450f84a 100644 --- a/pages.pt_BR/common/asciidoctor.md +++ b/pages.pt_BR/common/asciidoctor.md @@ -9,7 +9,7 @@ - Converte um arquivo `.adoc` em HTML e liga a uma folha de estilos CSS: -`asciidoctor -a stylesheet={{caminho/para/estilos.css}} {{caminho/para/arquivo.adoc}}` +`asciidoctor -a stylesheet {{caminho/para/estilos.css}} {{caminho/para/arquivo.adoc}}` - Converte um arquivo `.adoc` em um HTML embutível, removendo tudo exceto o corpo: @@ -17,4 +17,4 @@ - Converte um arquivo `.adoc` em PDF usando a biblioteca `asciidoctor-pdf`: -`asciidoctor --backend={{pdf}} --require={{asciidoctor-pdf}} {{caminho/para/arquivo.adoc}}` +`asciidoctor --backend {{pdf}} --require {{asciidoctor-pdf}} {{caminho/para/arquivo.adoc}}` diff --git a/pages.pt_BR/linux/aspell.md b/pages.pt_BR/common/aspell.md similarity index 100% rename from pages.pt_BR/linux/aspell.md rename to pages.pt_BR/common/aspell.md diff --git a/pages.pt_BR/common/autossh.md b/pages.pt_BR/common/autossh.md index c00be946c..ea0fc60e3 100644 --- a/pages.pt_BR/common/autossh.md +++ b/pages.pt_BR/common/autossh.md @@ -1,7 +1,7 @@ # autossh > Executa, monitora e reinicia conexões SSH. -> Reconecta automaticamente para manter os túneis de redirecionamento de porta ativos. Aceita todas as flags do `ssh`. +> Reconecta automaticamente para manter os túneis de redirecionamento de porta ativos. Aceita todas as flags do SSH. > Mais informações: . - Inicia uma sessão SSH, reiniciando quando uma porta de monitoramento falhar em retornar dados: @@ -12,7 +12,7 @@ `autossh -M {{porta_de_monitoramento}} -L {{porta_local}}:localhost:{{porta_remota}} {{usuário}}@{{host}}` -- Executa o `autossh` em segundo plano antes de executar o `ssh` e não abrir um shell remoto: +- Executa o `autossh` em segundo plano antes de executar o SSH e não abrir um shell remoto: `autossh -f -M {{porta_de_monitoramento}} -N "{{comando_ssh}}"` @@ -24,6 +24,6 @@ `autossh -f -M 0 -N -o "ServerAliveInterval 10" -o "ServerAliveCountMax 3" -o ExitOnForwardFailure=yes -L {{porta_local}}:localhost:{{porta_remota}} {{usuário}}@{{host}}` -- Executa em segundo plano, registrando a saída de depuração do `autossh` e a saída detalhada do `ssh` em arquivos: +- Executa em segundo plano, registrando a saída de depuração do `autossh` e a saída detalhada do SSH em arquivos: `AUTOSSH_DEBUG=1 AUTOSSH_LOGFILE={{caminho/para/arquivo_de_log_do_autossh.log}} autossh -f -M {{porta_de_monitoramento}} -v -E {{caminho/para/arquivo_de_log_do_ssh.log}} {{comando_ssh}}` diff --git a/pages.pt_BR/common/aws-ecr.md b/pages.pt_BR/common/aws-ecr.md index b9cd97deb..050b0176b 100644 --- a/pages.pt_BR/common/aws-ecr.md +++ b/pages.pt_BR/common/aws-ecr.md @@ -3,7 +3,7 @@ > Enviar, buscar, e gerenciar imagens de container. > Mais informações: . -- Autentica o docker com o registro default (nome do usuário na AWS): +- Autentica o Docker com o registro default (nome do usuário na AWS): `aws ecr get-login-password --region {{region}} | {{docker login}} --username AWS --password-stdin {{aws_account_id}}.dkr.ecr.{{region}}.amazonaws.com` diff --git a/pages.pt_BR/common/bc.md b/pages.pt_BR/common/bc.md index 9e4112851..313f40179 100644 --- a/pages.pt_BR/common/bc.md +++ b/pages.pt_BR/common/bc.md @@ -2,7 +2,7 @@ > Uma linguagem de calculadora de precisão arbitrária. > Veja também: `dc`. -> Mais informações: . +> Mais informações: . - Inicia uma sessão interativa: diff --git a/pages.pt_BR/common/cabal.md b/pages.pt_BR/common/cabal.md index 18099ca67..227d35e29 100644 --- a/pages.pt_BR/common/cabal.md +++ b/pages.pt_BR/common/cabal.md @@ -2,7 +2,7 @@ > Interface de linha de comando para a infraestrutura de pacote Haskel (Cabal). > Gerencia projetos Haskell e pacotes Cabal do repositório de pacotes Hackage. -> Mais informações: . +> Mais informações: . - Busca e lista pacotes do Hackage: diff --git a/pages.pt_BR/common/cargo-test.md b/pages.pt_BR/common/cargo-test.md index 572860d0b..3816ce9e6 100644 --- a/pages.pt_BR/common/cargo-test.md +++ b/pages.pt_BR/common/cargo-test.md @@ -9,7 +9,7 @@ - Define o número de casos de teste para execução simultânea: -`cargo test -- --test-threads={{quantidade}}` +`cargo test -- --test-threads {{quantidade}}` - Executa os testes garantindo que o `Cargo.lock` esteja atualizado: diff --git a/pages.pt_BR/common/cat.md b/pages.pt_BR/common/cat.md index 6324877c4..813fee520 100644 --- a/pages.pt_BR/common/cat.md +++ b/pages.pt_BR/common/cat.md @@ -1,7 +1,7 @@ # cat > Exibe e concatena o conteúdo de arquivos. -> Mais informações: . +> Mais informações: . - Exibe o conteúdo de um arquivo na `stdout`: diff --git a/pages.pt_BR/common/chown.md b/pages.pt_BR/common/chown.md index c43384ce1..450c2d187 100644 --- a/pages.pt_BR/common/chown.md +++ b/pages.pt_BR/common/chown.md @@ -21,4 +21,4 @@ - Muda o dono de um arquivo/diretório para ficar igual a um arquivo de referência: -`chown --reference={{caminho/para/arquivo_de_referencia}} {{caminho/para/arquivo_ou_diretorio}}` +`chown --reference {{caminho/para/arquivo_de_referencia}} {{caminho/para/arquivo_ou_diretorio}}` diff --git a/pages.pt_BR/common/chromium.md b/pages.pt_BR/common/chromium.md index 98651f113..e914b5eff 100644 --- a/pages.pt_BR/common/chromium.md +++ b/pages.pt_BR/common/chromium.md @@ -17,7 +17,7 @@ - Abre no modo aplicativo (Sem barra de tarefas, barra de URL, botões, etc.): -`chromium --app={{https://exemplo.com}}` +`chromium --app {{https://exemplo.com}}` - Usa um servidor proxy: @@ -25,11 +25,11 @@ - Abre com um diretório de perfil customizado: -`chromium --user-data-dir={{caminho/para/arquivo}}` +`chromium --user-data-dir {{caminho/para/arquivo}}` - Abre sem validação CORS (útil para testar uma API): -`chromium --user-data-dir={{caminho/para/arquivo}} --disable-web-security` +`chromium --user-data-dir {{caminho/para/arquivo}} --disable-web-security` - Abre com uma janela DevTools para cada aba aberta: diff --git a/pages.pt_BR/common/clamav.md b/pages.pt_BR/common/clamav.md index 9c8a5a284..b051c454d 100644 --- a/pages.pt_BR/common/clamav.md +++ b/pages.pt_BR/common/clamav.md @@ -1,4 +1,4 @@ -# clamav +# ClamAV > Programa antivírus de código aberto. > O ClamAV não é um comando, mas um conjunto de comandos. diff --git a/pages.pt_BR/common/convert.md b/pages.pt_BR/common/convert.md deleted file mode 100644 index d1a5328f6..000000000 --- a/pages.pt_BR/common/convert.md +++ /dev/null @@ -1,28 +0,0 @@ -# convert - -> Ferramenta de conversão de imagens da ImageMagick. -> Mais informações: . - -- Converte uma imagem do formato JPG para o formato PNG: - -`convert {{imagem.jpg}} {{imagem.png}}` - -- Escala uma imagem para 50% do seu tamanho original: - -`convert {{imagem.png}} -resize 50% {{nova_imagem.png}}` - -- Escala uma imagem, mantendo as suas proporções originais, para uma dimensão máxima de 640x480: - -`convert {{imagem.png}} -resize 640x480 {{nova_imagem.png}}` - -- Junta várias imagens horizontalmente: - -`convert {{imagem1.png}} {{imagem2.png}} {{imagem3.png}} +append {{nova_imagem.png}}` - -- Cria um GIF a partir de uma série de imagens, com um intervalo de 100ms entre elas: - -`convert {{imagem1.png}} {{imagem2.png}} {{imagem3.png}} -delay {{100}} {{nova_imagem.gif}}` - -- Cria uma nova imagem de tamanho 800x600 com apenas um fundo sólido vermelho: - -`convert -size {{800x600}} "xc:{{#ff0000}}" {{imagem.png}}` diff --git a/pages.pt_BR/common/cut.md b/pages.pt_BR/common/cut.md index 31de651c7..b45116954 100644 --- a/pages.pt_BR/common/cut.md +++ b/pages.pt_BR/common/cut.md @@ -5,12 +5,12 @@ - Imprime um intervalo específico de caracteres/campos de cada linha: -`{{comando}} | cut --{{characters|fields}}={{1|1,10|1-10|1-|-10}}` +`{{comando}} | cut --{{characters|fields}} {{1|1,10|1-10|1-|-10}}` - Imprime um intervalo de campos de cada linha com um delimitador específico: -`{{comando}} | cut --delimiter="{{,}}" --fields={{1}}` +`{{comando}} | cut --delimiter "{{,}}" --fields {{1}}` - Imprime um intervalo de caracteres de cada linha de um arquivo específico: -`cut --characters={{1}} {{caminho/para/arquivo}}` +`cut --characters {{1}} {{caminho/para/arquivo}}` diff --git a/pages.pt_BR/common/date.md b/pages.pt_BR/common/date.md index 77ec312bf..d96df73c8 100644 --- a/pages.pt_BR/common/date.md +++ b/pages.pt_BR/common/date.md @@ -25,7 +25,7 @@ - Exibe a data atual usando o formato RFC-3339 (`YYYY-MM-DD hh:mm:ss TZ`): -`date --rfc-3339=s` +`date --rfc-3339 s` - Define a data atual usando o formato `MMDDhhmmYYYY.ss` (`YYYY` e `.ss` são opcionais): diff --git a/pages.pt_BR/common/dd.md b/pages.pt_BR/common/dd.md index 12d45237a..c765116c2 100644 --- a/pages.pt_BR/common/dd.md +++ b/pages.pt_BR/common/dd.md @@ -1,32 +1,24 @@ # dd > Converte e copia um arquivo. -> Mais informações: . +> Mais informações: . -- Cria um USB drive bootável a partir de um arquivo isohybrid (como uma archlinux-xxx.iso) e mostra o progresso: +- Cria um USB drive bootável a partir de um arquivo isohybrid (como uma `archlinux-xxx.iso`) e mostra o progresso: -`dd if={{arquivo.iso}} of=/dev/{{usb_drive}} status=progress` +`dd if={{caminho/para/arquivo.iso}} of={{/dev/usb_drive}} status=progress` -- Clona um drive para outro drive com 4 MiB block, ignora erros e mostra o progresso: +- Clona um drive para outro drive com 4 MiB block e ignora erros: -`dd if=/dev/{{drive_fonte}} of=/dev/{{drive_destino}} bs=4M conv=noerror status=progress` +`dd bs=4194304 conv=noerror if={{/dev/drive_fonte}} of={{/dev/drive_destino}}` -- Gera um arquivo com 100 bytes aleatórios utilizando o kernel random driver: +- Gera um arquivo com um número específico de bytes aleatórios utilizando o kernel random driver: -`dd if=/dev/urandom of={{arquivo_random}} bs=100 count=1` +`dd bs={{100}} count={{1}} if=/dev/urandom of={{caminho/para/arquivo_random}}` - Faz o benchmark da performance de escrita de um disco: -`dd if=/dev/zero of={{arquivo_1GB}} bs=1024 count=1000000` +`dd bs={{1024}} count={{1000000}} if=/dev/zero of={{caminho/para/arquivo_1GB}}` - Gera um backup do sistema em um arquivo IMG e mostra o progresso: -`dd if=/dev/{{dispositivo_drive}} of={{caminho/para/arquivo.img}} status=progress` - -- Restaura um drive a partir de um arquivo IMG e mostra o progresso: - -`dd if={{caminho/para/arquivo.img}} of=/dev/{{dispositivo_drive}} status=progress` - -- Checa o progresso de um processo dd rodando (rode esse comando de outro shell): - -`kill -USR1 $(pgrep -x dd)` +`dd if={{/dev/dispositivo_drive}} of={{caminho/para/arquivo.img}} status=progress` diff --git a/pages.pt_BR/common/diff.md b/pages.pt_BR/common/diff.md index a796375ef..23dd70928 100644 --- a/pages.pt_BR/common/diff.md +++ b/pages.pt_BR/common/diff.md @@ -1,7 +1,7 @@ # diff > Compara diretórios e arquivos. -> Mais informações: . +> Mais informações: . - Compara arquivos (mostra as mudanças necessárias para transformar `arquivo_antigo` em `arquivo_novo`): diff --git a/pages.pt_BR/common/docker-build.md b/pages.pt_BR/common/docker-build.md index 1fa1b625c..9b6487699 100644 --- a/pages.pt_BR/common/docker-build.md +++ b/pages.pt_BR/common/docker-build.md @@ -1,21 +1,21 @@ # docker build > Cria uma imagem a partir de um Dockerfile. -> Mais informações: . +> Mais informações: . -- Cria uma imagem docker usando o Dockerfile no diretório atual: +- Cria uma imagem Docker usando o Dockerfile no diretório atual: `docker build .` -- Cria uma imagem docker a partir de um Dockerfile em uma URL específica: +- Cria uma imagem Docker a partir de um Dockerfile em uma URL específica: `docker build {{github.com/creack/docker-firefox}}` -- Cria uma imagem docker e cria uma etiqueta para ela: +- Cria uma imagem Docker e cria uma etiqueta para ela: `docker build --tag {{nome:etiqueta}} .` -- Cria uma imagem docker sem contexto de criação: +- Cria uma imagem Docker sem contexto de criação: `docker build --tag {{nome:etiqueta}} - < {{Dockerfile}}` @@ -23,10 +23,10 @@ `docker build --no-cache --tag {{nome:etiqueta}} .` -- Cria uma imagem docker usando um Dockerfile específico: +- Cria uma imagem Docker usando um Dockerfile específico: `docker build --file {{Dockerfile}} .` -- Cria uma imagem docker utilizando variáveis customizadas para a criação de imagens: +- Cria uma imagem Docker utilizando variáveis customizadas para a criação de imagens: `docker build --build-arg {{PROXY_DO_HTTP=http://10.20.30.2:1234}} --build-arg {{PROXY_DO_FTP=http://40.50.60.5:4567}} .` diff --git a/pages.pt_BR/common/docker-commit.md b/pages.pt_BR/common/docker-commit.md index 6a9154529..ed8f32fae 100644 --- a/pages.pt_BR/common/docker-commit.md +++ b/pages.pt_BR/common/docker-commit.md @@ -1,7 +1,7 @@ # docker commit > Criar uma nova imagem a partir das alterações em um contêiner. -> Mais informações: . +> Mais informações: . - Cria uma imagem a partir de um contêiner específico: @@ -9,23 +9,23 @@ - Aplica uma instrução `CMD` do Dockerfile à imagem criada: -`docker commit --change="CMD {{comando}}" {{contêiner}} {{imagem}}:{{tag}}` +`docker commit --change "CMD {{comando}}" {{contêiner}} {{imagem}}:{{tag}}` - Aplica uma instrução `ENV` do Dockerfile à imagem criada: -`docker commit --change="ENV {{nome}}={{valor}}" {{contêiner}} {{imagem}}:{{tag}}` +`docker commit --change "ENV {{nome}}={{valor}}" {{contêiner}} {{imagem}}:{{tag}}` - Cria uma imagem com um autor específico nos metadados: -`docker commit --author="{{autor}}" {{contêiner}} {{imagem}}:{{tag}}` +`docker commit --author "{{autor}}" {{contêiner}} {{imagem}}:{{tag}}` - Cria uma imagem com um comentário específico nos metadados: -`docker commit --message="{{comentário}}" {{contêiner}} {{imagem}}:{{tag}}` +`docker commit --message "{{comentário}}" {{contêiner}} {{imagem}}:{{tag}}` - Cria uma imagem sem pausar o contêiner durante o commit: -`docker commit --pause={{false}} {{contêiner}} {{imagem}}:{{tag}}` +`docker commit --pause {{false}} {{contêiner}} {{imagem}}:{{tag}}` - Exibe ajuda: diff --git a/pages.pt_BR/common/docker-compose.md b/pages.pt_BR/common/docker-compose.md index ef95ea21a..445fe7c94 100644 --- a/pages.pt_BR/common/docker-compose.md +++ b/pages.pt_BR/common/docker-compose.md @@ -1,7 +1,7 @@ # docker compose > Executa e gerencia multi-containers de aplicações Docker. -> Mais informações: . +> Mais informações: . - Lista todos os containers em execução: diff --git a/pages.pt_BR/common/docker-machine.md b/pages.pt_BR/common/docker-machine.md index 621abeec8..9b2fe5696 100644 --- a/pages.pt_BR/common/docker-machine.md +++ b/pages.pt_BR/common/docker-machine.md @@ -1,7 +1,7 @@ # docker-machine > Criar e gerenciar máquinas que executam o Docker. -> Mais informações: . +> Mais informações: . - Lista as máquinas Docker em execução no momento: diff --git a/pages.pt_BR/common/docker-ps.md b/pages.pt_BR/common/docker-ps.md index 9f0092d94..9588904da 100644 --- a/pages.pt_BR/common/docker-ps.md +++ b/pages.pt_BR/common/docker-ps.md @@ -1,13 +1,13 @@ # docker ps > Lista os containers Docker. -> Mais informações: . +> Mais informações: . -- Lista containers docker em execução: +- Lista containers Docker em execução: `docker ps` -- Lista todos containers docker (em execução e parados): +- Lista todos containers Docker (em execução e parados): `docker ps --all` @@ -29,8 +29,8 @@ - Filtra containers por estado (criado, execução, removendo, pausado, finalizado e morto): -`docker ps --filter="status={{estado}}"` +`docker ps --filter "status={{estado}}"` - Filtra containers que contenham um volume específico ou montado em um caminho específico: -`docker ps --filter="volume={{caminho/para/diretório}}" --format "table {{.ID}}\t{{.Image}}\t{{.Names}}\t{{.Mounts}}"` +`docker ps --filter "volume={{caminho/para/diretório}}" --format "table {{.ID}}\t{{.Image}}\t{{.Names}}\t{{.Mounts}}"` diff --git a/pages.pt_BR/common/docker-rmi.md b/pages.pt_BR/common/docker-rmi.md index be9c6549c..88ab584df 100644 --- a/pages.pt_BR/common/docker-rmi.md +++ b/pages.pt_BR/common/docker-rmi.md @@ -1,7 +1,7 @@ # docker rmi > Remove uma ou mais imagens Docker. -> Mais informações: . +> Mais informações: . - Exibe a ajuda: diff --git a/pages.pt_BR/common/docker-start.md b/pages.pt_BR/common/docker-start.md index 9fc6404fd..1e350328e 100644 --- a/pages.pt_BR/common/docker-start.md +++ b/pages.pt_BR/common/docker-start.md @@ -7,7 +7,7 @@ `docker start` -- Inicia um container docker: +- Inicia um container Docker: `docker start {{container}}` diff --git a/pages.pt_BR/common/docker-system.md b/pages.pt_BR/common/docker-system.md index 40808551a..133284579 100644 --- a/pages.pt_BR/common/docker-system.md +++ b/pages.pt_BR/common/docker-system.md @@ -21,7 +21,7 @@ - Remove dados não utilizados criados há mais de um período específico no passado: -`docker system prune --filter="until={{horas}}h{{minutos}}m"` +`docker system prune --filter "until={{horas}}h{{minutos}}m"` - Exibe eventos em tempo real do daemon do Docker: diff --git a/pages.pt_BR/common/duc.md b/pages.pt_BR/common/duc.md index a1f49294f..a2189532a 100644 --- a/pages.pt_BR/common/duc.md +++ b/pages.pt_BR/common/duc.md @@ -1,6 +1,7 @@ # duc -> Duc é uma coleção de ferramentas para indexar, inspecionar e visualizar uso do disco. O duc mantém uma base de dados dos tamanhos acumlados dos diretórios do sistema de arquivos, permitindo buscas nessa base, ou a criação de gráficos elegantes. +> Uma coleção de ferramentas para indexar, inspecionar e visualizar uso do disco. +> O duc mantém uma base de dados dos tamanhos acumlados dos diretórios do sistema de arquivos, permitindo buscas nessa base, ou a criação de gráficos elegantes. > Mais informações: . - Indexa o diretório /usr, escrevendo a base de dados para o local default em ~/.duc.db: diff --git a/pages.pt_BR/common/ect.md b/pages.pt_BR/common/ect.md index 1f8c46d3b..a5fe9fde1 100644 --- a/pages.pt_BR/common/ect.md +++ b/pages.pt_BR/common/ect.md @@ -1,7 +1,7 @@ # ect > Efficient Compression Tool. -> Otimizador de arquivos escrito em C++. Suporta arquivos do tipo `.png`, `.jpg`, `.gzip` and `.zip`. +> Otimizador de arquivos escrito em C++. Suporta arquivos do tipo PNG, JPEG, gzip and Zip. > Mais informações: . - Comprime um arquivo: diff --git a/pages.pt_BR/common/fdp.md b/pages.pt_BR/common/fdp.md index dc2a76141..8f9fc261d 100644 --- a/pages.pt_BR/common/fdp.md +++ b/pages.pt_BR/common/fdp.md @@ -4,11 +4,11 @@ > Layouts: `dot`, `neato`, `twopi`, `circo`, `fdp`, `sfdp`, `osage` & `patchwork`. > Mais informações: . -- Renderiza uma imagem `png` com um nome de arquivo baseado no nome do arquivo de entrada e formato de saída (-O maiúsculo): +- Renderiza uma imagem PNG com um nome de arquivo baseado no nome do arquivo de entrada e formato de saída (-O maiúsculo): `fdp -T png -O {{caminho/para/entrada.gv}}` -- Renderiza uma imagem `svg` com o nome do arquivo de saída especificado (-o minúsculo): +- Renderiza uma imagem SVG com o nome do arquivo de saída especificado (-o minúsculo): `fdp -T svg -o {{caminho/para/imagem.svg}} {{caminho/para/entrada.gv}}` @@ -16,7 +16,7 @@ `fdp -T {{ps|pdf|svg|fig|png|gif|jpg|json|dot}} -O {{caminho/para/entrada.gv}}` -- Renderiza uma imagem `gif` usando `stdin` e `stdout`: +- Renderiza uma imagem GIF usando `stdin` e `stdout`: `echo "{{digraph {isso -> aquilo} }}" | fdp -T gif > {{caminho/para/imagem.gif}}` diff --git a/pages.pt_BR/common/fossil-ci.md b/pages.pt_BR/common/fossil-ci.md index c9c14852d..090a0675a 100644 --- a/pages.pt_BR/common/fossil-ci.md +++ b/pages.pt_BR/common/fossil-ci.md @@ -1,6 +1,6 @@ -# fossil-ci +# fossil ci -> Este comando é um apelido de `fossil-commit`. +> Este comando é um apelido de `fossil commit`. > Mais informações: . - Exibe documentação sobre o comando original: diff --git a/pages.pt_BR/common/fossil-delete.md b/pages.pt_BR/common/fossil-delete.md index c98ef0a24..736588518 100644 --- a/pages.pt_BR/common/fossil-delete.md +++ b/pages.pt_BR/common/fossil-delete.md @@ -1,4 +1,4 @@ -# fossil-delete +# fossil delete > Este comando é um apelido de `fossil rm`. > Mais informações: . diff --git a/pages.pt_BR/common/fossil-forget.md b/pages.pt_BR/common/fossil-forget.md index f2bfba716..74860d891 100644 --- a/pages.pt_BR/common/fossil-forget.md +++ b/pages.pt_BR/common/fossil-forget.md @@ -1,4 +1,4 @@ -# fossil-forget +# fossil forget > Este comando é um apelido de `fossil rm`. > Mais informações: . diff --git a/pages.pt_BR/common/fossil-new.md b/pages.pt_BR/common/fossil-new.md index 9cbf49635..5ebea5d96 100644 --- a/pages.pt_BR/common/fossil-new.md +++ b/pages.pt_BR/common/fossil-new.md @@ -1,6 +1,6 @@ -# fossil-new +# fossil new -> Este comando é um apelido de `fossil-init`. +> Este comando é um apelido de `fossil init`. > Mais informações: . - Exibe documentação sobre o comando original: diff --git a/pages.pt_BR/common/gcal.md b/pages.pt_BR/common/gcal.md index d4055fc41..6deb66b34 100644 --- a/pages.pt_BR/common/gcal.md +++ b/pages.pt_BR/common/gcal.md @@ -9,7 +9,7 @@ - Exibe o calendário para o mês de Fevereiro do ano de 2010: -`gcal {{2}} {{2010}}` +`gcal 2 2010` - Fornece folha de calendário com números da semana: @@ -17,7 +17,7 @@ - Altera o dia da semana de início para o 1º dia da semana (segunda-feira): -`gcal --starting-day={{1}}` +`gcal --starting-day=1` - Exibe o mês anterior, atual e seguinte em torno de hoje: diff --git a/pages.pt_BR/common/gh-cs.md b/pages.pt_BR/common/gh-cs.md index 8119c9739..6c30b7985 100644 --- a/pages.pt_BR/common/gh-cs.md +++ b/pages.pt_BR/common/gh-cs.md @@ -1,6 +1,6 @@ -# gh-cs +# gh cs -> Este comando é um apelido de `gh-codespace`. +> Este comando é um apelido de `gh codespace`. > Mais informações: . - Exibe documentação sobre o comando original: diff --git a/pages.pt_BR/common/git-init.md b/pages.pt_BR/common/git-init.md index 1cce19d1e..182dee4b5 100644 --- a/pages.pt_BR/common/git-init.md +++ b/pages.pt_BR/common/git-init.md @@ -15,6 +15,6 @@ `git init --object-format={{sha256}}` -- Inicializa um repositório barebones, adequado para usar como um remoto via ssh: +- Inicializa um repositório barebones, adequado para usar como um remoto via SSH: `git init --bare` diff --git a/pages.pt_BR/common/gnmic-sub.md b/pages.pt_BR/common/gnmic-sub.md index 8c674c92f..72f68953c 100644 --- a/pages.pt_BR/common/gnmic-sub.md +++ b/pages.pt_BR/common/gnmic-sub.md @@ -1,4 +1,4 @@ -# gnmic-sub +# gnmic sub > Este comando é um apelido de `gnmic subscribe`. > Mais informações: . diff --git a/pages.pt_BR/common/grep.md b/pages.pt_BR/common/grep.md index 5ce82274e..77f9a8998 100644 --- a/pages.pt_BR/common/grep.md +++ b/pages.pt_BR/common/grep.md @@ -9,28 +9,28 @@ - Pesquisa por uma string exata (desabilita expressões regulares): -`grep --fixed-strings "{{string_exata}}" {{caminho/para/arquivo}}` +`grep {{-F|--fixed-strings}} "{{string_exata}}" {{caminho/para/arquivo}}` - Pesquisa por um padrão em todos os arquivos recursivamente em um diretório, mostrando o número das linhas das correspondências, ignorando arquivos binários: -`grep --recursive --line-number --binary-files={{without-match}} "{{padrão_pesquisado}}" {{caminho/para/diretório}}` +`grep {{-r|--recursive}} {{-n|--line-number}} --binary-files={{without-match}} "{{padrão_pesquisado}}" {{caminho/para/diretório}}` - Usa expressões regulares estendidas (suporta `?`, `+`, `{}`, `()` and `|`), no modo insensível a maiúsculas e minúsculas: -`grep --extended-regexp --ignore-case "{{padrão_pesquisado}}" {{caminho/para/arquivo}}` +`grep {{-E|--extended-regexp}} {{-i|--ignore-case}} "{{padrão_pesquisado}}" {{caminho/para/arquivo}}` - Imprime 3 linhas de contexto em volta, antes ou depois de cada correspondência: -`grep --{{context|before-context|after-context}}={{3}} "{{padrão_pesquisado}}" {{caminho/para/arquivo}}` +`grep --{{context|before-context|after-context}} 3 "{{padrão_pesquisado}}" {{caminho/para/arquivo}}` - Imprime o nome do arquivo e o número da linha para cada correspondência: -`grep --with-filename --line-number --color=always "{{padrão_pesquisado}}" {{caminho/para/arquivo}}` +`grep {{-H|--with-filename}} {{-n|--line-number}} --color=always "{{padrão_pesquisado}}" {{caminho/para/arquivo}}` - Pesquisa por linhas que correspondem a um padrão, imprimindo apenas o texto correspondido: -`grep --only-matching "{{padrão_pesquisado}}" {{caminho/para/arquivo}}` +`grep {{-o|--only-matching}} "{{padrão_pesquisado}}" {{caminho/para/arquivo}}` - Pesquisa `stdin` para linhas que não correspondem a um padrão: -`cat {{caminho/para/arquivo}} | grep --invert-match "{{padrão_pesquisado}}"` +`cat {{caminho/para/arquivo}} | grep {{-v|--invert-match}} "{{padrão_pesquisado}}"` diff --git a/pages.pt_BR/common/history.md b/pages.pt_BR/common/history.md index 5d562c907..0441a860f 100644 --- a/pages.pt_BR/common/history.md +++ b/pages.pt_BR/common/history.md @@ -7,15 +7,15 @@ `history` -- Exibe os últimos 20 comandos (em `zsh` ele exibe todos os comandos a partir do 20º): +- Exibe os últimos 20 comandos (em Zsh ele exibe todos os comandos a partir do 20º): `history {{20}}` -- Limpa a lista do histórico de comandos (apenas para o shell `bash` atual): +- Limpa a lista do histórico de comandos (apenas para o shell Bash atual): `history -c` -- Sobrescreve o arquivo de histórico com o histórico do shell `bash` atual (frequentemente combinado com `history -c` para limpar o histórico): +- Sobrescreve o arquivo de histórico com o histórico do shell Bash atual (frequentemente combinado com `history -c` para limpar o histórico): `history -w` diff --git a/pages.pt_BR/common/magick-convert.md b/pages.pt_BR/common/magick-convert.md new file mode 100644 index 000000000..c7fe46bd8 --- /dev/null +++ b/pages.pt_BR/common/magick-convert.md @@ -0,0 +1,28 @@ +# magick convert + +> Ferramenta de conversão de imagens da ImageMagick. +> Mais informações: . + +- Converte uma imagem do formato JPEG para o formato PNG: + +`magick convert {{imagem.jpg}} {{imagem.png}}` + +- Escala uma imagem para 50% do seu tamanho original: + +`magick convert {{imagem.png}} -resize 50% {{nova_imagem.png}}` + +- Escala uma imagem, mantendo as suas proporções originais, para uma dimensão máxima de 640x480: + +`magick convert {{imagem.png}} -resize 640x480 {{nova_imagem.png}}` + +- Junta várias imagens horizontalmente: + +`magick convert {{imagem1.png}} {{imagem2.png}} {{imagem3.png}} +append {{nova_imagem.png}}` + +- Cria um GIF a partir de uma série de imagens, com um intervalo de 100ms entre elas: + +`magick convert {{imagem1.png}} {{imagem2.png}} {{imagem3.png}} -delay {{100}} {{nova_imagem.gif}}` + +- Cria uma nova imagem de tamanho 800x600 com apenas um fundo sólido vermelho: + +`magick convert -size {{800x600}} "xc:{{#ff0000}}" {{imagem.png}}` diff --git a/pages.pt_BR/common/man.md b/pages.pt_BR/common/man.md index 74f38b2c5..74e2590cb 100644 --- a/pages.pt_BR/common/man.md +++ b/pages.pt_BR/common/man.md @@ -1,7 +1,7 @@ # man > Formata e exibe páginas de manual. -> Mais informações: . +> Mais informações: . - Exibe a página de manual de um comando: diff --git a/pages.pt_BR/common/mpv.md b/pages.pt_BR/common/mpv.md index 7a2d28dd9..f5b27fb0a 100644 --- a/pages.pt_BR/common/mpv.md +++ b/pages.pt_BR/common/mpv.md @@ -33,4 +33,4 @@ - Mostra a saída da webcam ou de outro dispositivo de entrada de vídeo: -`mpv /dev/{{video0}}` +`mpv {{/dev/video0}}` diff --git a/pages.pt_BR/common/npm.md b/pages.pt_BR/common/npm.md index 0d575bb19..28f577957 100644 --- a/pages.pt_BR/common/npm.md +++ b/pages.pt_BR/common/npm.md @@ -18,11 +18,11 @@ - Baixa a última versão de um pacote e o adiciona à lista de dependências de desenvolvimento em `package.json`: -`npm install {{pacote}} --save-dev` +`npm install {{pacote}} {{-D|--save-dev}}` - Baixa a última versão de um pacote e o instala globalmente: -`npm install --global {{pacote}}` +`npm install {{-g|--global}} {{pacote}}` - Desinstala um pacote e o remove da lista de dependências em `package.json`: @@ -34,4 +34,4 @@ - Lista os pacotes de nível superior instalados globalmente: -`npm list --global --depth={{0}}` +`npm list {{-g|--global}} --depth {{0}}` diff --git a/pages.pt_BR/common/nth.md b/pages.pt_BR/common/nth.md index c28eb5930..8856bcb70 100644 --- a/pages.pt_BR/common/nth.md +++ b/pages.pt_BR/common/nth.md @@ -11,7 +11,7 @@ `nth -f {{caminho/para/hashes}}` -- Saída no formato json: +- Saída no formato JSON: `nth -t {{5f4dcc3b5aa765d61d8327deb882cf99}} -g` diff --git a/pages.pt_BR/common/pio-init.md b/pages.pt_BR/common/pio-init.md index 9cb38460e..b70f1abcc 100644 --- a/pages.pt_BR/common/pio-init.md +++ b/pages.pt_BR/common/pio-init.md @@ -1,4 +1,4 @@ -# pio-init +# pio init > Este comando é um apelido de `pio project`. diff --git a/pages.pt_BR/common/rsync.md b/pages.pt_BR/common/rsync.md index 2c526cc32..ac6fea194 100644 --- a/pages.pt_BR/common/rsync.md +++ b/pages.pt_BR/common/rsync.md @@ -10,28 +10,28 @@ - Usa o modo de arquivo (copia recursivamente diretórios, copia links simbólicos sem resolver e preserva permissões, propriedade e tempos de modificação): -`rsync --archive {{caminho/para/origem}} {{caminho/para/destino}}` +`rsync {{-a|--archive}} {{caminho/para/origem}} {{caminho/para/destino}}` - Comprime os dados à medida que são enviados ao destino, exibe progresso detalhado e legível, e mantém arquivos parcialmente transferidos se forem interrompidos: -`rsync --compress --verbose --human-readable --partial --progress {{caminho/para/origem}} {{caminho/para/destino}}` +`rsync {{-zvhP|--compress --verbose --human-readable --partial --progress}} {{caminho/para/origem}} {{caminho/para/destino}}` - Copia recursivamente diretórios: -`rsync --recursive {{caminho/para/origem}} {{caminho/para/destino}}` +`rsync {{-r|--recursive}} {{caminho/para/origem}} {{caminho/para/destino}}` - Transfere os conteúdos do diretório, mas não o diretório em si: -`rsync --recursive {{caminho/para/origem}}/ {{caminho/para/destino}}` +`rsync {{-r|--recursive}} {{caminho/para/origem}}/ {{caminho/para/destino}}` - Copia diretórios, usa o modo de arquivamento, resolve links simbólicos e ignora arquivos que são mais recentes no destino: -`rsync --archive --update --copy-links {{caminho/para/origem}} {{caminho/para/destino}}` +`rsync {{-auL|--archive --update --copy-links}} {{caminho/para/origem}} {{caminho/para/destino}}` - Transfere um diretório para um host remoto executando o `rsyncd` and exclui arquivos no destino que não existem na origem: -`rsync --recursive --delete rsync://{{host}}:{{caminho/para/origem}} {{caminho/para/destino}}` +`rsync {{-r|--recursive}} --delete rsync://{{host}}:{{caminho/para/origem}} {{caminho/para/destino}}` - Transfere um arquivo por SSH usando uma porta diferente da padrão (22) e mostra o progresso global: -`rsync --rsh 'ssh -p {{porta}}' --info=progress2 {{host}}:{{caminho/para/origem}} {{caminho/para/destino}}` +`rsync {{-e|--rsh}} 'ssh -p {{porta}}' --info=progress2 {{host}}:{{caminho/para/origem}} {{caminho/para/destino}}` diff --git a/pages.pt_BR/common/sudo.md b/pages.pt_BR/common/sudo.md index 6fb54f5eb..4a1db7a6b 100644 --- a/pages.pt_BR/common/sudo.md +++ b/pages.pt_BR/common/sudo.md @@ -15,7 +15,7 @@ `sudo --user={{usuário}} --group={{grupo}} {{id -a}}` -- Executa um comando anterior com o prefixo `sudo` (apenas em `bash`, `zsh`, etc.): +- Executa um comando anterior com o prefixo `sudo` (apenas em Bash, Zsh, etc.): `sudo !!` diff --git a/pages.pt_BR/common/tlmgr-arch.md b/pages.pt_BR/common/tlmgr-arch.md index 8afde4f11..1f3e9ae1e 100644 --- a/pages.pt_BR/common/tlmgr-arch.md +++ b/pages.pt_BR/common/tlmgr-arch.md @@ -1,4 +1,4 @@ -# tlmgr-arch +# tlmgr arch > Este comando é um apelido de `tlmgr platform`. > Mais informações: . diff --git a/pages.pt_BR/common/touch.md b/pages.pt_BR/common/touch.md index 228a1e60d..2c3be764d 100644 --- a/pages.pt_BR/common/touch.md +++ b/pages.pt_BR/common/touch.md @@ -1,7 +1,7 @@ # touch > Cria arquivos e define tempo de acesso/modificação. -> Mais informações: . +> Mais informações: . - Cria arquivos especificados: diff --git a/pages.pt_BR/common/tree.md b/pages.pt_BR/common/tree.md index 2f57689bb..53a5aefe9 100644 --- a/pages.pt_BR/common/tree.md +++ b/pages.pt_BR/common/tree.md @@ -1,7 +1,7 @@ # tree > Exibe o conteúdo do diretório atual em formato de árvore. -> Mais informações: . +> Mais informações: . - Exibe os arquivos e diretórios de acordo com o nível de profundidade 'num' informado (onde 1 significa o diretório atual): diff --git a/pages.pt_BR/common/virsh-connect.md b/pages.pt_BR/common/virsh-connect.md index cf9901a87..01a0ca668 100644 --- a/pages.pt_BR/common/virsh-connect.md +++ b/pages.pt_BR/common/virsh-connect.md @@ -16,6 +16,6 @@ `virsh connect qemu:///session` -- Conecta como root a um hipervisor remoto usando ssh: +- Conecta como root a um hipervisor remoto usando SSH: `virsh connect qemu+ssh://{{nome_do_usuário@nome_do_host}}/system` diff --git a/pages.pt_BR/common/virsh.md b/pages.pt_BR/common/virsh.md index fd5369481..e7504f2db 100644 --- a/pages.pt_BR/common/virsh.md +++ b/pages.pt_BR/common/virsh.md @@ -2,7 +2,7 @@ > Gerenciar domínios de convidados do virsh. (NOTA: 'guest_id' pode ser o ID, nome ou UUID do convidado). > Alguns subcomandos, como `virsh list`, têm sua própria documentação de uso. -> Mais informações: . +> Mais informações: . - Conecta a uma sessão do hipervisor: diff --git a/pages.pt_BR/common/xkill.md b/pages.pt_BR/common/xkill.md index 621f76ea2..c9a4d04c7 100644 --- a/pages.pt_BR/common/xkill.md +++ b/pages.pt_BR/common/xkill.md @@ -12,6 +12,6 @@ `xkill -button any` -- Fecha uma janela com um id específico (use `xwininfo` para obter informações sobre janelas): +- Fecha uma janela com um ID específico (use `xwininfo` para obter informações sobre janelas): `xkill -id {{id}}` diff --git a/pages.pt_BR/common/xz.md b/pages.pt_BR/common/xz.md index 77b4f3ad3..b96fc81a8 100644 --- a/pages.pt_BR/common/xz.md +++ b/pages.pt_BR/common/xz.md @@ -1,6 +1,6 @@ # xz -> Compactar ou descompactar arquivos com a extensão .xz ou .lzma. +> Compactar ou descompactar arquivos XZ ou LZMA. > Mais informações: . - Compacta um arquivo no formato xz: @@ -11,11 +11,11 @@ `xz --decompress {{caminho/para/arquivo.xz}}` -- Compacta um arquivo no formato lzma: +- Compacta um arquivo no formato LZMA: `xz --format=lzma {{caminho/para/arquivo}}` -- Descompacta um arquivo no formato lzma: +- Descompacta um arquivo no formato LZMA: `xz --decompress --format=lzma {{caminho/para/arquivo.lzma}}` diff --git a/pages.pt_BR/common/zsh.md b/pages.pt_BR/common/zsh.md index a6b7de985..d92a913f5 100644 --- a/pages.pt_BR/common/zsh.md +++ b/pages.pt_BR/common/zsh.md @@ -32,6 +32,6 @@ `zsh --verbose` -- Executa um comando específico dentro do `zsh` com padrões glob desativados: +- Executa um comando específico dentro do Zsh com padrões glob desativados: `noglob {{comando}}` diff --git a/pages.pt_BR/linux/a2disconf.md b/pages.pt_BR/linux/a2disconf.md index f36e4a8a0..707ed867d 100644 --- a/pages.pt_BR/linux/a2disconf.md +++ b/pages.pt_BR/linux/a2disconf.md @@ -1,7 +1,7 @@ # a2disconf > Desativar um arquivo de configuração em sistemas operacionais baseados no Debian. -> Mais informações: . +> Mais informações: . - Desativa um arquivo de configuração: diff --git a/pages.pt_BR/linux/a2dismod.md b/pages.pt_BR/linux/a2dismod.md index 4ef41d68b..3e334ae12 100644 --- a/pages.pt_BR/linux/a2dismod.md +++ b/pages.pt_BR/linux/a2dismod.md @@ -1,7 +1,7 @@ # a2dismod > Desativa um módulo do Apache em sistemas operacionais baseados no Debian. -> Mais informações: . +> Mais informações: . - Desativa um módulo: diff --git a/pages.pt_BR/linux/a2dissite.md b/pages.pt_BR/linux/a2dissite.md index 64bc9c01d..1ab173f25 100644 --- a/pages.pt_BR/linux/a2dissite.md +++ b/pages.pt_BR/linux/a2dissite.md @@ -1,7 +1,7 @@ # a2dissite > Desativa um host virtual do Apache em sistemas operacionais baseados no Debian. -> Mais informações: . +> Mais informações: . - Desativa um host virtual: diff --git a/pages.pt_BR/linux/a2enconf.md b/pages.pt_BR/linux/a2enconf.md index 03f84b432..95feda450 100644 --- a/pages.pt_BR/linux/a2enconf.md +++ b/pages.pt_BR/linux/a2enconf.md @@ -1,7 +1,7 @@ # a2enconf > Ativa um arquivo de configuração do Apache em sistemas operacionais baseados no Debian. -> Mais informações: . +> Mais informações: . - Ativa um arquivo de configuração: diff --git a/pages.pt_BR/linux/a2enmod.md b/pages.pt_BR/linux/a2enmod.md index 263c9cc67..569847c96 100644 --- a/pages.pt_BR/linux/a2enmod.md +++ b/pages.pt_BR/linux/a2enmod.md @@ -1,7 +1,7 @@ # a2enmod > Ativa um módulo do Apache em sistemas operacionais baseados no Debian. -> Mais informações: . +> Mais informações: . - Ativa um módulo: diff --git a/pages.pt_BR/linux/a2ensite.md b/pages.pt_BR/linux/a2ensite.md index d87f3daae..6d0413702 100644 --- a/pages.pt_BR/linux/a2ensite.md +++ b/pages.pt_BR/linux/a2ensite.md @@ -1,7 +1,7 @@ # a2ensite > Ativa um host virtual do Apache em sistemas operacionais baseados no Debian. -> Mais informações: . +> Mais informações: . - Ativa um host virtual: diff --git a/pages.pt_BR/linux/a2query.md b/pages.pt_BR/linux/a2query.md index 5ff8cdac5..a27b37114 100644 --- a/pages.pt_BR/linux/a2query.md +++ b/pages.pt_BR/linux/a2query.md @@ -1,7 +1,7 @@ # a2query > Exibe configurações de execução do Apache em sistemas operacionais baseados no Debian. -> Mais informações: . +> Mais informações: . - Lista módulos ativos do Apache: diff --git a/pages.pt_BR/linux/adduser.md b/pages.pt_BR/linux/adduser.md index 1a5d7e62e..d7563057e 100644 --- a/pages.pt_BR/linux/adduser.md +++ b/pages.pt_BR/linux/adduser.md @@ -1,7 +1,7 @@ # adduser > Utilitário para criação de novos usuários. -> Mais informações: . +> Mais informações: . - Cria um novo usuário, o seu diretório na pasta home e solicita o preenchimento da sua senha: diff --git a/pages.pt_BR/linux/apache2ctl.md b/pages.pt_BR/linux/apache2ctl.md index 5a2244629..3e7469948 100644 --- a/pages.pt_BR/linux/apache2ctl.md +++ b/pages.pt_BR/linux/apache2ctl.md @@ -2,7 +2,7 @@ > Interface de controle do servidor web HTTP Apache. > Este comando está disponível nas distribuições baseadas em Debian, para as baseadas em RHEL veja `httpd`. -> Mais informações: . +> Mais informações: . - Inicia o Apache. Caso ele já esteja em execução, uma mensagem será apresentada: diff --git a/pages.pt_BR/linux/apt-cache.md b/pages.pt_BR/linux/apt-cache.md index 60e59fe85..5c302a321 100644 --- a/pages.pt_BR/linux/apt-cache.md +++ b/pages.pt_BR/linux/apt-cache.md @@ -1,7 +1,7 @@ # apt-cache > Buscador de pacotes para distribuições baseadas no Debian. -> Mais informações: . +> Mais informações: . - Busca pacotes, no cache de pacotes APT, correspondentes ao critério de busca: diff --git a/pages.pt_BR/linux/apt-file.md b/pages.pt_BR/linux/apt-file.md index 2c0b2da5c..9ee2f080b 100644 --- a/pages.pt_BR/linux/apt-file.md +++ b/pages.pt_BR/linux/apt-file.md @@ -1,7 +1,7 @@ # apt-file -> Buscador de arquivos nos pacotes apt, incluindo os não instalados. -> Mais informações: . +> Buscador de arquivos nos pacotes APT, incluindo os não instalados. +> Mais informações: . - Atualiza as informações dos pacotes a partir de todos os repositórios remotos: diff --git a/pages.pt_BR/linux/apt-get.md b/pages.pt_BR/linux/apt-get.md index dd1a72eeb..b6d4aaec9 100644 --- a/pages.pt_BR/linux/apt-get.md +++ b/pages.pt_BR/linux/apt-get.md @@ -2,7 +2,7 @@ > Gerenciador de pacotes das distribuições baseadas em Debian. > Procure por pacotes utilizando o `apt-cache`. -> Mais informações: . +> Mais informações: . - Atualiza a lista de pacotes disponíveis (recomenda-se executá-lo antes de outros comandos `apt-get`): diff --git a/pages.pt_BR/linux/apt-key.md b/pages.pt_BR/linux/apt-key.md index 1b534a75e..020e3797e 100644 --- a/pages.pt_BR/linux/apt-key.md +++ b/pages.pt_BR/linux/apt-key.md @@ -1,7 +1,7 @@ # apt-key > Gerenciador de chaves utilizado pelo gerenciador de pacotes APT nas distribuições baseadas em Debian. -> Mais informações: . +> Mais informações: . - Exibe as chaves confiáveis: diff --git a/pages.pt_BR/linux/apt-mark.md b/pages.pt_BR/linux/apt-mark.md index 1a2b1576b..c529a8d68 100644 --- a/pages.pt_BR/linux/apt-mark.md +++ b/pages.pt_BR/linux/apt-mark.md @@ -1,7 +1,7 @@ # apt-mark > Utilitário que altera as configurações dos pacotes instalados. -> Mais informações: . +> Mais informações: . - Marca um pacote como instalado automaticamente: diff --git a/pages.pt_BR/linux/apt.md b/pages.pt_BR/linux/apt.md index a9504c86e..7cecb2900 100644 --- a/pages.pt_BR/linux/apt.md +++ b/pages.pt_BR/linux/apt.md @@ -1,7 +1,7 @@ # apt > Gerenciador de pacotes das distribuições baseadas em Debian. -> Mais informações: . +> Mais informações: . - Atualiza a lista de pacotes disponíveis (recomenda-se executá-lo antes de outros comandos `apt`): diff --git a/pages.pt_BR/linux/aptitude.md b/pages.pt_BR/linux/aptitude.md index daa2134a9..827a11699 100644 --- a/pages.pt_BR/linux/aptitude.md +++ b/pages.pt_BR/linux/aptitude.md @@ -1,7 +1,7 @@ # aptitude > Gerenciador de pacotes das distribuições baseadas em Debian. -> Mais informações: . +> Mais informações: . - Atualiza a lista de pacotes disponíveis (recomenda-se executá-lo antes de outros comandos `aptitude`): diff --git a/pages.pt_BR/linux/as.md b/pages.pt_BR/linux/as.md index 4cc31d8ea..2b1b4edca 100644 --- a/pages.pt_BR/linux/as.md +++ b/pages.pt_BR/linux/as.md @@ -6,16 +6,16 @@ - Realiza a montagem de um arquivo, o resultado dessa operação será gravado no arquivo a.out: -`as {{arquivo.s}}` +`as {{caminho/para/arquivo.s}}` - Realiza a montagem de um arquivo, o resultado dessa operação será gravado em um arquivo específico: -`as {{arquivo.s}} -o {{saida.o}}` +`as {{caminho/para/arquivo.s}} -o {{caminho/para/saida.o}}` - Realiza a montagem de um arquivo rapidamente, pois ignora o pré-processamento de comentários e espaços em branco. (Deve ser utilizado apenas em compiladores confiáveis): -`as -f {{arquivo.s}}` +`as -f {{caminho/para/arquivo.s}}` - Adiciona um caminho na lista de diretórios onde será realizada a busca por arquivos especificados na diretiva .include: -`as -I {{caminho_para_o_diretorio}} {{arquivo.s}}` +`as -I {{caminho_para_o_diretorio}} {{caminho/para/arquivo.s}}` diff --git a/pages.pt_BR/linux/ascii.md b/pages.pt_BR/linux/ascii.md new file mode 100644 index 000000000..84012196d --- /dev/null +++ b/pages.pt_BR/linux/ascii.md @@ -0,0 +1,36 @@ +# ascii + +> Mostra pseudónimos de caractéres ASCII. +> Mais informações: . + +- Mostra pseudónimos ASCII de um carácter: + +`ascii {{a}}` + +- Mostra pseudónimos ASCII de forma resumida, modo script-friendly: + +`ascii -t {{a}}` + +- Mostra pseudónimo ASCII de múltiplos caracteres: + +`ascii -s {{tldr}}` + +- Mostra tabela ASCII em decimal: + +`ascii -d` + +- Mostra tabela ASCII em hexadecimal: + +`ascii -x` + +- Mostra tabela ASCII em octal: + +`ascii -o` + +- Mostra tabela ASCII em binário: + +`ascii -b` + +- Mostra sumário de opções e tabela ASCII completa: + +`ascii` diff --git a/pages.pt_BR/linux/daemon.md b/pages.pt_BR/linux/daemon.md index c8aef50d5..d57beba00 100644 --- a/pages.pt_BR/linux/daemon.md +++ b/pages.pt_BR/linux/daemon.md @@ -1,7 +1,7 @@ # daemon > Roda processos em daemons. -> Mais informações: . +> Mais informações: . - Roda um comando como um daemon: diff --git a/pages.pt_BR/linux/dconf-reset.md b/pages.pt_BR/linux/dconf-reset.md index d24153bfb..63f06d9e2 100644 --- a/pages.pt_BR/linux/dconf-reset.md +++ b/pages.pt_BR/linux/dconf-reset.md @@ -6,8 +6,8 @@ - Redefine um valor de chave específico: -`dconf read {{/caminho/para/chave}}` +`dconf reset {{/caminho/para/chave}}` - Redefine um diretório específico: -`dconf read -d {{/caminho/para/diretório/}}` +`dconf reset -f {{/caminho/para/diretório/}}` diff --git a/pages.pt_BR/linux/dockerd.md b/pages.pt_BR/linux/dockerd.md index 7c75dddc0..f73ad3b14 100644 --- a/pages.pt_BR/linux/dockerd.md +++ b/pages.pt_BR/linux/dockerd.md @@ -1,7 +1,7 @@ # dockerd > Um processo persistente para iniciar e gerenciar contêineres Docker. -> Mais informações: . +> Mais informações: . - Executa o daemon do Docker: @@ -21,4 +21,4 @@ - Executa e define um nível de log específico: -`dockerd --log-level={{debug|info|warn|error|fatal}}` +`dockerd --log-level {{debug|info|warn|error|fatal}}` diff --git a/pages.pt_BR/linux/dolphin.md b/pages.pt_BR/linux/dolphin.md index 1e3481419..5a0257a2f 100644 --- a/pages.pt_BR/linux/dolphin.md +++ b/pages.pt_BR/linux/dolphin.md @@ -23,7 +23,7 @@ `dolphin --split {{caminho/para/diretorio1}} {{caminho/para/diretorio2}}` -- Inicializa o daemon do Dolphin (necessário apenas para usar a interface do DBus): +- Inicializa o daemon do Dolphin (necessário apenas para usar a interface do D-Bus): `dolphin --daemon` diff --git a/pages.pt_BR/linux/dpkg-query.md b/pages.pt_BR/linux/dpkg-query.md index cfe507197..5628d9eb0 100644 --- a/pages.pt_BR/linux/dpkg-query.md +++ b/pages.pt_BR/linux/dpkg-query.md @@ -1,7 +1,7 @@ # dpkg-query > Ferramenta que mostra informações dos pacotes instalados. -> Mais informações: . +> Mais informações: . - Exibe os pacotes instalados: diff --git a/pages.pt_BR/linux/dpkg.md b/pages.pt_BR/linux/dpkg.md index 4e9590488..392f08664 100644 --- a/pages.pt_BR/linux/dpkg.md +++ b/pages.pt_BR/linux/dpkg.md @@ -2,7 +2,7 @@ > Gerenciador de pacotes Debian. > Alguns subcomandos como `dpkg deb` tem sua própia documentação de uso. -> Mais informações: . +> Mais informações: . - Instala um pacote: diff --git a/pages.pt_BR/linux/genisoimage.md b/pages.pt_BR/linux/genisoimage.md index 9bfba1cd7..35c97cb4a 100644 --- a/pages.pt_BR/linux/genisoimage.md +++ b/pages.pt_BR/linux/genisoimage.md @@ -1,7 +1,7 @@ # genisoimage > Programa de pré-masterização para gerar sistemas de arquivos híbridos ISO9660/Joliet/HFS. -> Mais informações: . +> Mais informações: . - Cria uma imagem ISO a partir do diretório de origem fornecido: diff --git a/pages.pt_BR/linux/ip-route-list.md b/pages.pt_BR/linux/ip-route-list.md index 0bd6409b7..3286cbb66 100644 --- a/pages.pt_BR/linux/ip-route-list.md +++ b/pages.pt_BR/linux/ip-route-list.md @@ -1,6 +1,6 @@ -# ip-route-list +# ip route list -> Este comando é um apelido de `ip-route-show`. +> Este comando é um apelido de `ip route show`. - Exibe documentação sobre o comando original: diff --git a/pages.pt_BR/linux/ip.md b/pages.pt_BR/linux/ip.md index f71d97d70..76cf6122a 100644 --- a/pages.pt_BR/linux/ip.md +++ b/pages.pt_BR/linux/ip.md @@ -2,7 +2,7 @@ > Mostra / manipula roteamento, dispositivos, roteamento baseado em póliticas e túneis. > Alguns subcomandos como `ip address` têm suas pŕoprias documentações de uso. -> Mais informações: . +> Mais informações: . - Lista interfaces com informações detalhadas: diff --git a/pages.pt_BR/linux/mkfs.fat.md b/pages.pt_BR/linux/mkfs.fat.md index 6738b9bb2..c09f187c0 100644 --- a/pages.pt_BR/linux/mkfs.fat.md +++ b/pages.pt_BR/linux/mkfs.fat.md @@ -11,7 +11,7 @@ `mkfs.fat -n {{nome_de_volume}} {{/dev/sdb1}}` -- Cria um sistema de arquivos com um id de volume: +- Cria um sistema de arquivos com um ID de volume: `mkfs.fat -i {{id_de_volume}} {{/dev/sdb1}}` diff --git a/pages.pt_BR/linux/poweroff.md b/pages.pt_BR/linux/poweroff.md index 25c12dce8..a36e426d4 100644 --- a/pages.pt_BR/linux/poweroff.md +++ b/pages.pt_BR/linux/poweroff.md @@ -1,7 +1,7 @@ # poweroff > Desliga o sistema. -> Mais informações: . +> Mais informações: . - Desliga o sistema: diff --git a/pages.pt_BR/linux/pw-cat.md b/pages.pt_BR/linux/pw-cat.md index 12e0bc313..76c187b31 100644 --- a/pages.pt_BR/linux/pw-cat.md +++ b/pages.pt_BR/linux/pw-cat.md @@ -1,6 +1,6 @@ # pw-cat -> Toca e grava arquivos de áudio através do pipewire. +> Toca e grava arquivos de áudio através do PipeWire. > Mais informações: . - Toca um arquivo WAV no alvo padrão: diff --git a/pages.pt_BR/linux/pw-cli.md b/pages.pt_BR/linux/pw-cli.md index e64d4ea98..d1bb54e00 100644 --- a/pages.pt_BR/linux/pw-cli.md +++ b/pages.pt_BR/linux/pw-cli.md @@ -1,7 +1,7 @@ # pw-cli > Gerencia módulos, objetos, nós, dispositivos, conexões e muito mais de uma instância PipeWire. -> Mais informações: . +> Mais informações: . - Exibe todos os nós (dispositivos de entrada e saída) com os seus IDs: diff --git a/pages.pt_BR/linux/pw-loopback.md b/pages.pt_BR/linux/pw-loopback.md index 038dfb999..a669d5e65 100644 --- a/pages.pt_BR/linux/pw-loopback.md +++ b/pages.pt_BR/linux/pw-loopback.md @@ -1,6 +1,6 @@ # pw-loopback -> Ferramenta para Cria dispositivos de loopback no pipewire. +> Ferramenta para Cria dispositivos de loopback no PipeWire. > Mais informações: . - Cria um dispositivo de loopback com o comportamento padrão de loopback: diff --git a/pages.pt_BR/linux/pw-play.md b/pages.pt_BR/linux/pw-play.md index e16adb713..94c2198b1 100644 --- a/pages.pt_BR/linux/pw-play.md +++ b/pages.pt_BR/linux/pw-play.md @@ -1,6 +1,6 @@ # pw-play -> Grava arquivos de áudio através do pipewire. +> Grava arquivos de áudio através do PipeWire. > Atalho para pw-cat --playback. > Mais informações: . diff --git a/pages.pt_BR/linux/pw-record.md b/pages.pt_BR/linux/pw-record.md index c65d2d1b4..972d4a5fa 100644 --- a/pages.pt_BR/linux/pw-record.md +++ b/pages.pt_BR/linux/pw-record.md @@ -1,6 +1,6 @@ # pw-record -> Grava arquivos de áudio através do pipewire. +> Grava arquivos de áudio através do PipeWire. > Atalho para pw-cat --record. > Mais informações: . diff --git a/pages.pt_BR/linux/wtf.md b/pages.pt_BR/linux/wtf.md index dd5f2ece7..9f059c105 100644 --- a/pages.pt_BR/linux/wtf.md +++ b/pages.pt_BR/linux/wtf.md @@ -1,7 +1,7 @@ # wtf > Mostra a expansão de acrônimos. -> Mais informações: . +> Mais informações: . - Expande um acrônimo: diff --git a/pages.pt_BR/linux/zramctl.md b/pages.pt_BR/linux/zramctl.md index bd7dc512a..0444b6001 100644 --- a/pages.pt_BR/linux/zramctl.md +++ b/pages.pt_BR/linux/zramctl.md @@ -22,4 +22,4 @@ - Lista dispositivos atualmente inicializados: -`zramctl` +`sudo zramctl` diff --git a/pages.pt_BR/osx/as.md b/pages.pt_BR/osx/as.md index bf9b2d956..dee790ae5 100644 --- a/pages.pt_BR/osx/as.md +++ b/pages.pt_BR/osx/as.md @@ -6,16 +6,16 @@ - Monta (compilar) um arquivo, escrevendo a saída para `a.out`: -`as {{arquivo.s}}` +`as {{caminho/para/arquivo.s}}` - Monta a saída para um determinado arquivo: -`as {{arquivo.s}} -o {{saida.o}}` +`as {{caminho/para/arquivo.s}} -o {{caminho/para/saida.o}}` - Gera saída mais rapidamente ignorando espaços em branco e pré-processamento de comentários. (Só deve ser usado para compiladores confiáveis): -`as -f {{arquivo.s}}` +`as -f {{caminho/para/arquivo.s}}` - Inclui um determinado caminho na lista de diretórios para pesquisar os arquivos especificados nas diretivas `.include`: -`as -I {{caminho/para/diretório}} {{arquivo.s}}` +`as -I {{caminho/para/diretório}} {{caminho/para/arquivo.s}}` diff --git a/pages.pt_BR/osx/date.md b/pages.pt_BR/osx/date.md index fae9ef3c2..474910d4e 100644 --- a/pages.pt_BR/osx/date.md +++ b/pages.pt_BR/osx/date.md @@ -17,4 +17,4 @@ - Exibe uma data específica (representada como um timestamp Unix) usando o formato padrão: -`date -r 1473305798` +`date -r {{1473305798}}` diff --git a/pages.pt_BR/osx/dd.md b/pages.pt_BR/osx/dd.md index 1b5236d08..d1ec14ffe 100644 --- a/pages.pt_BR/osx/dd.md +++ b/pages.pt_BR/osx/dd.md @@ -5,16 +5,16 @@ - Cria uma unidade USB inicializável a partir de um arquivo isohybrid (tal como `archlinux-xxx.iso`): -`dd if={{arquivo.iso}} of=/dev/{{unidade_usb}}` +`dd if={{caminho/para/arquivo.iso}} of={{/dev/unidade_usb}}` -- Clona uma unidade para outra unidade com bloco de 4 MB e ignora erro: +- Clona uma unidade para outra unidade com bloco de 4 MB e ignora qualquer erro: -`dd if=/dev/{{unidade_origem}} of=/dev/{{unidade_destino}} bs=4m conv=noerror` +`dd bs=4m conv=noerror if={{/dev/unidade_origem}} of={{/dev/unidade_destino}}` -- Gera um arquivo de 100 bytes aleatórios usando o driver aleatório do kernel: +- Gera um arquivo de número específico de bytes aleatórios usando o driver aleatório do kernel: -`dd if=/dev/urandom of={{arquivo_aleatório}} bs=100 count=1` +`dd bs={{100}} count={{1}} if=/dev/urandom of={{caminho/para/arquivo_aleatório}}` - Compara o desempenho de gravação de um disco: -`dd if=/dev/zero of={{arquivo_1GB}} bs=1024 count=1000000` +`dd bs={{1024}} count={{1000000}} if=/dev/zero of={{caminho/para/arquivo_1GB}}` diff --git a/pages.pt_BR/windows/whoami.md b/pages.pt_BR/windows/whoami.md index 479213b42..0cb5edd35 100644 --- a/pages.pt_BR/windows/whoami.md +++ b/pages.pt_BR/windows/whoami.md @@ -19,6 +19,6 @@ `whoami /upn` -- Mostra o id de logon do usuário atual: +- Mostra o ID de logon do usuário atual: `whoami /logonid` diff --git a/pages.pt_PT/android/bugreportz.md b/pages.pt_PT/android/bugreportz.md index 61232c049..97e50afb7 100644 --- a/pages.pt_PT/android/bugreportz.md +++ b/pages.pt_PT/android/bugreportz.md @@ -1,10 +1,10 @@ # bugreportz -> Gera um relatório de bugs do Android em formato .zip. +> Gera um relatório de bugs do Android em formato Zip. > Este comando só pode ser utilizado com a `adb shell`. > Mais informações: . -- Mostra um relatório completo de bugs de um dispositivo Android em formato .zip: +- Mostra um relatório completo de bugs de um dispositivo Android em formato Zip: `bugreportz` diff --git a/pages.pt_PT/common/7za.md b/pages.pt_PT/common/7za.md index b9dbaaa38..e6a2a1d90 100644 --- a/pages.pt_PT/common/7za.md +++ b/pages.pt_PT/common/7za.md @@ -10,7 +10,7 @@ - Encripta um arquivo existente (incluindo os nomes dos ficheiros): -`7za a {{caminho/para/ficheiro_encriptado.7z}} -p{{palavra-passe}} -mhe={{on}} {{caminho/para/ficheiro_compactado.7z}}` +`7za a {{caminho/para/ficheiro_encriptado.7z}} -p{{palavra-passe}} -mhe {{on}} {{caminho/para/ficheiro_compactado.7z}}` - Descompacta um arquivo mantendo a estrutura de diretórios original: diff --git a/pages.pt_PT/common/alacritty.md b/pages.pt_PT/common/alacritty.md index 059c3aff8..7339e4120 100644 --- a/pages.pt_PT/common/alacritty.md +++ b/pages.pt_PT/common/alacritty.md @@ -15,10 +15,10 @@ `alacritty -e {{comando}}` -- Define um caminho alternativo para o ficheiro de configuração (por omissão `$XDG_CONFIG_HOME/alacritty/alacritty.yml`): +- Define um caminho alternativo para o ficheiro de configuração (por omissão `$XDG_CONFIG_HOME/alacritty/alacritty.toml`): -`alacritty --config-file {{caminho/para/configuração.yml}}` +`alacritty --config-file {{caminho/para/configuração.toml}}` -- Executa com carregamento automático de configuração (pode ser definido por omissão em `alacritty.yml`): +- Executa com carregamento automático de configuração (pode ser definido por omissão em `alacritty.toml`): -`alacritty --live-config-reload --config-file {{caminho/para/configuração.yml}}` +`alacritty --live-config-reload --config-file {{caminho/para/configuração.toml}}` diff --git a/pages.pt_PT/common/clamav.md b/pages.pt_PT/common/clamav.md index d8094b08e..25464fc27 100644 --- a/pages.pt_PT/common/clamav.md +++ b/pages.pt_PT/common/clamav.md @@ -1,4 +1,4 @@ -# clamav +# ClamAV > Este comando é um alias de `clamdscan`. > Mais informações: . diff --git a/pages.pt_PT/common/fossil-ci.md b/pages.pt_PT/common/fossil-ci.md index 59fa5b89b..f02764560 100644 --- a/pages.pt_PT/common/fossil-ci.md +++ b/pages.pt_PT/common/fossil-ci.md @@ -1,6 +1,6 @@ -# fossil-ci +# fossil ci -> Este comando é um alias de `fossil-commit`. +> Este comando é um alias de `fossil commit`. > Mais informações: . - Exibe documentação do comando original: diff --git a/pages.pt_PT/common/fossil-delete.md b/pages.pt_PT/common/fossil-delete.md index e92e8de35..4cb553f3d 100644 --- a/pages.pt_PT/common/fossil-delete.md +++ b/pages.pt_PT/common/fossil-delete.md @@ -1,4 +1,4 @@ -# fossil-delete +# fossil delete > Este comando é um alias de `fossil rm`. > Mais informações: . diff --git a/pages.pt_PT/common/fossil-forget.md b/pages.pt_PT/common/fossil-forget.md index fe5273310..bc07dcf00 100644 --- a/pages.pt_PT/common/fossil-forget.md +++ b/pages.pt_PT/common/fossil-forget.md @@ -1,4 +1,4 @@ -# fossil-forget +# fossil forget > Este comando é um alias de `fossil rm`. > Mais informações: . diff --git a/pages.pt_PT/common/fossil-new.md b/pages.pt_PT/common/fossil-new.md index eb21b7461..84ef044f8 100644 --- a/pages.pt_PT/common/fossil-new.md +++ b/pages.pt_PT/common/fossil-new.md @@ -1,6 +1,6 @@ -# fossil-new +# fossil new -> Este comando é um alias de `fossil-init`. +> Este comando é um alias de `fossil init`. > Mais informações: . - Exibe documentação do comando original: diff --git a/pages.pt_PT/common/gh-cs.md b/pages.pt_PT/common/gh-cs.md index 69cf18aad..f98f493b9 100644 --- a/pages.pt_PT/common/gh-cs.md +++ b/pages.pt_PT/common/gh-cs.md @@ -1,6 +1,6 @@ -# gh-cs +# gh cs -> Este comando é um alias de `gh-codespace`. +> Este comando é um alias de `gh codespace`. > Mais informações: . - Exibe documentação do comando original: diff --git a/pages.pt_PT/common/gnmic-sub.md b/pages.pt_PT/common/gnmic-sub.md index 55432454b..5ef740fb3 100644 --- a/pages.pt_PT/common/gnmic-sub.md +++ b/pages.pt_PT/common/gnmic-sub.md @@ -1,4 +1,4 @@ -# gnmic-sub +# gnmic sub > Este comando é um alias de `gnmic subscribe`. > Mais informações: . diff --git a/pages.pt_PT/common/pio-init.md b/pages.pt_PT/common/pio-init.md index 56471fef6..dfb459b66 100644 --- a/pages.pt_PT/common/pio-init.md +++ b/pages.pt_PT/common/pio-init.md @@ -1,4 +1,4 @@ -# pio-init +# pio init > Este comando é um alias de `pio project`. diff --git a/pages.pt_PT/common/tlmgr-arch.md b/pages.pt_PT/common/tlmgr-arch.md index 744658b62..79eb3863b 100644 --- a/pages.pt_PT/common/tlmgr-arch.md +++ b/pages.pt_PT/common/tlmgr-arch.md @@ -1,4 +1,4 @@ -# tlmgr-arch +# tlmgr arch > Este comando é um alias de `tlmgr platform`. > Mais informações: . diff --git a/pages.pt_PT/common/touch.md b/pages.pt_PT/common/touch.md index 43cf84303..d8a80465e 100644 --- a/pages.pt_PT/common/touch.md +++ b/pages.pt_PT/common/touch.md @@ -2,7 +2,7 @@ > Atualizar as timestamps de um ficheiro para a hora atual. > Se o ficheiro não existir, cria um ficheiro vazio, a menos que seja passado o parâmetro -c ou -h. -> Mais informações: . +> Mais informações: . - Cria um novo ficheiro vazio, ou atualizar as timestamps para a hora atual: diff --git a/pages.pt_PT/linux/a2disconf.md b/pages.pt_PT/linux/a2disconf.md index 43e942627..18e62e3ef 100644 --- a/pages.pt_PT/linux/a2disconf.md +++ b/pages.pt_PT/linux/a2disconf.md @@ -1,7 +1,7 @@ # a2disconf > Desactiva um ficheiro de configuração do Apache em distribuições baseadas em Debian. -> Mais informações: . +> Mais informações: . - Desactiva um ficheiro de configuração: diff --git a/pages.pt_PT/linux/a2dismod.md b/pages.pt_PT/linux/a2dismod.md index 1dfd7901b..373c50898 100644 --- a/pages.pt_PT/linux/a2dismod.md +++ b/pages.pt_PT/linux/a2dismod.md @@ -1,7 +1,7 @@ # a2dismod > Desactiva um módulo do Apache em distribuições baseadas em Debian. -> Mais informações: . +> Mais informações: . - Desactiva um módulo: diff --git a/pages.pt_PT/linux/a2dissite.md b/pages.pt_PT/linux/a2dissite.md index 8bb9b453d..bc58cc062 100644 --- a/pages.pt_PT/linux/a2dissite.md +++ b/pages.pt_PT/linux/a2dissite.md @@ -1,7 +1,7 @@ # a2dissite > Desactiva um host virtual do Apache em distribuições baseadas em Debian. -> Mais informações: . +> Mais informações: . - Desactiva um host virtual: diff --git a/pages.pt_PT/linux/a2enconf.md b/pages.pt_PT/linux/a2enconf.md index 796afa3da..430a5ad4f 100644 --- a/pages.pt_PT/linux/a2enconf.md +++ b/pages.pt_PT/linux/a2enconf.md @@ -1,7 +1,7 @@ # a2enconf > Activa um ficheiro de configuração do Apache em distribuições baseadas em Debian. -> Mais informações: . +> Mais informações: . - Activa um ficheiro de configuração: diff --git a/pages.pt_PT/linux/a2enmod.md b/pages.pt_PT/linux/a2enmod.md index 6c382aaaa..3021095f7 100644 --- a/pages.pt_PT/linux/a2enmod.md +++ b/pages.pt_PT/linux/a2enmod.md @@ -1,7 +1,7 @@ # a2enmod > Activa um módulo do Apache em distribuições baseadas em Debian. -> Mais informações: . +> Mais informações: . - Activa um módulo: diff --git a/pages.pt_PT/linux/a2ensite.md b/pages.pt_PT/linux/a2ensite.md index 3352939e5..deaf48a02 100644 --- a/pages.pt_PT/linux/a2ensite.md +++ b/pages.pt_PT/linux/a2ensite.md @@ -1,7 +1,7 @@ # a2ensite > Activa um host virtual do Apache em distribuições baseadas em Debian. -> Mais informações: . +> Mais informações: . - Activa um host virtual: diff --git a/pages.pt_PT/linux/a2query.md b/pages.pt_PT/linux/a2query.md index 1d76e9bb4..39e19ae60 100644 --- a/pages.pt_PT/linux/a2query.md +++ b/pages.pt_PT/linux/a2query.md @@ -1,7 +1,7 @@ # a2query > Mostra configurações runtime do Apache em distribuições baseadas em Debian. -> Mais informações: . +> Mais informações: . - Lista módulos Apache activados: diff --git a/pages.pt_PT/linux/apt.md b/pages.pt_PT/linux/apt.md index 83cf7770b..084d9955e 100644 --- a/pages.pt_PT/linux/apt.md +++ b/pages.pt_PT/linux/apt.md @@ -1,7 +1,7 @@ # apt > Gestor de pacotes das distribuições baseadas em Debian. -> Mais informações: . +> Mais informações: . - Actualiza a lista de pacotes disponíveis (recomenda-se executá-lo antes de outros comandos `apt`): diff --git a/pages.pt_PT/linux/gedit.md b/pages.pt_PT/linux/gedit.md index 7da051e42..e55f69525 100644 --- a/pages.pt_PT/linux/gedit.md +++ b/pages.pt_PT/linux/gedit.md @@ -13,7 +13,7 @@ - Abre um ficheiro de texto com uma formatação específica: -`gedit --encoding={{UTF-8}} {{caminho/para/ficheiro}}` +`gedit --encoding {{UTF-8}} {{caminho/para/ficheiro}}` - Mostra a lista de formatações de texto disponíveis: diff --git a/pages.pt_PT/linux/ip-route-list.md b/pages.pt_PT/linux/ip-route-list.md index 99611d3c1..c35c01975 100644 --- a/pages.pt_PT/linux/ip-route-list.md +++ b/pages.pt_PT/linux/ip-route-list.md @@ -1,6 +1,6 @@ -# ip-route-list +# ip route list -> Este comando é um alias de `ip-route-show`. +> Este comando é um alias de `ip route show`. - Exibe documentação do comando original: diff --git a/pages.pt_PT/linux/man.md b/pages.pt_PT/linux/man.md index 383af4d1d..a447873fd 100644 --- a/pages.pt_PT/linux/man.md +++ b/pages.pt_PT/linux/man.md @@ -25,7 +25,7 @@ - Exibe a página do manual usando uma localização específica: -`man --locale={{localização}} {{comando}}` +`man --locale {{localização}} {{comando}}` - Procura por páginas do manual que contenham uma certa string: diff --git a/pages.ru/common/7zr.md b/pages.ru/common/7zr.md index 5997cbd60..426f52d8d 100644 --- a/pages.ru/common/7zr.md +++ b/pages.ru/common/7zr.md @@ -1,7 +1,7 @@ # 7zr > Архиватор файлов с высокой степенью сжатия. -> То же, что и `7z`, но поддерживает только файлы `.7z`. +> То же, что и `7z`, но поддерживает только файлы 7z. > Больше информации: . - Архивировать ([a]rchive) файл или папку: diff --git a/pages.ru/common/ack.md b/pages.ru/common/ack.md index 877bddb05..a63c04242 100644 --- a/pages.ru/common/ack.md +++ b/pages.ru/common/ack.md @@ -18,11 +18,11 @@ - Ограничить поиск только файлами определённого типа: -`ack --type={{ruby}} "{{шаблон_поиска}}"` +`ack --type {{ruby}} "{{шаблон_поиска}}"` - Не искать в файлах определённого типа: -`ack --type=no{{ruby}} "{{шаблон_поиска}}"` +`ack --type no{{ruby}} "{{шаблон_поиска}}"` - Подсчитать общее количество найденных совпадений: diff --git a/pages.ru/common/asciidoctor.md b/pages.ru/common/asciidoctor.md index a6d17364c..f1539c496 100644 --- a/pages.ru/common/asciidoctor.md +++ b/pages.ru/common/asciidoctor.md @@ -9,7 +9,7 @@ - Преобразовать данный `.adoc` файл в HTML и привязать к таблице стилей CSS: -`asciidoctor -a stylesheet={{путь/до/таблицы-стилей.css}} {{путь/до/файла.adoc}}` +`asciidoctor -a stylesheet {{путь/до/таблицы-стилей.css}} {{путь/до/файла.adoc}}` - Преобразовать данный `.adoc` файл во встраиваемый HTML, убрав всё кроме самого текста: @@ -17,4 +17,4 @@ - Преобразовать данный `.adoc` файл в PDF с помощью библиотеки `asciidoctor-pdf`: -`asciidoctor --backend={{pdf}} --require={{asciidoctor-pdf}} {{путь/до/файла.adoc}}` +`asciidoctor --backend {{pdf}} --require {{asciidoctor-pdf}} {{путь/до/файла.adoc}}` diff --git a/pages.ru/linux/aspell.md b/pages.ru/common/aspell.md similarity index 100% rename from pages.ru/linux/aspell.md rename to pages.ru/common/aspell.md diff --git a/pages.ru/common/bundler.md b/pages.ru/common/bundler.md deleted file mode 100644 index 765df6dee..000000000 --- a/pages.ru/common/bundler.md +++ /dev/null @@ -1,8 +0,0 @@ -# bundler - -> Эта команда — псевдоним для `bundle`. -> Больше информации: . - -- Смотри документацию для оригинальной команды: - -`tldr bundle` diff --git a/pages.ru/common/cabal.md b/pages.ru/common/cabal.md index d20c1318a..4c81013a3 100644 --- a/pages.ru/common/cabal.md +++ b/pages.ru/common/cabal.md @@ -2,7 +2,7 @@ > Интерфейс командной строки для инфраструктуры пакетов Haskell (Cabal). > Управление Haskell-проектами и Cabal-пакетами из репозитория Hackage. -> Больше информации: . +> Больше информации: . - Искать и вывести список пакетов из Hackage: diff --git a/pages.ru/common/cat.md b/pages.ru/common/cat.md index 428e9eb98..22e7ed8d2 100644 --- a/pages.ru/common/cat.md +++ b/pages.ru/common/cat.md @@ -1,7 +1,7 @@ # cat > Выводит и объединяет файлы. -> Больше информации: . +> Больше информации: . - Выводит содержимое файла: diff --git a/pages.ru/common/clamav.md b/pages.ru/common/clamav.md index f486c0e2f..dcf3951df 100644 --- a/pages.ru/common/clamav.md +++ b/pages.ru/common/clamav.md @@ -1,4 +1,4 @@ -# clamav +# ClamAV > Эта команда — псевдоним для `clamdscan`. > Больше информации: . diff --git a/pages.ru/common/cron.md b/pages.ru/common/cron.md deleted file mode 100644 index b8e409315..000000000 --- a/pages.ru/common/cron.md +++ /dev/null @@ -1,7 +0,0 @@ -# cron - -> Эта команда — псевдоним для `crontab`. - -- Смотри документацию для оригинальной команды: - -`tldr crontab` diff --git a/pages.ru/common/cut.md b/pages.ru/common/cut.md index 368edd00f..ca94cff7c 100644 --- a/pages.ru/common/cut.md +++ b/pages.ru/common/cut.md @@ -3,14 +3,14 @@ > Вырезать поля из стандартного ввода или файлов. > Больше информации: . -- Вывести указанный диапазон символов/полей каждой строки (`--characters|fields=1|1,10|1-10|1-|-10` далее обозначается как `диапазон`): +- Вывести указанный диапазон символов/полей каждой строки (`--characters|fields 1|1,10|1-10|1-|-10` далее обозначается как `диапазон`): -`{{команда}} | cut --{{characters|fields}}={{1|1,10|1-10|1-|-10}}` +`{{команда}} | cut --{{characters|fields}} {{1|1,10|1-10|1-|-10}}` - Вывести диапазон полей каждой строки с указанным разделителем: -`{{команда}} | cut --delimiter="{{,}}" --fields={{1}}` +`{{команда}} | cut --delimiter "{{,}}" --fields {{1}}` - Вывести диапазон символов каждой строки указанного файла: -`cut --characters={{1}} {{путь/к/файлу}}` +`cut --characters {{1}} {{путь/к/файлу}}` diff --git a/pages.ru/common/fossil-ci.md b/pages.ru/common/fossil-ci.md index 66e3db5af..7ce022e47 100644 --- a/pages.ru/common/fossil-ci.md +++ b/pages.ru/common/fossil-ci.md @@ -1,6 +1,6 @@ -# fossil-ci +# fossil ci -> Эта команда — псевдоним для `fossil-commit`. +> Эта команда — псевдоним для `fossil commit`. > Больше информации: . - Смотри документацию для оригинальной команды: diff --git a/pages.ru/common/fossil-delete.md b/pages.ru/common/fossil-delete.md index 6520ee06a..3bf2020c3 100644 --- a/pages.ru/common/fossil-delete.md +++ b/pages.ru/common/fossil-delete.md @@ -1,4 +1,4 @@ -# fossil-delete +# fossil delete > Эта команда — псевдоним для `fossil rm`. > Больше информации: . diff --git a/pages.ru/common/fossil-forget.md b/pages.ru/common/fossil-forget.md index 6dc4881df..64a6bdc20 100644 --- a/pages.ru/common/fossil-forget.md +++ b/pages.ru/common/fossil-forget.md @@ -1,4 +1,4 @@ -# fossil-forget +# fossil forget > Эта команда — псевдоним для `fossil rm`. > Больше информации: . diff --git a/pages.ru/common/fossil-new.md b/pages.ru/common/fossil-new.md index 16cbde50c..01c3d9650 100644 --- a/pages.ru/common/fossil-new.md +++ b/pages.ru/common/fossil-new.md @@ -1,6 +1,6 @@ -# fossil-new +# fossil new -> Эта команда — псевдоним для `fossil-init`. +> Эта команда — псевдоним для `fossil init`. > Больше информации: . - Смотри документацию для оригинальной команды: diff --git a/pages.ru/common/gh-cs.md b/pages.ru/common/gh-cs.md index b81cf7958..a804e992b 100644 --- a/pages.ru/common/gh-cs.md +++ b/pages.ru/common/gh-cs.md @@ -1,6 +1,6 @@ -# gh-cs +# gh cs -> Эта команда — псевдоним для `gh-codespace`. +> Эта команда — псевдоним для `gh codespace`. > Больше информации: . - Смотри документацию для оригинальной команды: diff --git a/pages.ru/common/gnmic-sub.md b/pages.ru/common/gnmic-sub.md index 018a70053..89fe80f70 100644 --- a/pages.ru/common/gnmic-sub.md +++ b/pages.ru/common/gnmic-sub.md @@ -1,4 +1,4 @@ -# gnmic-sub +# gnmic sub > Эта команда — псевдоним для `gnmic subscribe`. > Больше информации: . diff --git a/pages.ru/common/google-chrome.md b/pages.ru/common/google-chrome.md deleted file mode 100644 index d6555a8e9..000000000 --- a/pages.ru/common/google-chrome.md +++ /dev/null @@ -1,8 +0,0 @@ -# google-chrome - -> Эта команда — псевдоним для `chromium`. -> Больше информации: . - -- Смотри документацию для оригинальной команды: - -`tldr chromium` diff --git a/pages.ru/common/grep.md b/pages.ru/common/grep.md index a11491a56..4f9dca9dc 100644 --- a/pages.ru/common/grep.md +++ b/pages.ru/common/grep.md @@ -9,28 +9,28 @@ - Искать по заданной подстроке (регулярные выражения отключены): -`grep --fixed-strings "{{заданная_подстрока}}" {{путь/к/файлу}}` +`grep {{-F|--fixed-strings}} "{{заданная_подстрока}}" {{путь/к/файлу}}` - Искать по шаблону во всех файлах в директории рекурсивно, показывая номера строк, там где подстрока была найдена, исключая бинарные(двоичные) файлы: -`grep --recursive --line-number --binary-files={{without-match}} "{{шаблон_поиска}}" {{путь/к/директории}}` +`grep {{-r|--recursive}} {{-n|--line-number}} --binary-files={{without-match}} "{{шаблон_поиска}}" {{путь/к/директории}}` - Искать, используя расширенные регулярные выражения (поддержка `?`, `+`, `{}`, `()` и `|`), без учета регистра: -`grep --extended-regexp --ignore-case "{{шаблон_поиска}}" {{путь/к/файлу}}` +`grep {{-E|--extended-regexp}} {{-i|--ignore-case}} "{{шаблон_поиска}}" {{путь/к/файлу}}` - Вывести 3 строки содержимого, до или после каждого совпадения: -`grep --{{context|before-context|after-context}}={{3}} "{{шаблон_поиска}}" {{путь/к/файлу}}` +`grep --{{context|before-context|after-context}} 3 "{{шаблон_поиска}}" {{путь/к/файлу}}` - Вывести имя файла и номер строки для каждого совпадения: -`grep --with-filename --line-number --color=always "{{шаблон_поиска}}" {{путь/к/файлу}}` +`grep {{-H|--with-filename}} {{-n|--line-number}} --color=always "{{шаблон_поиска}}" {{путь/к/файлу}}` - Искать строки, где есть совпадение по шаблону поиска, вывод только совпадающей части текста: -`grep --only-matching "{{шаблон_поиска}}" {{путь/к/файлу}}` +`grep {{-o|--only-matching}} "{{шаблон_поиска}}" {{путь/к/файлу}}` - Искать строки в стандартном потоке ввода которые не совпадают с шаблоном поиска: -`cat {{путь/к/файлу}} | grep --invert-match "{{шаблон_поиска}}"` +`cat {{путь/к/файлу}} | grep {{-v|--invert-match}} "{{шаблон_поиска}}"` diff --git a/pages.ru/common/histexpand.md b/pages.ru/common/histexpand.md index 778f8aac9..8e1552764 100644 --- a/pages.ru/common/histexpand.md +++ b/pages.ru/common/histexpand.md @@ -1,6 +1,6 @@ # history expansion -> Повторное использование и подстановка команд из списка истории в `sh`, `bash`, `zsh`, `rbash` and `ksh`. +> Повторное использование и подстановка команд из списка истории в `sh`, Bash, Zsh, `rbash` and `ksh`. > Больше информации: . - Запустить предыдущую команду от имени суперпользователя (`!!` заменяется на предыдущую команду): diff --git a/pages.ru/common/history.md b/pages.ru/common/history.md index e60c46364..809529c05 100644 --- a/pages.ru/common/history.md +++ b/pages.ru/common/history.md @@ -7,15 +7,15 @@ `history` -- Отобразить последние 20 команд (в `zsh` отображает все команды, начиная с 20-й): +- Отобразить последние 20 команд (в Zsh отображает все команды, начиная с 20-й): `history {{20}}` -- Очистить список истории команд (только для текущей оболочки `bash`): +- Очистить список истории команд (только для текущей оболочки Bash): `history -c` -- Перезаписать файл истории историей текущей оболочки `bash` (часто комбинируется с `history -c` для очистки истории): +- Перезаписать файл истории историей текущей оболочки Bash (часто комбинируется с `history -c` для очистки истории): `history -w` diff --git a/pages.ru/common/hx.md b/pages.ru/common/hx.md deleted file mode 100644 index 4f4a5572a..000000000 --- a/pages.ru/common/hx.md +++ /dev/null @@ -1,7 +0,0 @@ -# hx - -> Эта команда — псевдоним для `helix`. - -- Смотри документацию для оригинальной команды: - -`tldr helix` diff --git a/pages.ru/linux/ispell.md b/pages.ru/common/ispell.md similarity index 100% rename from pages.ru/linux/ispell.md rename to pages.ru/common/ispell.md diff --git a/pages.ru/common/jq.md b/pages.ru/common/jq.md index d0ad3d11c..7bc170008 100644 --- a/pages.ru/common/jq.md +++ b/pages.ru/common/jq.md @@ -1,9 +1,9 @@ # jq > Процессор JSON командной строки, использующий доменный язык. -> Больше информации: . +> Больше информации: . -- Выполнить указанное выражение (вывести цветной и отформатированный json): +- Выполнить указанное выражение (вывести цветной и отформатированный JSON): `{{cat путь/к/файлу.json}} | jq '.'` diff --git a/pages.ru/common/kafkacat.md b/pages.ru/common/kafkacat.md deleted file mode 100644 index a4eac0512..000000000 --- a/pages.ru/common/kafkacat.md +++ /dev/null @@ -1,7 +0,0 @@ -# kafkacat - -> Эта команда — псевдоним для `kcat`. - -- Смотри документацию для оригинальной команды: - -`tldr kcat` diff --git a/pages.ru/common/lzcat.md b/pages.ru/common/lzcat.md deleted file mode 100644 index 022920837..000000000 --- a/pages.ru/common/lzcat.md +++ /dev/null @@ -1,8 +0,0 @@ -# lzcat - -> Эта команда — псевдоним для `xz`. -> Больше информации: . - -- Смотри документацию для оригинальной команды: - -`tldr xz` diff --git a/pages.ru/common/lzma.md b/pages.ru/common/lzma.md deleted file mode 100644 index a272416e9..000000000 --- a/pages.ru/common/lzma.md +++ /dev/null @@ -1,8 +0,0 @@ -# lzma - -> Эта команда — псевдоним для `xz`. -> Больше информации: . - -- Смотри документацию для оригинальной команды: - -`tldr xz` diff --git a/pages.ru/common/nm-classic.md b/pages.ru/common/nm-classic.md deleted file mode 100644 index 847180451..000000000 --- a/pages.ru/common/nm-classic.md +++ /dev/null @@ -1,7 +0,0 @@ -# nm-classic - -> Эта команда — псевдоним для `nm`. - -- Смотри документацию для оригинальной команды: - -`tldr nm` diff --git a/pages.ru/common/ntl.md b/pages.ru/common/ntl.md deleted file mode 100644 index 07c29908f..000000000 --- a/pages.ru/common/ntl.md +++ /dev/null @@ -1,8 +0,0 @@ -# ntl - -> Эта команда — псевдоним для `netlify`. -> Больше информации: . - -- Смотри документацию для оригинальной команды: - -`tldr netlify` diff --git a/pages.ru/common/pio-init.md b/pages.ru/common/pio-init.md index 8546b85fe..65a3846b9 100644 --- a/pages.ru/common/pio-init.md +++ b/pages.ru/common/pio-init.md @@ -1,4 +1,4 @@ -# pio-init +# pio init > Эта команда — псевдоним для `pio project`. diff --git a/pages.ru/common/ptpython3.md b/pages.ru/common/ptpython3.md deleted file mode 100644 index d271ca922..000000000 --- a/pages.ru/common/ptpython3.md +++ /dev/null @@ -1,7 +0,0 @@ -# ptpython3 - -> Эта команда — псевдоним для `ptpython`. - -- Смотри документацию для оригинальной команды: - -`tldr ptpython` diff --git a/pages.ru/common/python3.md b/pages.ru/common/python3.md deleted file mode 100644 index 8da2bb01b..000000000 --- a/pages.ru/common/python3.md +++ /dev/null @@ -1,7 +0,0 @@ -# python3 - -> Эта команда — псевдоним для `python`. - -- Смотри документацию для оригинальной команды: - -`tldr python` diff --git a/pages.ru/common/rcat.md b/pages.ru/common/rcat.md deleted file mode 100644 index 69a361999..000000000 --- a/pages.ru/common/rcat.md +++ /dev/null @@ -1,7 +0,0 @@ -# rcat - -> Эта команда — псевдоним для `rc`. - -- Смотри документацию для оригинальной команды: - -`tldr rc` diff --git a/pages.ru/common/ripgrep.md b/pages.ru/common/ripgrep.md deleted file mode 100644 index 57eac9e8a..000000000 --- a/pages.ru/common/ripgrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# ripgrep - -> Эта команда — псевдоним для `rg`. - -- Смотри документацию для оригинальной команды: - -`tldr rg` diff --git a/pages.ru/common/tlmgr-arch.md b/pages.ru/common/tlmgr-arch.md index 987716f61..951a33d35 100644 --- a/pages.ru/common/tlmgr-arch.md +++ b/pages.ru/common/tlmgr-arch.md @@ -1,4 +1,4 @@ -# tlmgr-arch +# tlmgr arch > Эта команда — псевдоним для `tlmgr platform`. > Больше информации: . diff --git a/pages.ru/common/todoman.md b/pages.ru/common/todoman.md deleted file mode 100644 index 55b540977..000000000 --- a/pages.ru/common/todoman.md +++ /dev/null @@ -1,8 +0,0 @@ -# todoman - -> Эта команда — псевдоним для `todo`. -> Больше информации: . - -- Смотри документацию для оригинальной команды: - -`tldr todo` diff --git a/pages.ru/common/transmission.md b/pages.ru/common/transmission.md deleted file mode 100644 index 878bacca7..000000000 --- a/pages.ru/common/transmission.md +++ /dev/null @@ -1,8 +0,0 @@ -# transmission - -> Эта команда — псевдоним для `transmission-daemon`. -> Больше информации: . - -- Смотри документацию для оригинальной команды: - -`tldr transmission-daemon` diff --git a/pages.ru/common/unlzma.md b/pages.ru/common/unlzma.md deleted file mode 100644 index abad1e437..000000000 --- a/pages.ru/common/unlzma.md +++ /dev/null @@ -1,8 +0,0 @@ -# unlzma - -> Эта команда — псевдоним для `xz`. -> Больше информации: . - -- Смотри документацию для оригинальной команды: - -`tldr xz` diff --git a/pages.ru/common/unxz.md b/pages.ru/common/unxz.md deleted file mode 100644 index f4ad26043..000000000 --- a/pages.ru/common/unxz.md +++ /dev/null @@ -1,8 +0,0 @@ -# unxz - -> Эта команда — псевдоним для `xz`. -> Больше информации: . - -- Смотри документацию для оригинальной команды: - -`tldr xz` diff --git a/pages.ru/common/xzcat.md b/pages.ru/common/xzcat.md deleted file mode 100644 index 707259380..000000000 --- a/pages.ru/common/xzcat.md +++ /dev/null @@ -1,8 +0,0 @@ -# xzcat - -> Эта команда — псевдоним для `xz`. -> Больше информации: . - -- Смотри документацию для оригинальной команды: - -`tldr xz` diff --git a/pages.ru/common/zsh.md b/pages.ru/common/zsh.md index 15f39258b..a2410dd47 100644 --- a/pages.ru/common/zsh.md +++ b/pages.ru/common/zsh.md @@ -24,6 +24,6 @@ `zsh --verbose` -- Выполнить определённую команду внутри `zsh` с отключёнными glob-шаблонами: +- Выполнить определённую команду внутри Zsh с отключёнными glob-шаблонами: `noglob {{команда}}` diff --git a/pages.ru/linux/alternatives.md b/pages.ru/linux/alternatives.md deleted file mode 100644 index 55e72a0fd..000000000 --- a/pages.ru/linux/alternatives.md +++ /dev/null @@ -1,8 +0,0 @@ -# alternatives - -> Эта команда — псевдоним для `update-alternatives`. -> Больше информации: . - -- Смотри документацию для оригинальной команды: - -`tldr update-alternatives` diff --git a/pages.ru/linux/batcat.md b/pages.ru/linux/batcat.md deleted file mode 100644 index 1f276fd33..000000000 --- a/pages.ru/linux/batcat.md +++ /dev/null @@ -1,8 +0,0 @@ -# batcat - -> Эта команда — псевдоним для `bat`. -> Больше информации: . - -- Смотри документацию для оригинальной команды: - -`tldr bat` diff --git a/pages.ru/linux/bspwm.md b/pages.ru/linux/bspwm.md deleted file mode 100644 index 16c8da4e2..000000000 --- a/pages.ru/linux/bspwm.md +++ /dev/null @@ -1,8 +0,0 @@ -# bspwm - -> Эта команда — псевдоним для `bspc`. -> Больше информации: . - -- Смотри документацию для оригинальной команды: - -`tldr bspc` diff --git a/pages.ru/linux/cc.md b/pages.ru/linux/cc.md deleted file mode 100644 index d18d20f52..000000000 --- a/pages.ru/linux/cc.md +++ /dev/null @@ -1,8 +0,0 @@ -# cc - -> Эта команда — псевдоним для `gcc`. -> Больше информации: . - -- Смотри документацию для оригинальной команды: - -`tldr gcc` diff --git a/pages.ru/linux/cgroups.md b/pages.ru/linux/cgroups.md deleted file mode 100644 index 878d393cf..000000000 --- a/pages.ru/linux/cgroups.md +++ /dev/null @@ -1,8 +0,0 @@ -# cgroups - -> Эта команда — псевдоним для `cgclassify`. -> Больше информации: . - -- Смотри документацию для оригинальной команды: - -`tldr cgclassify` diff --git a/pages.ru/linux/ip-route-list.md b/pages.ru/linux/ip-route-list.md index b6831d3a2..72b27feed 100644 --- a/pages.ru/linux/ip-route-list.md +++ b/pages.ru/linux/ip-route-list.md @@ -1,6 +1,6 @@ -# ip-route-list +# ip route list -> Эта команда — псевдоним для `ip-route-show`. +> Эта команда — псевдоним для `ip route show`. - Смотри документацию для оригинальной команды: diff --git a/pages.ru/linux/megadl.md b/pages.ru/linux/megadl.md deleted file mode 100644 index 2dc49d585..000000000 --- a/pages.ru/linux/megadl.md +++ /dev/null @@ -1,8 +0,0 @@ -# megadl - -> Эта команда — псевдоним для `megatools-dl`. -> Больше информации: . - -- Смотри документацию для оригинальной команды: - -`tldr megatools-dl` diff --git a/pages.ru/linux/ubuntu-bug.md b/pages.ru/linux/ubuntu-bug.md deleted file mode 100644 index ec13db042..000000000 --- a/pages.ru/linux/ubuntu-bug.md +++ /dev/null @@ -1,8 +0,0 @@ -# ubuntu-bug - -> Эта команда — псевдоним для `apport-bug`. -> Больше информации: . - -- Смотри документацию для оригинальной команды: - -`tldr apport-bug` diff --git a/pages.ru/osx/aa.md b/pages.ru/osx/aa.md deleted file mode 100644 index f70e45ab2..000000000 --- a/pages.ru/osx/aa.md +++ /dev/null @@ -1,7 +0,0 @@ -# aa - -> Эта команда — псевдоним для `yaa`. - -- Смотри документацию для оригинальной команды: - -`tldr yaa` diff --git a/pages.ru/osx/g[.md b/pages.ru/osx/g[.md deleted file mode 100644 index 883d77379..000000000 --- a/pages.ru/osx/g[.md +++ /dev/null @@ -1,7 +0,0 @@ -# g[ - -> Эта команда — псевдоним для `-p linux [`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux [` diff --git a/pages.ru/osx/gawk.md b/pages.ru/osx/gawk.md deleted file mode 100644 index cdf552a61..000000000 --- a/pages.ru/osx/gawk.md +++ /dev/null @@ -1,7 +0,0 @@ -# gawk - -> Эта команда — псевдоним для `-p linux awk`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux awk` diff --git a/pages.ru/osx/gb2sum.md b/pages.ru/osx/gb2sum.md deleted file mode 100644 index ab355dcc2..000000000 --- a/pages.ru/osx/gb2sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gb2sum - -> Эта команда — псевдоним для `-p linux b2sum`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux b2sum` diff --git a/pages.ru/osx/gbase32.md b/pages.ru/osx/gbase32.md deleted file mode 100644 index c1e1fb529..000000000 --- a/pages.ru/osx/gbase32.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbase32 - -> Эта команда — псевдоним для `-p linux base32`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux base32` diff --git a/pages.ru/osx/gbase64.md b/pages.ru/osx/gbase64.md deleted file mode 100644 index 164e1254a..000000000 --- a/pages.ru/osx/gbase64.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbase64 - -> Эта команда — псевдоним для `-p linux base64`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux base64` diff --git a/pages.ru/osx/gbasename.md b/pages.ru/osx/gbasename.md deleted file mode 100644 index ef2683464..000000000 --- a/pages.ru/osx/gbasename.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbasename - -> Эта команда — псевдоним для `-p linux basename`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux basename` diff --git a/pages.ru/osx/gbasenc.md b/pages.ru/osx/gbasenc.md deleted file mode 100644 index adb215756..000000000 --- a/pages.ru/osx/gbasenc.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbasenc - -> Эта команда — псевдоним для `-p linux basenc`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux basenc` diff --git a/pages.ru/osx/gcat.md b/pages.ru/osx/gcat.md deleted file mode 100644 index e31b03a06..000000000 --- a/pages.ru/osx/gcat.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcat - -> Эта команда — псевдоним для `-p linux cat`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux cat` diff --git a/pages.ru/osx/gchcon.md b/pages.ru/osx/gchcon.md deleted file mode 100644 index 4ff036c48..000000000 --- a/pages.ru/osx/gchcon.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchcon - -> Эта команда — псевдоним для `-p linux chcon`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux chcon` diff --git a/pages.ru/osx/gchgrp.md b/pages.ru/osx/gchgrp.md deleted file mode 100644 index b6ef48847..000000000 --- a/pages.ru/osx/gchgrp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchgrp - -> Эта команда — псевдоним для `-p linux chgrp`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux chgrp` diff --git a/pages.ru/osx/gchmod.md b/pages.ru/osx/gchmod.md deleted file mode 100644 index b416190ff..000000000 --- a/pages.ru/osx/gchmod.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchmod - -> Эта команда — псевдоним для `-p linux chmod`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux chmod` diff --git a/pages.ru/osx/gchown.md b/pages.ru/osx/gchown.md deleted file mode 100644 index caebcade5..000000000 --- a/pages.ru/osx/gchown.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchown - -> Эта команда — псевдоним для `-p linux chown`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux chown` diff --git a/pages.ru/osx/gchroot.md b/pages.ru/osx/gchroot.md deleted file mode 100644 index ebb4137e5..000000000 --- a/pages.ru/osx/gchroot.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchroot - -> Эта команда — псевдоним для `-p linux chroot`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux chroot` diff --git a/pages.ru/osx/gcksum.md b/pages.ru/osx/gcksum.md deleted file mode 100644 index 0ecb4dc43..000000000 --- a/pages.ru/osx/gcksum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcksum - -> Эта команда — псевдоним для `-p linux cksum`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux cksum` diff --git a/pages.ru/osx/gcomm.md b/pages.ru/osx/gcomm.md deleted file mode 100644 index 3951d90b0..000000000 --- a/pages.ru/osx/gcomm.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcomm - -> Эта команда — псевдоним для `-p linux comm`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux comm` diff --git a/pages.ru/osx/gcp.md b/pages.ru/osx/gcp.md deleted file mode 100644 index d93cf99b3..000000000 --- a/pages.ru/osx/gcp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcp - -> Эта команда — псевдоним для `-p linux cp`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux cp` diff --git a/pages.ru/osx/gcsplit.md b/pages.ru/osx/gcsplit.md deleted file mode 100644 index 2732471a9..000000000 --- a/pages.ru/osx/gcsplit.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcsplit - -> Эта команда — псевдоним для `-p linux csplit`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux csplit` diff --git a/pages.ru/osx/gcut.md b/pages.ru/osx/gcut.md deleted file mode 100644 index 3e5eb4823..000000000 --- a/pages.ru/osx/gcut.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcut - -> Эта команда — псевдоним для `-p linux cut`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux cut` diff --git a/pages.ru/osx/gdate.md b/pages.ru/osx/gdate.md deleted file mode 100644 index 31ee64810..000000000 --- a/pages.ru/osx/gdate.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdate - -> Эта команда — псевдоним для `-p linux date`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux date` diff --git a/pages.ru/osx/gdd.md b/pages.ru/osx/gdd.md deleted file mode 100644 index 90f32ceae..000000000 --- a/pages.ru/osx/gdd.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdd - -> Эта команда — псевдоним для `-p linux dd`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux dd` diff --git a/pages.ru/osx/gdf.md b/pages.ru/osx/gdf.md deleted file mode 100644 index 1acc57da5..000000000 --- a/pages.ru/osx/gdf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdf - -> Эта команда — псевдоним для `-p linux df`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux df` diff --git a/pages.ru/osx/gdir.md b/pages.ru/osx/gdir.md deleted file mode 100644 index 146c5b741..000000000 --- a/pages.ru/osx/gdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdir - -> Эта команда — псевдоним для `-p linux dir`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux dir` diff --git a/pages.ru/osx/gdircolors.md b/pages.ru/osx/gdircolors.md deleted file mode 100644 index b8db90021..000000000 --- a/pages.ru/osx/gdircolors.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdircolors - -> Эта команда — псевдоним для `-p linux dircolors`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux dircolors` diff --git a/pages.ru/osx/gdirname.md b/pages.ru/osx/gdirname.md deleted file mode 100644 index d70782bdc..000000000 --- a/pages.ru/osx/gdirname.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdirname - -> Эта команда — псевдоним для `-p linux dirname`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux dirname` diff --git a/pages.ru/osx/gdnsdomainname.md b/pages.ru/osx/gdnsdomainname.md deleted file mode 100644 index aecb4d0cc..000000000 --- a/pages.ru/osx/gdnsdomainname.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdnsdomainname - -> Эта команда — псевдоним для `-p linux dnsdomainname`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux dnsdomainname` diff --git a/pages.ru/osx/gecho.md b/pages.ru/osx/gecho.md deleted file mode 100644 index e132236e9..000000000 --- a/pages.ru/osx/gecho.md +++ /dev/null @@ -1,7 +0,0 @@ -# gecho - -> Эта команда — псевдоним для `-p linux echo`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux echo` diff --git a/pages.ru/osx/ged.md b/pages.ru/osx/ged.md deleted file mode 100644 index f5a849970..000000000 --- a/pages.ru/osx/ged.md +++ /dev/null @@ -1,7 +0,0 @@ -# ged - -> Эта команда — псевдоним для `-p linux ed`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux ed` diff --git a/pages.ru/osx/gegrep.md b/pages.ru/osx/gegrep.md deleted file mode 100644 index 674ba06fa..000000000 --- a/pages.ru/osx/gegrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# gegrep - -> Эта команда — псевдоним для `-p linux egrep`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux egrep` diff --git a/pages.ru/osx/genv.md b/pages.ru/osx/genv.md deleted file mode 100644 index e0714ce87..000000000 --- a/pages.ru/osx/genv.md +++ /dev/null @@ -1,7 +0,0 @@ -# genv - -> Эта команда — псевдоним для `-p linux env`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux env` diff --git a/pages.ru/osx/gexpand.md b/pages.ru/osx/gexpand.md deleted file mode 100644 index 2ed0390f4..000000000 --- a/pages.ru/osx/gexpand.md +++ /dev/null @@ -1,7 +0,0 @@ -# gexpand - -> Эта команда — псевдоним для `-p linux expand`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux expand` diff --git a/pages.ru/osx/gexpr.md b/pages.ru/osx/gexpr.md deleted file mode 100644 index 21ef55a1b..000000000 --- a/pages.ru/osx/gexpr.md +++ /dev/null @@ -1,7 +0,0 @@ -# gexpr - -> Эта команда — псевдоним для `-p linux expr`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux expr` diff --git a/pages.ru/osx/gfactor.md b/pages.ru/osx/gfactor.md deleted file mode 100644 index 54fccd069..000000000 --- a/pages.ru/osx/gfactor.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfactor - -> Эта команда — псевдоним для `-p linux factor`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux factor` diff --git a/pages.ru/osx/gfalse.md b/pages.ru/osx/gfalse.md deleted file mode 100644 index 3dd2e0b29..000000000 --- a/pages.ru/osx/gfalse.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfalse - -> Эта команда — псевдоним для `-p linux false`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux false` diff --git a/pages.ru/osx/gfgrep.md b/pages.ru/osx/gfgrep.md deleted file mode 100644 index be3394de1..000000000 --- a/pages.ru/osx/gfgrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfgrep - -> Эта команда — псевдоним для `-p linux fgrep`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux fgrep` diff --git a/pages.ru/osx/gfind.md b/pages.ru/osx/gfind.md deleted file mode 100644 index ce58a4d86..000000000 --- a/pages.ru/osx/gfind.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfind - -> Эта команда — псевдоним для `-p linux find`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux find` diff --git a/pages.ru/osx/gfmt.md b/pages.ru/osx/gfmt.md deleted file mode 100644 index c797bda8f..000000000 --- a/pages.ru/osx/gfmt.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfmt - -> Эта команда — псевдоним для `-p linux fmt`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux fmt` diff --git a/pages.ru/osx/gfold.md b/pages.ru/osx/gfold.md deleted file mode 100644 index ea08ba71d..000000000 --- a/pages.ru/osx/gfold.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfold - -> Эта команда — псевдоним для `-p linux fold`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux fold` diff --git a/pages.ru/osx/gftp.md b/pages.ru/osx/gftp.md deleted file mode 100644 index 06a388d21..000000000 --- a/pages.ru/osx/gftp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gftp - -> Эта команда — псевдоним для `-p linux ftp`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux ftp` diff --git a/pages.ru/osx/ggrep.md b/pages.ru/osx/ggrep.md deleted file mode 100644 index cfd4aedb2..000000000 --- a/pages.ru/osx/ggrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# ggrep - -> Эта команда — псевдоним для `-p linux grep`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux grep` diff --git a/pages.ru/osx/ggroups.md b/pages.ru/osx/ggroups.md deleted file mode 100644 index 9435fae7f..000000000 --- a/pages.ru/osx/ggroups.md +++ /dev/null @@ -1,7 +0,0 @@ -# ggroups - -> Эта команда — псевдоним для `-p linux groups`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux groups` diff --git a/pages.ru/osx/ghead.md b/pages.ru/osx/ghead.md deleted file mode 100644 index 4a1617fb8..000000000 --- a/pages.ru/osx/ghead.md +++ /dev/null @@ -1,7 +0,0 @@ -# ghead - -> Эта команда — псевдоним для `-p linux head`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux head` diff --git a/pages.ru/osx/ghostid.md b/pages.ru/osx/ghostid.md deleted file mode 100644 index d46befe8e..000000000 --- a/pages.ru/osx/ghostid.md +++ /dev/null @@ -1,7 +0,0 @@ -# ghostid - -> Эта команда — псевдоним для `-p linux hostid`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux hostid` diff --git a/pages.ru/osx/ghostname.md b/pages.ru/osx/ghostname.md deleted file mode 100644 index a0ad02d58..000000000 --- a/pages.ru/osx/ghostname.md +++ /dev/null @@ -1,7 +0,0 @@ -# ghostname - -> Эта команда — псевдоним для `-p linux hostname`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux hostname` diff --git a/pages.ru/osx/gid.md b/pages.ru/osx/gid.md deleted file mode 100644 index 99891d439..000000000 --- a/pages.ru/osx/gid.md +++ /dev/null @@ -1,7 +0,0 @@ -# gid - -> Эта команда — псевдоним для `-p linux id`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux id` diff --git a/pages.ru/osx/gifconfig.md b/pages.ru/osx/gifconfig.md deleted file mode 100644 index 75a73b735..000000000 --- a/pages.ru/osx/gifconfig.md +++ /dev/null @@ -1,7 +0,0 @@ -# gifconfig - -> Эта команда — псевдоним для `-p linux ifconfig`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux ifconfig` diff --git a/pages.ru/osx/gindent.md b/pages.ru/osx/gindent.md deleted file mode 100644 index cd20a2564..000000000 --- a/pages.ru/osx/gindent.md +++ /dev/null @@ -1,7 +0,0 @@ -# gindent - -> Эта команда — псевдоним для `-p linux indent`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux indent` diff --git a/pages.ru/osx/ginstall.md b/pages.ru/osx/ginstall.md deleted file mode 100644 index 01777c5aa..000000000 --- a/pages.ru/osx/ginstall.md +++ /dev/null @@ -1,7 +0,0 @@ -# ginstall - -> Эта команда — псевдоним для `-p linux install`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux install` diff --git a/pages.ru/osx/gjoin.md b/pages.ru/osx/gjoin.md deleted file mode 100644 index 9a3c7d5ba..000000000 --- a/pages.ru/osx/gjoin.md +++ /dev/null @@ -1,7 +0,0 @@ -# gjoin - -> Эта команда — псевдоним для `-p linux join`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux join` diff --git a/pages.ru/osx/gkill.md b/pages.ru/osx/gkill.md deleted file mode 100644 index a57d38099..000000000 --- a/pages.ru/osx/gkill.md +++ /dev/null @@ -1,7 +0,0 @@ -# gkill - -> Эта команда — псевдоним для `-p linux kill`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux kill` diff --git a/pages.ru/osx/glibtool.md b/pages.ru/osx/glibtool.md deleted file mode 100644 index 97e4032cd..000000000 --- a/pages.ru/osx/glibtool.md +++ /dev/null @@ -1,7 +0,0 @@ -# glibtool - -> Эта команда — псевдоним для `-p linux libtool`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux libtool` diff --git a/pages.ru/osx/glibtoolize.md b/pages.ru/osx/glibtoolize.md deleted file mode 100644 index 128c967ae..000000000 --- a/pages.ru/osx/glibtoolize.md +++ /dev/null @@ -1,7 +0,0 @@ -# glibtoolize - -> Эта команда — псевдоним для `-p linux libtoolize`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux libtoolize` diff --git a/pages.ru/osx/glink.md b/pages.ru/osx/glink.md deleted file mode 100644 index fcc54173a..000000000 --- a/pages.ru/osx/glink.md +++ /dev/null @@ -1,7 +0,0 @@ -# glink - -> Эта команда — псевдоним для `-p linux link`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux link` diff --git a/pages.ru/osx/gln.md b/pages.ru/osx/gln.md deleted file mode 100644 index 45bf0d5af..000000000 --- a/pages.ru/osx/gln.md +++ /dev/null @@ -1,7 +0,0 @@ -# gln - -> Эта команда — псевдоним для `-p linux ln`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux ln` diff --git a/pages.ru/osx/glocate.md b/pages.ru/osx/glocate.md deleted file mode 100644 index adba45f9e..000000000 --- a/pages.ru/osx/glocate.md +++ /dev/null @@ -1,7 +0,0 @@ -# glocate - -> Эта команда — псевдоним для `-p linux locate`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux locate` diff --git a/pages.ru/osx/glogger.md b/pages.ru/osx/glogger.md deleted file mode 100644 index 7644728cc..000000000 --- a/pages.ru/osx/glogger.md +++ /dev/null @@ -1,7 +0,0 @@ -# glogger - -> Эта команда — псевдоним для `-p linux logger`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux logger` diff --git a/pages.ru/osx/glogname.md b/pages.ru/osx/glogname.md deleted file mode 100644 index da28c35bf..000000000 --- a/pages.ru/osx/glogname.md +++ /dev/null @@ -1,7 +0,0 @@ -# glogname - -> Эта команда — псевдоним для `-p linux logname`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux logname` diff --git a/pages.ru/osx/gls.md b/pages.ru/osx/gls.md deleted file mode 100644 index b2993c875..000000000 --- a/pages.ru/osx/gls.md +++ /dev/null @@ -1,7 +0,0 @@ -# gls - -> Эта команда — псевдоним для `-p linux ls`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux ls` diff --git a/pages.ru/osx/gmake.md b/pages.ru/osx/gmake.md deleted file mode 100644 index 2d2b64482..000000000 --- a/pages.ru/osx/gmake.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmake - -> Эта команда — псевдоним для `-p linux make`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux make` diff --git a/pages.ru/osx/gmd5sum.md b/pages.ru/osx/gmd5sum.md deleted file mode 100644 index 3f3ed231c..000000000 --- a/pages.ru/osx/gmd5sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmd5sum - -> Эта команда — псевдоним для `-p linux md5sum`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux md5sum` diff --git a/pages.ru/osx/gmkdir.md b/pages.ru/osx/gmkdir.md deleted file mode 100644 index 1ecdea5d1..000000000 --- a/pages.ru/osx/gmkdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmkdir - -> Эта команда — псевдоним для `-p linux mkdir`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux mkdir` diff --git a/pages.ru/osx/gmkfifo.md b/pages.ru/osx/gmkfifo.md deleted file mode 100644 index b8afb9009..000000000 --- a/pages.ru/osx/gmkfifo.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmkfifo - -> Эта команда — псевдоним для `-p linux mkfifo`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux mkfifo` diff --git a/pages.ru/osx/gmknod.md b/pages.ru/osx/gmknod.md deleted file mode 100644 index cadc2bd80..000000000 --- a/pages.ru/osx/gmknod.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmknod - -> Эта команда — псевдоним для `-p linux mknod`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux mknod` diff --git a/pages.ru/osx/gmktemp.md b/pages.ru/osx/gmktemp.md deleted file mode 100644 index 99ce5924c..000000000 --- a/pages.ru/osx/gmktemp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmktemp - -> Эта команда — псевдоним для `-p linux mktemp`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux mktemp` diff --git a/pages.ru/osx/gmv.md b/pages.ru/osx/gmv.md deleted file mode 100644 index 6b6e6dca0..000000000 --- a/pages.ru/osx/gmv.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmv - -> Эта команда — псевдоним для `-p linux mv`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux mv` diff --git a/pages.ru/osx/gnice.md b/pages.ru/osx/gnice.md deleted file mode 100644 index 83e2d58dc..000000000 --- a/pages.ru/osx/gnice.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnice - -> Эта команда — псевдоним для `-p linux nice`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux nice` diff --git a/pages.ru/osx/gnl.md b/pages.ru/osx/gnl.md deleted file mode 100644 index 9988219b2..000000000 --- a/pages.ru/osx/gnl.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnl - -> Эта команда — псевдоним для `-p linux nl`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux nl` diff --git a/pages.ru/osx/gnohup.md b/pages.ru/osx/gnohup.md deleted file mode 100644 index 49b8f598e..000000000 --- a/pages.ru/osx/gnohup.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnohup - -> Эта команда — псевдоним для `-p linux nohup`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux nohup` diff --git a/pages.ru/osx/gnproc.md b/pages.ru/osx/gnproc.md deleted file mode 100644 index 8e1781f23..000000000 --- a/pages.ru/osx/gnproc.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnproc - -> Эта команда — псевдоним для `-p linux nproc`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux nproc` diff --git a/pages.ru/osx/gnumfmt.md b/pages.ru/osx/gnumfmt.md deleted file mode 100644 index 44296a675..000000000 --- a/pages.ru/osx/gnumfmt.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnumfmt - -> Эта команда — псевдоним для `-p linux numfmt`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux numfmt` diff --git a/pages.ru/osx/god.md b/pages.ru/osx/god.md deleted file mode 100644 index 16a55e922..000000000 --- a/pages.ru/osx/god.md +++ /dev/null @@ -1,7 +0,0 @@ -# god - -> Эта команда — псевдоним для `-p linux od`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux od` diff --git a/pages.ru/osx/gpaste.md b/pages.ru/osx/gpaste.md deleted file mode 100644 index 000ebc931..000000000 --- a/pages.ru/osx/gpaste.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpaste - -> Эта команда — псевдоним для `-p linux paste`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux paste` diff --git a/pages.ru/osx/gpathchk.md b/pages.ru/osx/gpathchk.md deleted file mode 100644 index 94725b3aa..000000000 --- a/pages.ru/osx/gpathchk.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpathchk - -> Эта команда — псевдоним для `-p linux pathchk`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux pathchk` diff --git a/pages.ru/osx/gping.md b/pages.ru/osx/gping.md deleted file mode 100644 index daa80b94c..000000000 --- a/pages.ru/osx/gping.md +++ /dev/null @@ -1,7 +0,0 @@ -# gping - -> Эта команда — псевдоним для `-p linux ping`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux ping` diff --git a/pages.ru/osx/gping6.md b/pages.ru/osx/gping6.md deleted file mode 100644 index bff9cddb4..000000000 --- a/pages.ru/osx/gping6.md +++ /dev/null @@ -1,7 +0,0 @@ -# gping6 - -> Эта команда — псевдоним для `-p linux ping6`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux ping6` diff --git a/pages.ru/osx/gpinky.md b/pages.ru/osx/gpinky.md deleted file mode 100644 index c2b465c4e..000000000 --- a/pages.ru/osx/gpinky.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpinky - -> Эта команда — псевдоним для `-p linux pinky`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux pinky` diff --git a/pages.ru/osx/gpr.md b/pages.ru/osx/gpr.md deleted file mode 100644 index f59b323e7..000000000 --- a/pages.ru/osx/gpr.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpr - -> Эта команда — псевдоним для `-p linux pr`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux pr` diff --git a/pages.ru/osx/gprintenv.md b/pages.ru/osx/gprintenv.md deleted file mode 100644 index 5bd597612..000000000 --- a/pages.ru/osx/gprintenv.md +++ /dev/null @@ -1,7 +0,0 @@ -# gprintenv - -> Эта команда — псевдоним для `-p linux printenv`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux printenv` diff --git a/pages.ru/osx/gprintf.md b/pages.ru/osx/gprintf.md deleted file mode 100644 index b3d3ee3c1..000000000 --- a/pages.ru/osx/gprintf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gprintf - -> Эта команда — псевдоним для `-p linux printf`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux printf` diff --git a/pages.ru/osx/gptx.md b/pages.ru/osx/gptx.md deleted file mode 100644 index ab562b41d..000000000 --- a/pages.ru/osx/gptx.md +++ /dev/null @@ -1,7 +0,0 @@ -# gptx - -> Эта команда — псевдоним для `-p linux ptx`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux ptx` diff --git a/pages.ru/osx/gpwd.md b/pages.ru/osx/gpwd.md deleted file mode 100644 index b1e21983f..000000000 --- a/pages.ru/osx/gpwd.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpwd - -> Эта команда — псевдоним для `-p linux pwd`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux pwd` diff --git a/pages.ru/osx/grcp.md b/pages.ru/osx/grcp.md deleted file mode 100644 index bda738d68..000000000 --- a/pages.ru/osx/grcp.md +++ /dev/null @@ -1,7 +0,0 @@ -# grcp - -> Эта команда — псевдоним для `-p linux rcp`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux rcp` diff --git a/pages.ru/osx/greadlink.md b/pages.ru/osx/greadlink.md deleted file mode 100644 index cd8d428c6..000000000 --- a/pages.ru/osx/greadlink.md +++ /dev/null @@ -1,7 +0,0 @@ -# greadlink - -> Эта команда — псевдоним для `-p linux readlink`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux readlink` diff --git a/pages.ru/osx/grealpath.md b/pages.ru/osx/grealpath.md deleted file mode 100644 index 06eee2383..000000000 --- a/pages.ru/osx/grealpath.md +++ /dev/null @@ -1,7 +0,0 @@ -# grealpath - -> Эта команда — псевдоним для `-p linux realpath`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux realpath` diff --git a/pages.ru/osx/grexec.md b/pages.ru/osx/grexec.md deleted file mode 100644 index 271dda275..000000000 --- a/pages.ru/osx/grexec.md +++ /dev/null @@ -1,7 +0,0 @@ -# grexec - -> Эта команда — псевдоним для `-p linux rexec`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux rexec` diff --git a/pages.ru/osx/grlogin.md b/pages.ru/osx/grlogin.md deleted file mode 100644 index 6d3cc73c0..000000000 --- a/pages.ru/osx/grlogin.md +++ /dev/null @@ -1,7 +0,0 @@ -# grlogin - -> Эта команда — псевдоним для `-p linux rlogin`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux rlogin` diff --git a/pages.ru/osx/grm.md b/pages.ru/osx/grm.md deleted file mode 100644 index 15afc1ec0..000000000 --- a/pages.ru/osx/grm.md +++ /dev/null @@ -1,7 +0,0 @@ -# grm - -> Эта команда — псевдоним для `-p linux rm`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux rm` diff --git a/pages.ru/osx/grmdir.md b/pages.ru/osx/grmdir.md deleted file mode 100644 index bfddf6bed..000000000 --- a/pages.ru/osx/grmdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# grmdir - -> Эта команда — псевдоним для `-p linux rmdir`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux rmdir` diff --git a/pages.ru/osx/grsh.md b/pages.ru/osx/grsh.md deleted file mode 100644 index 769ea7244..000000000 --- a/pages.ru/osx/grsh.md +++ /dev/null @@ -1,7 +0,0 @@ -# grsh - -> Эта команда — псевдоним для `-p linux rsh`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux rsh` diff --git a/pages.ru/osx/gruncon.md b/pages.ru/osx/gruncon.md deleted file mode 100644 index 63c0c67aa..000000000 --- a/pages.ru/osx/gruncon.md +++ /dev/null @@ -1,7 +0,0 @@ -# gruncon - -> Эта команда — псевдоним для `-p linux runcon`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux runcon` diff --git a/pages.ru/osx/gsed.md b/pages.ru/osx/gsed.md deleted file mode 100644 index 66f22e826..000000000 --- a/pages.ru/osx/gsed.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsed - -> Эта команда — псевдоним для `-p linux sed`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux sed` diff --git a/pages.ru/osx/gseq.md b/pages.ru/osx/gseq.md deleted file mode 100644 index 4d5f0addd..000000000 --- a/pages.ru/osx/gseq.md +++ /dev/null @@ -1,7 +0,0 @@ -# gseq - -> Эта команда — псевдоним для `-p linux seq`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux seq` diff --git a/pages.ru/osx/gsha1sum.md b/pages.ru/osx/gsha1sum.md deleted file mode 100644 index 34807907a..000000000 --- a/pages.ru/osx/gsha1sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha1sum - -> Эта команда — псевдоним для `-p linux sha1sum`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux sha1sum` diff --git a/pages.ru/osx/gsha224sum.md b/pages.ru/osx/gsha224sum.md deleted file mode 100644 index e46c03f93..000000000 --- a/pages.ru/osx/gsha224sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha224sum - -> Эта команда — псевдоним для `-p linux sha224sum`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux sha224sum` diff --git a/pages.ru/osx/gsha256sum.md b/pages.ru/osx/gsha256sum.md deleted file mode 100644 index 2cc48d9b9..000000000 --- a/pages.ru/osx/gsha256sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha256sum - -> Эта команда — псевдоним для `-p linux sha256sum`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux sha256sum` diff --git a/pages.ru/osx/gsha384sum.md b/pages.ru/osx/gsha384sum.md deleted file mode 100644 index 164304fed..000000000 --- a/pages.ru/osx/gsha384sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha384sum - -> Эта команда — псевдоним для `-p linux sha384sum`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux sha384sum` diff --git a/pages.ru/osx/gsha512sum.md b/pages.ru/osx/gsha512sum.md deleted file mode 100644 index 14fc18bd1..000000000 --- a/pages.ru/osx/gsha512sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha512sum - -> Эта команда — псевдоним для `-p linux sha512sum`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux sha512sum` diff --git a/pages.ru/osx/gshred.md b/pages.ru/osx/gshred.md deleted file mode 100644 index 00b895bbe..000000000 --- a/pages.ru/osx/gshred.md +++ /dev/null @@ -1,7 +0,0 @@ -# gshred - -> Эта команда — псевдоним для `-p linux shred`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux shred` diff --git a/pages.ru/osx/gshuf.md b/pages.ru/osx/gshuf.md deleted file mode 100644 index 084cb408f..000000000 --- a/pages.ru/osx/gshuf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gshuf - -> Эта команда — псевдоним для `-p linux shuf`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux shuf` diff --git a/pages.ru/osx/gsleep.md b/pages.ru/osx/gsleep.md deleted file mode 100644 index e17ee04d6..000000000 --- a/pages.ru/osx/gsleep.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsleep - -> Эта команда — псевдоним для `-p linux sleep`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux sleep` diff --git a/pages.ru/osx/gsort.md b/pages.ru/osx/gsort.md deleted file mode 100644 index 9b36cd71f..000000000 --- a/pages.ru/osx/gsort.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsort - -> Эта команда — псевдоним для `-p linux sort`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux sort` diff --git a/pages.ru/osx/gsplit.md b/pages.ru/osx/gsplit.md deleted file mode 100644 index 965f1013d..000000000 --- a/pages.ru/osx/gsplit.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsplit - -> Эта команда — псевдоним для `-p linux split`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux split` diff --git a/pages.ru/osx/gstat.md b/pages.ru/osx/gstat.md deleted file mode 100644 index 0b8d62b95..000000000 --- a/pages.ru/osx/gstat.md +++ /dev/null @@ -1,7 +0,0 @@ -# gstat - -> Эта команда — псевдоним для `-p linux stat`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux stat` diff --git a/pages.ru/osx/gstdbuf.md b/pages.ru/osx/gstdbuf.md deleted file mode 100644 index cce202ea9..000000000 --- a/pages.ru/osx/gstdbuf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gstdbuf - -> Эта команда — псевдоним для `-p linux stdbuf`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux stdbuf` diff --git a/pages.ru/osx/gstty.md b/pages.ru/osx/gstty.md deleted file mode 100644 index b45dfc39b..000000000 --- a/pages.ru/osx/gstty.md +++ /dev/null @@ -1,7 +0,0 @@ -# gstty - -> Эта команда — псевдоним для `-p linux stty`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux stty` diff --git a/pages.ru/osx/gsum.md b/pages.ru/osx/gsum.md deleted file mode 100644 index b6af0084d..000000000 --- a/pages.ru/osx/gsum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsum - -> Эта команда — псевдоним для `-p linux sum`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux sum` diff --git a/pages.ru/osx/gsync.md b/pages.ru/osx/gsync.md deleted file mode 100644 index e76fbe02a..000000000 --- a/pages.ru/osx/gsync.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsync - -> Эта команда — псевдоним для `-p linux sync`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux sync` diff --git a/pages.ru/osx/gtac.md b/pages.ru/osx/gtac.md deleted file mode 100644 index 352d7145d..000000000 --- a/pages.ru/osx/gtac.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtac - -> Эта команда — псевдоним для `-p linux tac`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux tac` diff --git a/pages.ru/osx/gtail.md b/pages.ru/osx/gtail.md deleted file mode 100644 index f9f0db5ff..000000000 --- a/pages.ru/osx/gtail.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtail - -> Эта команда — псевдоним для `-p linux tail`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux tail` diff --git a/pages.ru/osx/gtalk.md b/pages.ru/osx/gtalk.md deleted file mode 100644 index f301c729b..000000000 --- a/pages.ru/osx/gtalk.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtalk - -> Эта команда — псевдоним для `-p linux talk`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux talk` diff --git a/pages.ru/osx/gtar.md b/pages.ru/osx/gtar.md deleted file mode 100644 index 952843751..000000000 --- a/pages.ru/osx/gtar.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtar - -> Эта команда — псевдоним для `-p linux tar`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux tar` diff --git a/pages.ru/osx/gtee.md b/pages.ru/osx/gtee.md deleted file mode 100644 index 94afaf240..000000000 --- a/pages.ru/osx/gtee.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtee - -> Эта команда — псевдоним для `-p linux tee`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux tee` diff --git a/pages.ru/osx/gtelnet.md b/pages.ru/osx/gtelnet.md deleted file mode 100644 index 5b9201db3..000000000 --- a/pages.ru/osx/gtelnet.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtelnet - -> Эта команда — псевдоним для `-p linux telnet`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux telnet` diff --git a/pages.ru/osx/gtest.md b/pages.ru/osx/gtest.md deleted file mode 100644 index 2ea8b4033..000000000 --- a/pages.ru/osx/gtest.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtest - -> Эта команда — псевдоним для `-p linux test`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux test` diff --git a/pages.ru/osx/gtftp.md b/pages.ru/osx/gtftp.md deleted file mode 100644 index 4a1d51d55..000000000 --- a/pages.ru/osx/gtftp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtftp - -> Эта команда — псевдоним для `-p linux tftp`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux tftp` diff --git a/pages.ru/osx/gtime.md b/pages.ru/osx/gtime.md deleted file mode 100644 index 9434227d3..000000000 --- a/pages.ru/osx/gtime.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtime - -> Эта команда — псевдоним для `-p linux time`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux time` diff --git a/pages.ru/osx/gtimeout.md b/pages.ru/osx/gtimeout.md deleted file mode 100644 index bb2bed8ef..000000000 --- a/pages.ru/osx/gtimeout.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtimeout - -> Эта команда — псевдоним для `-p linux timeout`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux timeout` diff --git a/pages.ru/osx/gtouch.md b/pages.ru/osx/gtouch.md deleted file mode 100644 index ddbc70f93..000000000 --- a/pages.ru/osx/gtouch.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtouch - -> Эта команда — псевдоним для `-p linux touch`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux touch` diff --git a/pages.ru/osx/gtr.md b/pages.ru/osx/gtr.md deleted file mode 100644 index 384f3a0bf..000000000 --- a/pages.ru/osx/gtr.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtr - -> Эта команда — псевдоним для `-p linux tr`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux tr` diff --git a/pages.ru/osx/gtraceroute.md b/pages.ru/osx/gtraceroute.md deleted file mode 100644 index cf462aef7..000000000 --- a/pages.ru/osx/gtraceroute.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtraceroute - -> Эта команда — псевдоним для `-p linux traceroute`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux traceroute` diff --git a/pages.ru/osx/gtrue.md b/pages.ru/osx/gtrue.md deleted file mode 100644 index e72e51164..000000000 --- a/pages.ru/osx/gtrue.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtrue - -> Эта команда — псевдоним для `-p linux true`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux true` diff --git a/pages.ru/osx/gtruncate.md b/pages.ru/osx/gtruncate.md deleted file mode 100644 index 96318e1b2..000000000 --- a/pages.ru/osx/gtruncate.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtruncate - -> Эта команда — псевдоним для `-p linux truncate`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux truncate` diff --git a/pages.ru/osx/gtsort.md b/pages.ru/osx/gtsort.md deleted file mode 100644 index 0d8651436..000000000 --- a/pages.ru/osx/gtsort.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtsort - -> Эта команда — псевдоним для `-p linux tsort`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux tsort` diff --git a/pages.ru/osx/gtty.md b/pages.ru/osx/gtty.md deleted file mode 100644 index 9deab2736..000000000 --- a/pages.ru/osx/gtty.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtty - -> Эта команда — псевдоним для `-p linux tty`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux tty` diff --git a/pages.ru/osx/guname.md b/pages.ru/osx/guname.md deleted file mode 100644 index b169311d0..000000000 --- a/pages.ru/osx/guname.md +++ /dev/null @@ -1,7 +0,0 @@ -# guname - -> Эта команда — псевдоним для `-p linux uname`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux uname` diff --git a/pages.ru/osx/gunexpand.md b/pages.ru/osx/gunexpand.md deleted file mode 100644 index df5b90d26..000000000 --- a/pages.ru/osx/gunexpand.md +++ /dev/null @@ -1,7 +0,0 @@ -# gunexpand - -> Эта команда — псевдоним для `-p linux unexpand`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux unexpand` diff --git a/pages.ru/osx/guniq.md b/pages.ru/osx/guniq.md deleted file mode 100644 index ea202c8e4..000000000 --- a/pages.ru/osx/guniq.md +++ /dev/null @@ -1,7 +0,0 @@ -# guniq - -> Эта команда — псевдоним для `-p linux uniq`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux uniq` diff --git a/pages.ru/osx/gunits.md b/pages.ru/osx/gunits.md deleted file mode 100644 index dc080e62e..000000000 --- a/pages.ru/osx/gunits.md +++ /dev/null @@ -1,7 +0,0 @@ -# gunits - -> Эта команда — псевдоним для `-p linux units`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux units` diff --git a/pages.ru/osx/gunlink.md b/pages.ru/osx/gunlink.md deleted file mode 100644 index cdce62545..000000000 --- a/pages.ru/osx/gunlink.md +++ /dev/null @@ -1,7 +0,0 @@ -# gunlink - -> Эта команда — псевдоним для `-p linux unlink`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux unlink` diff --git a/pages.ru/osx/gupdatedb.md b/pages.ru/osx/gupdatedb.md deleted file mode 100644 index 348f60db2..000000000 --- a/pages.ru/osx/gupdatedb.md +++ /dev/null @@ -1,7 +0,0 @@ -# gupdatedb - -> Эта команда — псевдоним для `-p linux updatedb`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux updatedb` diff --git a/pages.ru/osx/guptime.md b/pages.ru/osx/guptime.md deleted file mode 100644 index f75d85f9e..000000000 --- a/pages.ru/osx/guptime.md +++ /dev/null @@ -1,7 +0,0 @@ -# guptime - -> Эта команда — псевдоним для `-p linux uptime`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux uptime` diff --git a/pages.ru/osx/gusers.md b/pages.ru/osx/gusers.md deleted file mode 100644 index 26093ee57..000000000 --- a/pages.ru/osx/gusers.md +++ /dev/null @@ -1,7 +0,0 @@ -# gusers - -> Эта команда — псевдоним для `-p linux users`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux users` diff --git a/pages.ru/osx/gvdir.md b/pages.ru/osx/gvdir.md deleted file mode 100644 index 2bdedd709..000000000 --- a/pages.ru/osx/gvdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# gvdir - -> Эта команда — псевдоним для `-p linux vdir`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux vdir` diff --git a/pages.ru/osx/gwc.md b/pages.ru/osx/gwc.md deleted file mode 100644 index aa2db01f7..000000000 --- a/pages.ru/osx/gwc.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwc - -> Эта команда — псевдоним для `-p linux wc`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux wc` diff --git a/pages.ru/osx/gwhich.md b/pages.ru/osx/gwhich.md deleted file mode 100644 index 42e0fac9e..000000000 --- a/pages.ru/osx/gwhich.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwhich - -> Эта команда — псевдоним для `-p linux which`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux which` diff --git a/pages.ru/osx/gwho.md b/pages.ru/osx/gwho.md deleted file mode 100644 index e836b57d6..000000000 --- a/pages.ru/osx/gwho.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwho - -> Эта команда — псевдоним для `-p linux who`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux who` diff --git a/pages.ru/osx/gwhoami.md b/pages.ru/osx/gwhoami.md deleted file mode 100644 index f9b670956..000000000 --- a/pages.ru/osx/gwhoami.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwhoami - -> Эта команда — псевдоним для `-p linux whoami`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux whoami` diff --git a/pages.ru/osx/gwhois.md b/pages.ru/osx/gwhois.md deleted file mode 100644 index 15c517450..000000000 --- a/pages.ru/osx/gwhois.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwhois - -> Эта команда — псевдоним для `-p linux whois`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux whois` diff --git a/pages.ru/osx/gxargs.md b/pages.ru/osx/gxargs.md deleted file mode 100644 index 43e5b29dc..000000000 --- a/pages.ru/osx/gxargs.md +++ /dev/null @@ -1,7 +0,0 @@ -# gxargs - -> Эта команда — псевдоним для `-p linux xargs`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux xargs` diff --git a/pages.ru/osx/gyes.md b/pages.ru/osx/gyes.md deleted file mode 100644 index 91352bd00..000000000 --- a/pages.ru/osx/gyes.md +++ /dev/null @@ -1,7 +0,0 @@ -# gyes - -> Эта команда — псевдоним для `-p linux yes`. - -- Смотри документацию для оригинальной команды: - -`tldr -p linux yes` diff --git a/pages.ru/osx/launchd.md b/pages.ru/osx/launchd.md deleted file mode 100644 index 61d35869d..000000000 --- a/pages.ru/osx/launchd.md +++ /dev/null @@ -1,8 +0,0 @@ -# launchd - -> Эта команда — псевдоним для `launchctl`. -> Больше информации: . - -- Смотри документацию для оригинальной команды: - -`tldr launchctl` diff --git a/pages.ru/windows/chrome.md b/pages.ru/windows/chrome.md deleted file mode 100644 index 9bd54ee47..000000000 --- a/pages.ru/windows/chrome.md +++ /dev/null @@ -1,8 +0,0 @@ -# chrome - -> Эта команда — псевдоним для `chromium`. -> Больше информации: . - -- Смотри документацию для оригинальной команды: - -`tldr chromium` diff --git a/pages.ru/windows/cpush.md b/pages.ru/windows/cpush.md deleted file mode 100644 index f54a73771..000000000 --- a/pages.ru/windows/cpush.md +++ /dev/null @@ -1,8 +0,0 @@ -# cpush - -> Эта команда — псевдоним для `choco-push`. -> Больше информации: . - -- Смотри документацию для оригинальной команды: - -`tldr choco-push` diff --git a/pages.ru/windows/date.md b/pages.ru/windows/date.md new file mode 100644 index 000000000..b6df0da9e --- /dev/null +++ b/pages.ru/windows/date.md @@ -0,0 +1,16 @@ +# date + +> Просмотр и изменение текущей системной даты. +> Больше информации: . + +- Отображение текущей системной даты, за которой следует запрос на ввод новой даты (Оставить пустым если не нужно вносить изменения): + +`date` + +- Отображает текущую дату без запроса на новую дату: + +`date /t` + +- Для изменения текущей даты, введите новую дату, на основе текущей конфигурации даты, а затем нажмите клавишу ВВОД: + +`date {{месяц}}-{{день}}-{{год}}` diff --git a/pages.ru/windows/mkdir.md b/pages.ru/windows/mkdir.md new file mode 100644 index 000000000..956e66385 --- /dev/null +++ b/pages.ru/windows/mkdir.md @@ -0,0 +1,12 @@ +# mkdir + +> Создает каталог или подкаталог в файловой системе. +> Больше информации: . + +- Создать новый каталог: + +`mkdir {{путь\до\папки}}` + +- Чтобы создать дерево каталогов в корневом каталоге введите: + +`mkdir {{путь\до\под_папки}}` diff --git a/pages.ru/windows/print.md b/pages.ru/windows/print.md new file mode 100644 index 000000000..1fa68d0b9 --- /dev/null +++ b/pages.ru/windows/print.md @@ -0,0 +1,12 @@ +# print + +> Вывод на печать текстового файла. +> Больше информации: . + +- Печать текстового файла используя локальный принтер: + +`print {{путь\до\папки}}` + +- Печать текстового файла используя сетевой принтер: + +`print /d:{{принтер}} {{путь\до\папки}}` diff --git a/pages.ru/windows/rd.md b/pages.ru/windows/rd.md deleted file mode 100644 index e5791c0a0..000000000 --- a/pages.ru/windows/rd.md +++ /dev/null @@ -1,8 +0,0 @@ -# rd - -> Эта команда — псевдоним для `rmdir`. -> Больше информации: . - -- Смотри документацию для оригинальной команды: - -`tldr rmdir` diff --git a/pages.ru/windows/time.md b/pages.ru/windows/time.md new file mode 100644 index 000000000..6397e7f1a --- /dev/null +++ b/pages.ru/windows/time.md @@ -0,0 +1,12 @@ +# time + +> Просмотр и измененение системного времени. +> Больше информации: . + +- Отображение текущего системного времени, за которым следует запрос на ввод нового времени (Оставить пустым если не нужно вносить изменения): + +`time` + +- Отображает текущее системное время без запроса на новое время: + +`time /t` diff --git a/pages.sr/common/mkdir.md b/pages.sr/common/mkdir.md index da1762298..25d8dc137 100644 --- a/pages.sr/common/mkdir.md +++ b/pages.sr/common/mkdir.md @@ -9,4 +9,4 @@ - Kreira direktorijum koristeći rekurziju: -`mkdir -p {{putanja/do/direktorijuma1 putanja/do/direktorijuma2 ...}}` +`mkdir {{-p|--parents}} {{putanja/do/direktorijuma1 putanja/do/direktorijuma2 ...}}` diff --git a/pages.sv/common/[.md b/pages.sv/common/[.md index 2a1acf256..271ef4614 100644 --- a/pages.sv/common/[.md +++ b/pages.sv/common/[.md @@ -2,7 +2,7 @@ > Utvärdera villkor. > Returnerar 0 om villkoret är sant, 1 om villkoret är falsk. -> Mer information: . +> Mer information: . - Testa om en given variabel är lika med en given sträng: diff --git a/pages.sv/common/bundler.md b/pages.sv/common/bundler.md deleted file mode 100644 index 4443d1dbe..000000000 --- a/pages.sv/common/bundler.md +++ /dev/null @@ -1,8 +0,0 @@ -# bundler - -> Det här kommandot är ett alias för `bundle`. -> Mer information: . - -- Se dokumentationen för orginalkommandot: - -`tldr bundle` diff --git a/pages.sv/common/clamav.md b/pages.sv/common/clamav.md index 0c87f62e7..4681c9c8c 100644 --- a/pages.sv/common/clamav.md +++ b/pages.sv/common/clamav.md @@ -1,4 +1,4 @@ -# clamav +# ClamAV > Det här kommandot är ett alias för `clamdscan`. > Mer information: . diff --git a/pages.sv/common/cron.md b/pages.sv/common/cron.md deleted file mode 100644 index e0559419f..000000000 --- a/pages.sv/common/cron.md +++ /dev/null @@ -1,7 +0,0 @@ -# cron - -> Det här kommandot är ett alias för `crontab`. - -- Se dokumentationen för orginalkommandot: - -`tldr crontab` diff --git a/pages.sv/common/fossil-ci.md b/pages.sv/common/fossil-ci.md index bfd805bdc..09890d20e 100644 --- a/pages.sv/common/fossil-ci.md +++ b/pages.sv/common/fossil-ci.md @@ -1,6 +1,6 @@ -# fossil-ci +# fossil ci -> Det här kommandot är ett alias för `fossil-commit`. +> Det här kommandot är ett alias för `fossil commit`. > Mer information: . - Se dokumentationen för orginalkommandot: diff --git a/pages.sv/common/fossil-delete.md b/pages.sv/common/fossil-delete.md index e7f09ecdf..e6578049c 100644 --- a/pages.sv/common/fossil-delete.md +++ b/pages.sv/common/fossil-delete.md @@ -1,4 +1,4 @@ -# fossil-delete +# fossil delete > Det här kommandot är ett alias för `fossil rm`. > Mer information: . diff --git a/pages.sv/common/fossil-forget.md b/pages.sv/common/fossil-forget.md index 289d25ec8..c214e1063 100644 --- a/pages.sv/common/fossil-forget.md +++ b/pages.sv/common/fossil-forget.md @@ -1,4 +1,4 @@ -# fossil-forget +# fossil forget > Det här kommandot är ett alias för `fossil rm`. > Mer information: . diff --git a/pages.sv/common/fossil-new.md b/pages.sv/common/fossil-new.md index 691f47ee9..60c3b99e9 100644 --- a/pages.sv/common/fossil-new.md +++ b/pages.sv/common/fossil-new.md @@ -1,6 +1,6 @@ -# fossil-new +# fossil new -> Det här kommandot är ett alias för `fossil-init`. +> Det här kommandot är ett alias för `fossil init`. > Mer information: . - Se dokumentationen för orginalkommandot: diff --git a/pages.sv/common/gh-cs.md b/pages.sv/common/gh-cs.md index f225a4596..241762c7e 100644 --- a/pages.sv/common/gh-cs.md +++ b/pages.sv/common/gh-cs.md @@ -1,6 +1,6 @@ -# gh-cs +# gh cs -> Det här kommandot är ett alias för `gh-codespace`. +> Det här kommandot är ett alias för `gh codespace`. > Mer information: . - Se dokumentationen för orginalkommandot: diff --git a/pages.sv/common/gnmic-sub.md b/pages.sv/common/gnmic-sub.md index 45608f52d..5b9e2fb89 100644 --- a/pages.sv/common/gnmic-sub.md +++ b/pages.sv/common/gnmic-sub.md @@ -1,4 +1,4 @@ -# gnmic-sub +# gnmic sub > Det här kommandot är ett alias för `gnmic subscribe`. > Mer information: . diff --git a/pages.sv/common/google-chrome.md b/pages.sv/common/google-chrome.md deleted file mode 100644 index 085382a5c..000000000 --- a/pages.sv/common/google-chrome.md +++ /dev/null @@ -1,8 +0,0 @@ -# google-chrome - -> Det här kommandot är ett alias för `chromium`. -> Mer information: . - -- Se dokumentationen för orginalkommandot: - -`tldr chromium` diff --git a/pages.sv/common/hx.md b/pages.sv/common/hx.md deleted file mode 100644 index 46aa7f9d7..000000000 --- a/pages.sv/common/hx.md +++ /dev/null @@ -1,7 +0,0 @@ -# hx - -> Det här kommandot är ett alias för `helix`. - -- Se dokumentationen för orginalkommandot: - -`tldr helix` diff --git a/pages.sv/common/kafkacat.md b/pages.sv/common/kafkacat.md deleted file mode 100644 index 30e1e1f87..000000000 --- a/pages.sv/common/kafkacat.md +++ /dev/null @@ -1,7 +0,0 @@ -# kafkacat - -> Det här kommandot är ett alias för `kcat`. - -- Se dokumentationen för orginalkommandot: - -`tldr kcat` diff --git a/pages.sv/common/lzcat.md b/pages.sv/common/lzcat.md deleted file mode 100644 index 971ba00f3..000000000 --- a/pages.sv/common/lzcat.md +++ /dev/null @@ -1,8 +0,0 @@ -# lzcat - -> Det här kommandot är ett alias för `xz`. -> Mer information: . - -- Se dokumentationen för orginalkommandot: - -`tldr xz` diff --git a/pages.sv/common/lzma.md b/pages.sv/common/lzma.md deleted file mode 100644 index 2e6e3b8f5..000000000 --- a/pages.sv/common/lzma.md +++ /dev/null @@ -1,8 +0,0 @@ -# lzma - -> Det här kommandot är ett alias för `xz`. -> Mer information: . - -- Se dokumentationen för orginalkommandot: - -`tldr xz` diff --git a/pages.sv/common/nm-classic.md b/pages.sv/common/nm-classic.md deleted file mode 100644 index c35499649..000000000 --- a/pages.sv/common/nm-classic.md +++ /dev/null @@ -1,7 +0,0 @@ -# nm-classic - -> Det här kommandot är ett alias för `nm`. - -- Se dokumentationen för orginalkommandot: - -`tldr nm` diff --git a/pages.sv/common/ntl.md b/pages.sv/common/ntl.md deleted file mode 100644 index c548e2c12..000000000 --- a/pages.sv/common/ntl.md +++ /dev/null @@ -1,8 +0,0 @@ -# ntl - -> Det här kommandot är ett alias för `netlify`. -> Mer information: . - -- Se dokumentationen för orginalkommandot: - -`tldr netlify` diff --git a/pages.sv/common/pio-init.md b/pages.sv/common/pio-init.md index f81a43539..ff162626f 100644 --- a/pages.sv/common/pio-init.md +++ b/pages.sv/common/pio-init.md @@ -1,4 +1,4 @@ -# pio-init +# pio init > Det här kommandot är ett alias för `pio project`. diff --git a/pages.sv/common/ptpython3.md b/pages.sv/common/ptpython3.md deleted file mode 100644 index e32843c0f..000000000 --- a/pages.sv/common/ptpython3.md +++ /dev/null @@ -1,7 +0,0 @@ -# ptpython3 - -> Det här kommandot är ett alias för `ptpython`. - -- Se dokumentationen för orginalkommandot: - -`tldr ptpython` diff --git a/pages.sv/common/python3.md b/pages.sv/common/python3.md deleted file mode 100644 index 3e8e7f5d3..000000000 --- a/pages.sv/common/python3.md +++ /dev/null @@ -1,7 +0,0 @@ -# python3 - -> Det här kommandot är ett alias för `python`. - -- Se dokumentationen för orginalkommandot: - -`tldr python` diff --git a/pages.sv/common/rcat.md b/pages.sv/common/rcat.md deleted file mode 100644 index 6a6d7040a..000000000 --- a/pages.sv/common/rcat.md +++ /dev/null @@ -1,7 +0,0 @@ -# rcat - -> Det här kommandot är ett alias för `rc`. - -- Se dokumentationen för orginalkommandot: - -`tldr rc` diff --git a/pages.sv/common/ripgrep.md b/pages.sv/common/ripgrep.md deleted file mode 100644 index 04506312e..000000000 --- a/pages.sv/common/ripgrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# ripgrep - -> Det här kommandot är ett alias för `rg`. - -- Se dokumentationen för orginalkommandot: - -`tldr rg` diff --git a/pages.sv/common/tlmgr-arch.md b/pages.sv/common/tlmgr-arch.md index e7d429018..28d454a4f 100644 --- a/pages.sv/common/tlmgr-arch.md +++ b/pages.sv/common/tlmgr-arch.md @@ -1,4 +1,4 @@ -# tlmgr-arch +# tlmgr arch > Det här kommandot är ett alias för `tlmgr platform`. > Mer information: . diff --git a/pages.sv/common/todoman.md b/pages.sv/common/todoman.md deleted file mode 100644 index 4716d1af9..000000000 --- a/pages.sv/common/todoman.md +++ /dev/null @@ -1,8 +0,0 @@ -# todoman - -> Det här kommandot är ett alias för `todo`. -> Mer information: . - -- Se dokumentationen för orginalkommandot: - -`tldr todo` diff --git a/pages.sv/common/transmission.md b/pages.sv/common/transmission.md deleted file mode 100644 index f13acb6a2..000000000 --- a/pages.sv/common/transmission.md +++ /dev/null @@ -1,8 +0,0 @@ -# transmission - -> Det här kommandot är ett alias för `transmission-daemon`. -> Mer information: . - -- Se dokumentationen för orginalkommandot: - -`tldr transmission-daemon` diff --git a/pages.sv/common/unlzma.md b/pages.sv/common/unlzma.md deleted file mode 100644 index 008907608..000000000 --- a/pages.sv/common/unlzma.md +++ /dev/null @@ -1,8 +0,0 @@ -# unlzma - -> Det här kommandot är ett alias för `xz`. -> Mer information: . - -- Se dokumentationen för orginalkommandot: - -`tldr xz` diff --git a/pages.sv/common/unxz.md b/pages.sv/common/unxz.md deleted file mode 100644 index 763f24641..000000000 --- a/pages.sv/common/unxz.md +++ /dev/null @@ -1,8 +0,0 @@ -# unxz - -> Det här kommandot är ett alias för `xz`. -> Mer information: . - -- Se dokumentationen för orginalkommandot: - -`tldr xz` diff --git a/pages.sv/common/xzcat.md b/pages.sv/common/xzcat.md deleted file mode 100644 index 295a775d3..000000000 --- a/pages.sv/common/xzcat.md +++ /dev/null @@ -1,8 +0,0 @@ -# xzcat - -> Det här kommandot är ett alias för `xz`. -> Mer information: . - -- Se dokumentationen för orginalkommandot: - -`tldr xz` diff --git a/pages.sv/linux/alternatives.md b/pages.sv/linux/alternatives.md deleted file mode 100644 index d6dc5c509..000000000 --- a/pages.sv/linux/alternatives.md +++ /dev/null @@ -1,8 +0,0 @@ -# alternatives - -> Det här kommandot är ett alias för `update-alternatives`. -> Mer information: . - -- Se dokumentationen för orginalkommandot: - -`tldr update-alternatives` diff --git a/pages.sv/linux/batcat.md b/pages.sv/linux/batcat.md deleted file mode 100644 index e452545bf..000000000 --- a/pages.sv/linux/batcat.md +++ /dev/null @@ -1,8 +0,0 @@ -# batcat - -> Det här kommandot är ett alias för `bat`. -> Mer information: . - -- Se dokumentationen för orginalkommandot: - -`tldr bat` diff --git a/pages.sv/linux/bspwm.md b/pages.sv/linux/bspwm.md deleted file mode 100644 index 7c96f20c9..000000000 --- a/pages.sv/linux/bspwm.md +++ /dev/null @@ -1,8 +0,0 @@ -# bspwm - -> Det här kommandot är ett alias för `bspc`. -> Mer information: . - -- Se dokumentationen för orginalkommandot: - -`tldr bspc` diff --git a/pages.sv/linux/cc.md b/pages.sv/linux/cc.md deleted file mode 100644 index 09b9fd1c0..000000000 --- a/pages.sv/linux/cc.md +++ /dev/null @@ -1,8 +0,0 @@ -# cc - -> Det här kommandot är ett alias för `gcc`. -> Mer information: . - -- Se dokumentationen för orginalkommandot: - -`tldr gcc` diff --git a/pages.sv/linux/cgroups.md b/pages.sv/linux/cgroups.md deleted file mode 100644 index 9c7d93918..000000000 --- a/pages.sv/linux/cgroups.md +++ /dev/null @@ -1,8 +0,0 @@ -# cgroups - -> Det här kommandot är ett alias för `cgclassify`. -> Mer information: . - -- Se dokumentationen för orginalkommandot: - -`tldr cgclassify` diff --git a/pages.sv/linux/ip-route-list.md b/pages.sv/linux/ip-route-list.md index 967b2befe..a1456ce87 100644 --- a/pages.sv/linux/ip-route-list.md +++ b/pages.sv/linux/ip-route-list.md @@ -1,6 +1,6 @@ -# ip-route-list +# ip route list -> Det här kommandot är ett alias för `ip-route-show`. +> Det här kommandot är ett alias för `ip route show`. - Se dokumentationen för orginalkommandot: diff --git a/pages.sv/linux/megadl.md b/pages.sv/linux/megadl.md deleted file mode 100644 index 368be6926..000000000 --- a/pages.sv/linux/megadl.md +++ /dev/null @@ -1,8 +0,0 @@ -# megadl - -> Det här kommandot är ett alias för `megatools-dl`. -> Mer information: . - -- Se dokumentationen för orginalkommandot: - -`tldr megatools-dl` diff --git a/pages.sv/linux/ubuntu-bug.md b/pages.sv/linux/ubuntu-bug.md deleted file mode 100644 index 169cccbf3..000000000 --- a/pages.sv/linux/ubuntu-bug.md +++ /dev/null @@ -1,8 +0,0 @@ -# ubuntu-bug - -> Det här kommandot är ett alias för `apport-bug`. -> Mer information: . - -- Se dokumentationen för orginalkommandot: - -`tldr apport-bug` diff --git a/pages.sv/osx/aa.md b/pages.sv/osx/aa.md deleted file mode 100644 index c0745b916..000000000 --- a/pages.sv/osx/aa.md +++ /dev/null @@ -1,7 +0,0 @@ -# aa - -> Det här kommandot är ett alias för `yaa`. - -- Se dokumentationen för orginalkommandot: - -`tldr yaa` diff --git a/pages.sv/osx/g[.md b/pages.sv/osx/g[.md deleted file mode 100644 index 4056f2749..000000000 --- a/pages.sv/osx/g[.md +++ /dev/null @@ -1,7 +0,0 @@ -# g[ - -> Det här kommandot är ett alias för `-p linux [`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux [` diff --git a/pages.sv/osx/gawk.md b/pages.sv/osx/gawk.md deleted file mode 100644 index 21977cf1b..000000000 --- a/pages.sv/osx/gawk.md +++ /dev/null @@ -1,7 +0,0 @@ -# gawk - -> Det här kommandot är ett alias för `-p linux awk`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux awk` diff --git a/pages.sv/osx/gb2sum.md b/pages.sv/osx/gb2sum.md deleted file mode 100644 index eb4cfb9bd..000000000 --- a/pages.sv/osx/gb2sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gb2sum - -> Det här kommandot är ett alias för `-p linux b2sum`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux b2sum` diff --git a/pages.sv/osx/gbase32.md b/pages.sv/osx/gbase32.md deleted file mode 100644 index 422e93538..000000000 --- a/pages.sv/osx/gbase32.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbase32 - -> Det här kommandot är ett alias för `-p linux base32`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux base32` diff --git a/pages.sv/osx/gbase64.md b/pages.sv/osx/gbase64.md deleted file mode 100644 index 22a3e3e03..000000000 --- a/pages.sv/osx/gbase64.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbase64 - -> Det här kommandot är ett alias för `-p linux base64`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux base64` diff --git a/pages.sv/osx/gbasename.md b/pages.sv/osx/gbasename.md deleted file mode 100644 index 88e1ff9ee..000000000 --- a/pages.sv/osx/gbasename.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbasename - -> Det här kommandot är ett alias för `-p linux basename`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux basename` diff --git a/pages.sv/osx/gbasenc.md b/pages.sv/osx/gbasenc.md deleted file mode 100644 index 00ba8a0f9..000000000 --- a/pages.sv/osx/gbasenc.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbasenc - -> Det här kommandot är ett alias för `-p linux basenc`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux basenc` diff --git a/pages.sv/osx/gcat.md b/pages.sv/osx/gcat.md deleted file mode 100644 index 0f1aa99d9..000000000 --- a/pages.sv/osx/gcat.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcat - -> Det här kommandot är ett alias för `-p linux cat`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux cat` diff --git a/pages.sv/osx/gchcon.md b/pages.sv/osx/gchcon.md deleted file mode 100644 index 24d0e0fb9..000000000 --- a/pages.sv/osx/gchcon.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchcon - -> Det här kommandot är ett alias för `-p linux chcon`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux chcon` diff --git a/pages.sv/osx/gchgrp.md b/pages.sv/osx/gchgrp.md deleted file mode 100644 index 228d078ab..000000000 --- a/pages.sv/osx/gchgrp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchgrp - -> Det här kommandot är ett alias för `-p linux chgrp`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux chgrp` diff --git a/pages.sv/osx/gchmod.md b/pages.sv/osx/gchmod.md deleted file mode 100644 index e004479df..000000000 --- a/pages.sv/osx/gchmod.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchmod - -> Det här kommandot är ett alias för `-p linux chmod`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux chmod` diff --git a/pages.sv/osx/gchown.md b/pages.sv/osx/gchown.md deleted file mode 100644 index 2fada5fba..000000000 --- a/pages.sv/osx/gchown.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchown - -> Det här kommandot är ett alias för `-p linux chown`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux chown` diff --git a/pages.sv/osx/gchroot.md b/pages.sv/osx/gchroot.md deleted file mode 100644 index 03eee2bac..000000000 --- a/pages.sv/osx/gchroot.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchroot - -> Det här kommandot är ett alias för `-p linux chroot`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux chroot` diff --git a/pages.sv/osx/gcksum.md b/pages.sv/osx/gcksum.md deleted file mode 100644 index f0889badc..000000000 --- a/pages.sv/osx/gcksum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcksum - -> Det här kommandot är ett alias för `-p linux cksum`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux cksum` diff --git a/pages.sv/osx/gcomm.md b/pages.sv/osx/gcomm.md deleted file mode 100644 index bb84718a6..000000000 --- a/pages.sv/osx/gcomm.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcomm - -> Det här kommandot är ett alias för `-p linux comm`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux comm` diff --git a/pages.sv/osx/gcp.md b/pages.sv/osx/gcp.md deleted file mode 100644 index e380b59cf..000000000 --- a/pages.sv/osx/gcp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcp - -> Det här kommandot är ett alias för `-p linux cp`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux cp` diff --git a/pages.sv/osx/gcsplit.md b/pages.sv/osx/gcsplit.md deleted file mode 100644 index 4f7bb87b9..000000000 --- a/pages.sv/osx/gcsplit.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcsplit - -> Det här kommandot är ett alias för `-p linux csplit`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux csplit` diff --git a/pages.sv/osx/gcut.md b/pages.sv/osx/gcut.md deleted file mode 100644 index a6f7d43e1..000000000 --- a/pages.sv/osx/gcut.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcut - -> Det här kommandot är ett alias för `-p linux cut`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux cut` diff --git a/pages.sv/osx/gdate.md b/pages.sv/osx/gdate.md deleted file mode 100644 index 5753b4daf..000000000 --- a/pages.sv/osx/gdate.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdate - -> Det här kommandot är ett alias för `-p linux date`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux date` diff --git a/pages.sv/osx/gdd.md b/pages.sv/osx/gdd.md deleted file mode 100644 index 9f71e3246..000000000 --- a/pages.sv/osx/gdd.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdd - -> Det här kommandot är ett alias för `-p linux dd`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux dd` diff --git a/pages.sv/osx/gdf.md b/pages.sv/osx/gdf.md deleted file mode 100644 index 4e786eb5e..000000000 --- a/pages.sv/osx/gdf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdf - -> Det här kommandot är ett alias för `-p linux df`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux df` diff --git a/pages.sv/osx/gdir.md b/pages.sv/osx/gdir.md deleted file mode 100644 index 831d1de85..000000000 --- a/pages.sv/osx/gdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdir - -> Det här kommandot är ett alias för `-p linux dir`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux dir` diff --git a/pages.sv/osx/gdircolors.md b/pages.sv/osx/gdircolors.md deleted file mode 100644 index 7b2d29379..000000000 --- a/pages.sv/osx/gdircolors.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdircolors - -> Det här kommandot är ett alias för `-p linux dircolors`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux dircolors` diff --git a/pages.sv/osx/gdirname.md b/pages.sv/osx/gdirname.md deleted file mode 100644 index 1e42994dd..000000000 --- a/pages.sv/osx/gdirname.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdirname - -> Det här kommandot är ett alias för `-p linux dirname`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux dirname` diff --git a/pages.sv/osx/gdnsdomainname.md b/pages.sv/osx/gdnsdomainname.md deleted file mode 100644 index e7b8bcb54..000000000 --- a/pages.sv/osx/gdnsdomainname.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdnsdomainname - -> Det här kommandot är ett alias för `-p linux dnsdomainname`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux dnsdomainname` diff --git a/pages.sv/osx/gecho.md b/pages.sv/osx/gecho.md deleted file mode 100644 index e0d16f386..000000000 --- a/pages.sv/osx/gecho.md +++ /dev/null @@ -1,7 +0,0 @@ -# gecho - -> Det här kommandot är ett alias för `-p linux echo`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux echo` diff --git a/pages.sv/osx/ged.md b/pages.sv/osx/ged.md deleted file mode 100644 index 399fc45dc..000000000 --- a/pages.sv/osx/ged.md +++ /dev/null @@ -1,7 +0,0 @@ -# ged - -> Det här kommandot är ett alias för `-p linux ed`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux ed` diff --git a/pages.sv/osx/gegrep.md b/pages.sv/osx/gegrep.md deleted file mode 100644 index c0a796728..000000000 --- a/pages.sv/osx/gegrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# gegrep - -> Det här kommandot är ett alias för `-p linux egrep`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux egrep` diff --git a/pages.sv/osx/genv.md b/pages.sv/osx/genv.md deleted file mode 100644 index 942baed78..000000000 --- a/pages.sv/osx/genv.md +++ /dev/null @@ -1,7 +0,0 @@ -# genv - -> Det här kommandot är ett alias för `-p linux env`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux env` diff --git a/pages.sv/osx/gexpand.md b/pages.sv/osx/gexpand.md deleted file mode 100644 index 6f4c5a243..000000000 --- a/pages.sv/osx/gexpand.md +++ /dev/null @@ -1,7 +0,0 @@ -# gexpand - -> Det här kommandot är ett alias för `-p linux expand`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux expand` diff --git a/pages.sv/osx/gexpr.md b/pages.sv/osx/gexpr.md deleted file mode 100644 index 93454afec..000000000 --- a/pages.sv/osx/gexpr.md +++ /dev/null @@ -1,7 +0,0 @@ -# gexpr - -> Det här kommandot är ett alias för `-p linux expr`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux expr` diff --git a/pages.sv/osx/gfactor.md b/pages.sv/osx/gfactor.md deleted file mode 100644 index 0227bcd63..000000000 --- a/pages.sv/osx/gfactor.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfactor - -> Det här kommandot är ett alias för `-p linux factor`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux factor` diff --git a/pages.sv/osx/gfalse.md b/pages.sv/osx/gfalse.md deleted file mode 100644 index d4c9db27a..000000000 --- a/pages.sv/osx/gfalse.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfalse - -> Det här kommandot är ett alias för `-p linux false`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux false` diff --git a/pages.sv/osx/gfgrep.md b/pages.sv/osx/gfgrep.md deleted file mode 100644 index 1858107c0..000000000 --- a/pages.sv/osx/gfgrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfgrep - -> Det här kommandot är ett alias för `-p linux fgrep`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux fgrep` diff --git a/pages.sv/osx/gfind.md b/pages.sv/osx/gfind.md deleted file mode 100644 index 533f251ab..000000000 --- a/pages.sv/osx/gfind.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfind - -> Det här kommandot är ett alias för `-p linux find`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux find` diff --git a/pages.sv/osx/gfmt.md b/pages.sv/osx/gfmt.md deleted file mode 100644 index f18d0acf6..000000000 --- a/pages.sv/osx/gfmt.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfmt - -> Det här kommandot är ett alias för `-p linux fmt`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux fmt` diff --git a/pages.sv/osx/gfold.md b/pages.sv/osx/gfold.md deleted file mode 100644 index 97b210b19..000000000 --- a/pages.sv/osx/gfold.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfold - -> Det här kommandot är ett alias för `-p linux fold`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux fold` diff --git a/pages.sv/osx/gftp.md b/pages.sv/osx/gftp.md deleted file mode 100644 index 65aca244b..000000000 --- a/pages.sv/osx/gftp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gftp - -> Det här kommandot är ett alias för `-p linux ftp`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux ftp` diff --git a/pages.sv/osx/ggrep.md b/pages.sv/osx/ggrep.md deleted file mode 100644 index 581276b9f..000000000 --- a/pages.sv/osx/ggrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# ggrep - -> Det här kommandot är ett alias för `-p linux grep`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux grep` diff --git a/pages.sv/osx/ggroups.md b/pages.sv/osx/ggroups.md deleted file mode 100644 index f96e78319..000000000 --- a/pages.sv/osx/ggroups.md +++ /dev/null @@ -1,7 +0,0 @@ -# ggroups - -> Det här kommandot är ett alias för `-p linux groups`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux groups` diff --git a/pages.sv/osx/ghead.md b/pages.sv/osx/ghead.md deleted file mode 100644 index e348e86b1..000000000 --- a/pages.sv/osx/ghead.md +++ /dev/null @@ -1,7 +0,0 @@ -# ghead - -> Det här kommandot är ett alias för `-p linux head`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux head` diff --git a/pages.sv/osx/ghostid.md b/pages.sv/osx/ghostid.md deleted file mode 100644 index 0d075ea0a..000000000 --- a/pages.sv/osx/ghostid.md +++ /dev/null @@ -1,7 +0,0 @@ -# ghostid - -> Det här kommandot är ett alias för `-p linux hostid`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux hostid` diff --git a/pages.sv/osx/ghostname.md b/pages.sv/osx/ghostname.md deleted file mode 100644 index b89d01819..000000000 --- a/pages.sv/osx/ghostname.md +++ /dev/null @@ -1,7 +0,0 @@ -# ghostname - -> Det här kommandot är ett alias för `-p linux hostname`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux hostname` diff --git a/pages.sv/osx/gid.md b/pages.sv/osx/gid.md deleted file mode 100644 index dde24816e..000000000 --- a/pages.sv/osx/gid.md +++ /dev/null @@ -1,7 +0,0 @@ -# gid - -> Det här kommandot är ett alias för `-p linux id`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux id` diff --git a/pages.sv/osx/gifconfig.md b/pages.sv/osx/gifconfig.md deleted file mode 100644 index 91cc3c758..000000000 --- a/pages.sv/osx/gifconfig.md +++ /dev/null @@ -1,7 +0,0 @@ -# gifconfig - -> Det här kommandot är ett alias för `-p linux ifconfig`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux ifconfig` diff --git a/pages.sv/osx/gindent.md b/pages.sv/osx/gindent.md deleted file mode 100644 index 3e4b2c999..000000000 --- a/pages.sv/osx/gindent.md +++ /dev/null @@ -1,7 +0,0 @@ -# gindent - -> Det här kommandot är ett alias för `-p linux indent`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux indent` diff --git a/pages.sv/osx/ginstall.md b/pages.sv/osx/ginstall.md deleted file mode 100644 index 3dd27efcb..000000000 --- a/pages.sv/osx/ginstall.md +++ /dev/null @@ -1,7 +0,0 @@ -# ginstall - -> Det här kommandot är ett alias för `-p linux install`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux install` diff --git a/pages.sv/osx/gjoin.md b/pages.sv/osx/gjoin.md deleted file mode 100644 index 3b815ac02..000000000 --- a/pages.sv/osx/gjoin.md +++ /dev/null @@ -1,7 +0,0 @@ -# gjoin - -> Det här kommandot är ett alias för `-p linux join`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux join` diff --git a/pages.sv/osx/gkill.md b/pages.sv/osx/gkill.md deleted file mode 100644 index f87fb7c09..000000000 --- a/pages.sv/osx/gkill.md +++ /dev/null @@ -1,7 +0,0 @@ -# gkill - -> Det här kommandot är ett alias för `-p linux kill`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux kill` diff --git a/pages.sv/osx/glibtool.md b/pages.sv/osx/glibtool.md deleted file mode 100644 index 69c515bbe..000000000 --- a/pages.sv/osx/glibtool.md +++ /dev/null @@ -1,7 +0,0 @@ -# glibtool - -> Det här kommandot är ett alias för `-p linux libtool`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux libtool` diff --git a/pages.sv/osx/glibtoolize.md b/pages.sv/osx/glibtoolize.md deleted file mode 100644 index c3b9d4a85..000000000 --- a/pages.sv/osx/glibtoolize.md +++ /dev/null @@ -1,7 +0,0 @@ -# glibtoolize - -> Det här kommandot är ett alias för `-p linux libtoolize`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux libtoolize` diff --git a/pages.sv/osx/glink.md b/pages.sv/osx/glink.md deleted file mode 100644 index b14410732..000000000 --- a/pages.sv/osx/glink.md +++ /dev/null @@ -1,7 +0,0 @@ -# glink - -> Det här kommandot är ett alias för `-p linux link`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux link` diff --git a/pages.sv/osx/gln.md b/pages.sv/osx/gln.md deleted file mode 100644 index e277b00b0..000000000 --- a/pages.sv/osx/gln.md +++ /dev/null @@ -1,7 +0,0 @@ -# gln - -> Det här kommandot är ett alias för `-p linux ln`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux ln` diff --git a/pages.sv/osx/glocate.md b/pages.sv/osx/glocate.md deleted file mode 100644 index 4f78412f4..000000000 --- a/pages.sv/osx/glocate.md +++ /dev/null @@ -1,7 +0,0 @@ -# glocate - -> Det här kommandot är ett alias för `-p linux locate`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux locate` diff --git a/pages.sv/osx/glogger.md b/pages.sv/osx/glogger.md deleted file mode 100644 index 3abc4b5ae..000000000 --- a/pages.sv/osx/glogger.md +++ /dev/null @@ -1,7 +0,0 @@ -# glogger - -> Det här kommandot är ett alias för `-p linux logger`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux logger` diff --git a/pages.sv/osx/glogname.md b/pages.sv/osx/glogname.md deleted file mode 100644 index e68b52286..000000000 --- a/pages.sv/osx/glogname.md +++ /dev/null @@ -1,7 +0,0 @@ -# glogname - -> Det här kommandot är ett alias för `-p linux logname`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux logname` diff --git a/pages.sv/osx/gls.md b/pages.sv/osx/gls.md deleted file mode 100644 index dd8c27999..000000000 --- a/pages.sv/osx/gls.md +++ /dev/null @@ -1,7 +0,0 @@ -# gls - -> Det här kommandot är ett alias för `-p linux ls`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux ls` diff --git a/pages.sv/osx/gmake.md b/pages.sv/osx/gmake.md deleted file mode 100644 index 91f60dec8..000000000 --- a/pages.sv/osx/gmake.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmake - -> Det här kommandot är ett alias för `-p linux make`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux make` diff --git a/pages.sv/osx/gmd5sum.md b/pages.sv/osx/gmd5sum.md deleted file mode 100644 index ea6895e6a..000000000 --- a/pages.sv/osx/gmd5sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmd5sum - -> Det här kommandot är ett alias för `-p linux md5sum`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux md5sum` diff --git a/pages.sv/osx/gmkdir.md b/pages.sv/osx/gmkdir.md deleted file mode 100644 index 7be53692c..000000000 --- a/pages.sv/osx/gmkdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmkdir - -> Det här kommandot är ett alias för `-p linux mkdir`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux mkdir` diff --git a/pages.sv/osx/gmkfifo.md b/pages.sv/osx/gmkfifo.md deleted file mode 100644 index 90b4db276..000000000 --- a/pages.sv/osx/gmkfifo.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmkfifo - -> Det här kommandot är ett alias för `-p linux mkfifo`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux mkfifo` diff --git a/pages.sv/osx/gmknod.md b/pages.sv/osx/gmknod.md deleted file mode 100644 index a1e681917..000000000 --- a/pages.sv/osx/gmknod.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmknod - -> Det här kommandot är ett alias för `-p linux mknod`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux mknod` diff --git a/pages.sv/osx/gmktemp.md b/pages.sv/osx/gmktemp.md deleted file mode 100644 index c21c0c99c..000000000 --- a/pages.sv/osx/gmktemp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmktemp - -> Det här kommandot är ett alias för `-p linux mktemp`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux mktemp` diff --git a/pages.sv/osx/gmv.md b/pages.sv/osx/gmv.md deleted file mode 100644 index 15dc0ebc6..000000000 --- a/pages.sv/osx/gmv.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmv - -> Det här kommandot är ett alias för `-p linux mv`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux mv` diff --git a/pages.sv/osx/gnice.md b/pages.sv/osx/gnice.md deleted file mode 100644 index d54697f02..000000000 --- a/pages.sv/osx/gnice.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnice - -> Det här kommandot är ett alias för `-p linux nice`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux nice` diff --git a/pages.sv/osx/gnl.md b/pages.sv/osx/gnl.md deleted file mode 100644 index c7683d630..000000000 --- a/pages.sv/osx/gnl.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnl - -> Det här kommandot är ett alias för `-p linux nl`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux nl` diff --git a/pages.sv/osx/gnohup.md b/pages.sv/osx/gnohup.md deleted file mode 100644 index 2c035e0ec..000000000 --- a/pages.sv/osx/gnohup.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnohup - -> Det här kommandot är ett alias för `-p linux nohup`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux nohup` diff --git a/pages.sv/osx/gnproc.md b/pages.sv/osx/gnproc.md deleted file mode 100644 index bf601e0cc..000000000 --- a/pages.sv/osx/gnproc.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnproc - -> Det här kommandot är ett alias för `-p linux nproc`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux nproc` diff --git a/pages.sv/osx/gnumfmt.md b/pages.sv/osx/gnumfmt.md deleted file mode 100644 index acd8a2116..000000000 --- a/pages.sv/osx/gnumfmt.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnumfmt - -> Det här kommandot är ett alias för `-p linux numfmt`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux numfmt` diff --git a/pages.sv/osx/god.md b/pages.sv/osx/god.md deleted file mode 100644 index b6a01457b..000000000 --- a/pages.sv/osx/god.md +++ /dev/null @@ -1,7 +0,0 @@ -# god - -> Det här kommandot är ett alias för `-p linux od`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux od` diff --git a/pages.sv/osx/gpaste.md b/pages.sv/osx/gpaste.md deleted file mode 100644 index 64a1e13a3..000000000 --- a/pages.sv/osx/gpaste.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpaste - -> Det här kommandot är ett alias för `-p linux paste`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux paste` diff --git a/pages.sv/osx/gpathchk.md b/pages.sv/osx/gpathchk.md deleted file mode 100644 index 712e5d5a3..000000000 --- a/pages.sv/osx/gpathchk.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpathchk - -> Det här kommandot är ett alias för `-p linux pathchk`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux pathchk` diff --git a/pages.sv/osx/gping.md b/pages.sv/osx/gping.md deleted file mode 100644 index fe836aaa3..000000000 --- a/pages.sv/osx/gping.md +++ /dev/null @@ -1,7 +0,0 @@ -# gping - -> Det här kommandot är ett alias för `-p linux ping`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux ping` diff --git a/pages.sv/osx/gping6.md b/pages.sv/osx/gping6.md deleted file mode 100644 index 57f1b72d2..000000000 --- a/pages.sv/osx/gping6.md +++ /dev/null @@ -1,7 +0,0 @@ -# gping6 - -> Det här kommandot är ett alias för `-p linux ping6`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux ping6` diff --git a/pages.sv/osx/gpinky.md b/pages.sv/osx/gpinky.md deleted file mode 100644 index 6bb277b7d..000000000 --- a/pages.sv/osx/gpinky.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpinky - -> Det här kommandot är ett alias för `-p linux pinky`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux pinky` diff --git a/pages.sv/osx/gpr.md b/pages.sv/osx/gpr.md deleted file mode 100644 index 94120b0c5..000000000 --- a/pages.sv/osx/gpr.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpr - -> Det här kommandot är ett alias för `-p linux pr`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux pr` diff --git a/pages.sv/osx/gprintenv.md b/pages.sv/osx/gprintenv.md deleted file mode 100644 index e7532636c..000000000 --- a/pages.sv/osx/gprintenv.md +++ /dev/null @@ -1,7 +0,0 @@ -# gprintenv - -> Det här kommandot är ett alias för `-p linux printenv`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux printenv` diff --git a/pages.sv/osx/gprintf.md b/pages.sv/osx/gprintf.md deleted file mode 100644 index 67846b00e..000000000 --- a/pages.sv/osx/gprintf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gprintf - -> Det här kommandot är ett alias för `-p linux printf`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux printf` diff --git a/pages.sv/osx/gptx.md b/pages.sv/osx/gptx.md deleted file mode 100644 index c571bf87d..000000000 --- a/pages.sv/osx/gptx.md +++ /dev/null @@ -1,7 +0,0 @@ -# gptx - -> Det här kommandot är ett alias för `-p linux ptx`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux ptx` diff --git a/pages.sv/osx/gpwd.md b/pages.sv/osx/gpwd.md deleted file mode 100644 index 6587561ba..000000000 --- a/pages.sv/osx/gpwd.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpwd - -> Det här kommandot är ett alias för `-p linux pwd`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux pwd` diff --git a/pages.sv/osx/grcp.md b/pages.sv/osx/grcp.md deleted file mode 100644 index 53debb995..000000000 --- a/pages.sv/osx/grcp.md +++ /dev/null @@ -1,7 +0,0 @@ -# grcp - -> Det här kommandot är ett alias för `-p linux rcp`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux rcp` diff --git a/pages.sv/osx/greadlink.md b/pages.sv/osx/greadlink.md deleted file mode 100644 index a19e96207..000000000 --- a/pages.sv/osx/greadlink.md +++ /dev/null @@ -1,7 +0,0 @@ -# greadlink - -> Det här kommandot är ett alias för `-p linux readlink`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux readlink` diff --git a/pages.sv/osx/grealpath.md b/pages.sv/osx/grealpath.md deleted file mode 100644 index bcb83558d..000000000 --- a/pages.sv/osx/grealpath.md +++ /dev/null @@ -1,7 +0,0 @@ -# grealpath - -> Det här kommandot är ett alias för `-p linux realpath`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux realpath` diff --git a/pages.sv/osx/grexec.md b/pages.sv/osx/grexec.md deleted file mode 100644 index 6b16242d7..000000000 --- a/pages.sv/osx/grexec.md +++ /dev/null @@ -1,7 +0,0 @@ -# grexec - -> Det här kommandot är ett alias för `-p linux rexec`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux rexec` diff --git a/pages.sv/osx/grlogin.md b/pages.sv/osx/grlogin.md deleted file mode 100644 index f58ac2093..000000000 --- a/pages.sv/osx/grlogin.md +++ /dev/null @@ -1,7 +0,0 @@ -# grlogin - -> Det här kommandot är ett alias för `-p linux rlogin`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux rlogin` diff --git a/pages.sv/osx/grm.md b/pages.sv/osx/grm.md deleted file mode 100644 index 8d403dad0..000000000 --- a/pages.sv/osx/grm.md +++ /dev/null @@ -1,7 +0,0 @@ -# grm - -> Det här kommandot är ett alias för `-p linux rm`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux rm` diff --git a/pages.sv/osx/grmdir.md b/pages.sv/osx/grmdir.md deleted file mode 100644 index b5994b99b..000000000 --- a/pages.sv/osx/grmdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# grmdir - -> Det här kommandot är ett alias för `-p linux rmdir`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux rmdir` diff --git a/pages.sv/osx/grsh.md b/pages.sv/osx/grsh.md deleted file mode 100644 index 4502c1d22..000000000 --- a/pages.sv/osx/grsh.md +++ /dev/null @@ -1,7 +0,0 @@ -# grsh - -> Det här kommandot är ett alias för `-p linux rsh`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux rsh` diff --git a/pages.sv/osx/gruncon.md b/pages.sv/osx/gruncon.md deleted file mode 100644 index 7bb17cc01..000000000 --- a/pages.sv/osx/gruncon.md +++ /dev/null @@ -1,7 +0,0 @@ -# gruncon - -> Det här kommandot är ett alias för `-p linux runcon`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux runcon` diff --git a/pages.sv/osx/gsed.md b/pages.sv/osx/gsed.md deleted file mode 100644 index bf708324f..000000000 --- a/pages.sv/osx/gsed.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsed - -> Det här kommandot är ett alias för `-p linux sed`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux sed` diff --git a/pages.sv/osx/gseq.md b/pages.sv/osx/gseq.md deleted file mode 100644 index 2a0a94c0f..000000000 --- a/pages.sv/osx/gseq.md +++ /dev/null @@ -1,7 +0,0 @@ -# gseq - -> Det här kommandot är ett alias för `-p linux seq`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux seq` diff --git a/pages.sv/osx/gsha1sum.md b/pages.sv/osx/gsha1sum.md deleted file mode 100644 index aa0fb2dae..000000000 --- a/pages.sv/osx/gsha1sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha1sum - -> Det här kommandot är ett alias för `-p linux sha1sum`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux sha1sum` diff --git a/pages.sv/osx/gsha224sum.md b/pages.sv/osx/gsha224sum.md deleted file mode 100644 index 61345537d..000000000 --- a/pages.sv/osx/gsha224sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha224sum - -> Det här kommandot är ett alias för `-p linux sha224sum`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux sha224sum` diff --git a/pages.sv/osx/gsha256sum.md b/pages.sv/osx/gsha256sum.md deleted file mode 100644 index d4e6d93a7..000000000 --- a/pages.sv/osx/gsha256sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha256sum - -> Det här kommandot är ett alias för `-p linux sha256sum`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux sha256sum` diff --git a/pages.sv/osx/gsha384sum.md b/pages.sv/osx/gsha384sum.md deleted file mode 100644 index 28dde1a85..000000000 --- a/pages.sv/osx/gsha384sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha384sum - -> Det här kommandot är ett alias för `-p linux sha384sum`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux sha384sum` diff --git a/pages.sv/osx/gsha512sum.md b/pages.sv/osx/gsha512sum.md deleted file mode 100644 index d605b5443..000000000 --- a/pages.sv/osx/gsha512sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha512sum - -> Det här kommandot är ett alias för `-p linux sha512sum`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux sha512sum` diff --git a/pages.sv/osx/gshred.md b/pages.sv/osx/gshred.md deleted file mode 100644 index cbf789b67..000000000 --- a/pages.sv/osx/gshred.md +++ /dev/null @@ -1,7 +0,0 @@ -# gshred - -> Det här kommandot är ett alias för `-p linux shred`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux shred` diff --git a/pages.sv/osx/gshuf.md b/pages.sv/osx/gshuf.md deleted file mode 100644 index 2d60d2072..000000000 --- a/pages.sv/osx/gshuf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gshuf - -> Det här kommandot är ett alias för `-p linux shuf`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux shuf` diff --git a/pages.sv/osx/gsleep.md b/pages.sv/osx/gsleep.md deleted file mode 100644 index 1848ffa4f..000000000 --- a/pages.sv/osx/gsleep.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsleep - -> Det här kommandot är ett alias för `-p linux sleep`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux sleep` diff --git a/pages.sv/osx/gsort.md b/pages.sv/osx/gsort.md deleted file mode 100644 index 501a0438a..000000000 --- a/pages.sv/osx/gsort.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsort - -> Det här kommandot är ett alias för `-p linux sort`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux sort` diff --git a/pages.sv/osx/gsplit.md b/pages.sv/osx/gsplit.md deleted file mode 100644 index 52359e701..000000000 --- a/pages.sv/osx/gsplit.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsplit - -> Det här kommandot är ett alias för `-p linux split`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux split` diff --git a/pages.sv/osx/gstat.md b/pages.sv/osx/gstat.md deleted file mode 100644 index 14316dc66..000000000 --- a/pages.sv/osx/gstat.md +++ /dev/null @@ -1,7 +0,0 @@ -# gstat - -> Det här kommandot är ett alias för `-p linux stat`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux stat` diff --git a/pages.sv/osx/gstdbuf.md b/pages.sv/osx/gstdbuf.md deleted file mode 100644 index dbc1492f7..000000000 --- a/pages.sv/osx/gstdbuf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gstdbuf - -> Det här kommandot är ett alias för `-p linux stdbuf`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux stdbuf` diff --git a/pages.sv/osx/gstty.md b/pages.sv/osx/gstty.md deleted file mode 100644 index 8df654cd9..000000000 --- a/pages.sv/osx/gstty.md +++ /dev/null @@ -1,7 +0,0 @@ -# gstty - -> Det här kommandot är ett alias för `-p linux stty`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux stty` diff --git a/pages.sv/osx/gsum.md b/pages.sv/osx/gsum.md deleted file mode 100644 index b54774261..000000000 --- a/pages.sv/osx/gsum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsum - -> Det här kommandot är ett alias för `-p linux sum`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux sum` diff --git a/pages.sv/osx/gsync.md b/pages.sv/osx/gsync.md deleted file mode 100644 index 9a64e574a..000000000 --- a/pages.sv/osx/gsync.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsync - -> Det här kommandot är ett alias för `-p linux sync`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux sync` diff --git a/pages.sv/osx/gtac.md b/pages.sv/osx/gtac.md deleted file mode 100644 index 457c9a6c6..000000000 --- a/pages.sv/osx/gtac.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtac - -> Det här kommandot är ett alias för `-p linux tac`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux tac` diff --git a/pages.sv/osx/gtail.md b/pages.sv/osx/gtail.md deleted file mode 100644 index 8d9bd41ef..000000000 --- a/pages.sv/osx/gtail.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtail - -> Det här kommandot är ett alias för `-p linux tail`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux tail` diff --git a/pages.sv/osx/gtalk.md b/pages.sv/osx/gtalk.md deleted file mode 100644 index 174480f09..000000000 --- a/pages.sv/osx/gtalk.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtalk - -> Det här kommandot är ett alias för `-p linux talk`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux talk` diff --git a/pages.sv/osx/gtar.md b/pages.sv/osx/gtar.md deleted file mode 100644 index 7cdac056f..000000000 --- a/pages.sv/osx/gtar.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtar - -> Det här kommandot är ett alias för `-p linux tar`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux tar` diff --git a/pages.sv/osx/gtee.md b/pages.sv/osx/gtee.md deleted file mode 100644 index acf8fbb49..000000000 --- a/pages.sv/osx/gtee.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtee - -> Det här kommandot är ett alias för `-p linux tee`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux tee` diff --git a/pages.sv/osx/gtelnet.md b/pages.sv/osx/gtelnet.md deleted file mode 100644 index ddcfcdef6..000000000 --- a/pages.sv/osx/gtelnet.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtelnet - -> Det här kommandot är ett alias för `-p linux telnet`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux telnet` diff --git a/pages.sv/osx/gtest.md b/pages.sv/osx/gtest.md deleted file mode 100644 index 6d66b4c20..000000000 --- a/pages.sv/osx/gtest.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtest - -> Det här kommandot är ett alias för `-p linux test`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux test` diff --git a/pages.sv/osx/gtftp.md b/pages.sv/osx/gtftp.md deleted file mode 100644 index ce8cda1b6..000000000 --- a/pages.sv/osx/gtftp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtftp - -> Det här kommandot är ett alias för `-p linux tftp`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux tftp` diff --git a/pages.sv/osx/gtime.md b/pages.sv/osx/gtime.md deleted file mode 100644 index 7c4d538af..000000000 --- a/pages.sv/osx/gtime.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtime - -> Det här kommandot är ett alias för `-p linux time`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux time` diff --git a/pages.sv/osx/gtimeout.md b/pages.sv/osx/gtimeout.md deleted file mode 100644 index 711c1e5cb..000000000 --- a/pages.sv/osx/gtimeout.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtimeout - -> Det här kommandot är ett alias för `-p linux timeout`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux timeout` diff --git a/pages.sv/osx/gtouch.md b/pages.sv/osx/gtouch.md deleted file mode 100644 index bffb7802f..000000000 --- a/pages.sv/osx/gtouch.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtouch - -> Det här kommandot är ett alias för `-p linux touch`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux touch` diff --git a/pages.sv/osx/gtr.md b/pages.sv/osx/gtr.md deleted file mode 100644 index 8ded35ff5..000000000 --- a/pages.sv/osx/gtr.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtr - -> Det här kommandot är ett alias för `-p linux tr`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux tr` diff --git a/pages.sv/osx/gtraceroute.md b/pages.sv/osx/gtraceroute.md deleted file mode 100644 index efcfcaa69..000000000 --- a/pages.sv/osx/gtraceroute.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtraceroute - -> Det här kommandot är ett alias för `-p linux traceroute`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux traceroute` diff --git a/pages.sv/osx/gtrue.md b/pages.sv/osx/gtrue.md deleted file mode 100644 index f49f763dd..000000000 --- a/pages.sv/osx/gtrue.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtrue - -> Det här kommandot är ett alias för `-p linux true`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux true` diff --git a/pages.sv/osx/gtruncate.md b/pages.sv/osx/gtruncate.md deleted file mode 100644 index edfbacb4d..000000000 --- a/pages.sv/osx/gtruncate.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtruncate - -> Det här kommandot är ett alias för `-p linux truncate`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux truncate` diff --git a/pages.sv/osx/gtsort.md b/pages.sv/osx/gtsort.md deleted file mode 100644 index ce18d3023..000000000 --- a/pages.sv/osx/gtsort.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtsort - -> Det här kommandot är ett alias för `-p linux tsort`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux tsort` diff --git a/pages.sv/osx/gtty.md b/pages.sv/osx/gtty.md deleted file mode 100644 index cc6d3c8ad..000000000 --- a/pages.sv/osx/gtty.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtty - -> Det här kommandot är ett alias för `-p linux tty`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux tty` diff --git a/pages.sv/osx/guname.md b/pages.sv/osx/guname.md deleted file mode 100644 index bce33fc46..000000000 --- a/pages.sv/osx/guname.md +++ /dev/null @@ -1,7 +0,0 @@ -# guname - -> Det här kommandot är ett alias för `-p linux uname`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux uname` diff --git a/pages.sv/osx/gunexpand.md b/pages.sv/osx/gunexpand.md deleted file mode 100644 index a750c1e1d..000000000 --- a/pages.sv/osx/gunexpand.md +++ /dev/null @@ -1,7 +0,0 @@ -# gunexpand - -> Det här kommandot är ett alias för `-p linux unexpand`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux unexpand` diff --git a/pages.sv/osx/guniq.md b/pages.sv/osx/guniq.md deleted file mode 100644 index 93a4b64b2..000000000 --- a/pages.sv/osx/guniq.md +++ /dev/null @@ -1,7 +0,0 @@ -# guniq - -> Det här kommandot är ett alias för `-p linux uniq`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux uniq` diff --git a/pages.sv/osx/gunits.md b/pages.sv/osx/gunits.md deleted file mode 100644 index 2e0acc329..000000000 --- a/pages.sv/osx/gunits.md +++ /dev/null @@ -1,7 +0,0 @@ -# gunits - -> Det här kommandot är ett alias för `-p linux units`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux units` diff --git a/pages.sv/osx/gunlink.md b/pages.sv/osx/gunlink.md deleted file mode 100644 index 8829f9146..000000000 --- a/pages.sv/osx/gunlink.md +++ /dev/null @@ -1,7 +0,0 @@ -# gunlink - -> Det här kommandot är ett alias för `-p linux unlink`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux unlink` diff --git a/pages.sv/osx/gupdatedb.md b/pages.sv/osx/gupdatedb.md deleted file mode 100644 index 6febe92f8..000000000 --- a/pages.sv/osx/gupdatedb.md +++ /dev/null @@ -1,7 +0,0 @@ -# gupdatedb - -> Det här kommandot är ett alias för `-p linux updatedb`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux updatedb` diff --git a/pages.sv/osx/guptime.md b/pages.sv/osx/guptime.md deleted file mode 100644 index 8e1f6de2f..000000000 --- a/pages.sv/osx/guptime.md +++ /dev/null @@ -1,7 +0,0 @@ -# guptime - -> Det här kommandot är ett alias för `-p linux uptime`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux uptime` diff --git a/pages.sv/osx/gusers.md b/pages.sv/osx/gusers.md deleted file mode 100644 index 6e927999c..000000000 --- a/pages.sv/osx/gusers.md +++ /dev/null @@ -1,7 +0,0 @@ -# gusers - -> Det här kommandot är ett alias för `-p linux users`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux users` diff --git a/pages.sv/osx/gvdir.md b/pages.sv/osx/gvdir.md deleted file mode 100644 index fc966bec8..000000000 --- a/pages.sv/osx/gvdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# gvdir - -> Det här kommandot är ett alias för `-p linux vdir`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux vdir` diff --git a/pages.sv/osx/gwc.md b/pages.sv/osx/gwc.md deleted file mode 100644 index ae0f72ded..000000000 --- a/pages.sv/osx/gwc.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwc - -> Det här kommandot är ett alias för `-p linux wc`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux wc` diff --git a/pages.sv/osx/gwhich.md b/pages.sv/osx/gwhich.md deleted file mode 100644 index 666f32035..000000000 --- a/pages.sv/osx/gwhich.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwhich - -> Det här kommandot är ett alias för `-p linux which`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux which` diff --git a/pages.sv/osx/gwho.md b/pages.sv/osx/gwho.md deleted file mode 100644 index c5fa36809..000000000 --- a/pages.sv/osx/gwho.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwho - -> Det här kommandot är ett alias för `-p linux who`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux who` diff --git a/pages.sv/osx/gwhoami.md b/pages.sv/osx/gwhoami.md deleted file mode 100644 index 336cf1dc7..000000000 --- a/pages.sv/osx/gwhoami.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwhoami - -> Det här kommandot är ett alias för `-p linux whoami`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux whoami` diff --git a/pages.sv/osx/gwhois.md b/pages.sv/osx/gwhois.md deleted file mode 100644 index 56fcff880..000000000 --- a/pages.sv/osx/gwhois.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwhois - -> Det här kommandot är ett alias för `-p linux whois`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux whois` diff --git a/pages.sv/osx/gxargs.md b/pages.sv/osx/gxargs.md deleted file mode 100644 index 5a726fd9a..000000000 --- a/pages.sv/osx/gxargs.md +++ /dev/null @@ -1,7 +0,0 @@ -# gxargs - -> Det här kommandot är ett alias för `-p linux xargs`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux xargs` diff --git a/pages.sv/osx/gyes.md b/pages.sv/osx/gyes.md deleted file mode 100644 index b9cd918fb..000000000 --- a/pages.sv/osx/gyes.md +++ /dev/null @@ -1,7 +0,0 @@ -# gyes - -> Det här kommandot är ett alias för `-p linux yes`. - -- Se dokumentationen för orginalkommandot: - -`tldr -p linux yes` diff --git a/pages.sv/osx/launchd.md b/pages.sv/osx/launchd.md deleted file mode 100644 index af7284b9a..000000000 --- a/pages.sv/osx/launchd.md +++ /dev/null @@ -1,8 +0,0 @@ -# launchd - -> Det här kommandot är ett alias för `launchctl`. -> Mer information: . - -- Se dokumentationen för orginalkommandot: - -`tldr launchctl` diff --git a/pages.sv/windows/chrome.md b/pages.sv/windows/chrome.md deleted file mode 100644 index eeae1151e..000000000 --- a/pages.sv/windows/chrome.md +++ /dev/null @@ -1,8 +0,0 @@ -# chrome - -> Det här kommandot är ett alias för `chromium`. -> Mer information: . - -- Se dokumentationen för orginalkommandot: - -`tldr chromium` diff --git a/pages.sv/windows/cpush.md b/pages.sv/windows/cpush.md deleted file mode 100644 index 593d53970..000000000 --- a/pages.sv/windows/cpush.md +++ /dev/null @@ -1,8 +0,0 @@ -# cpush - -> Det här kommandot är ett alias för `choco-push`. -> Mer information: . - -- Se dokumentationen för orginalkommandot: - -`tldr choco-push` diff --git a/pages.sv/windows/rd.md b/pages.sv/windows/rd.md deleted file mode 100644 index d2d99df09..000000000 --- a/pages.sv/windows/rd.md +++ /dev/null @@ -1,8 +0,0 @@ -# rd - -> Det här kommandot är ett alias för `rmdir`. -> Mer information: . - -- Se dokumentationen för orginalkommandot: - -`tldr rmdir` diff --git a/pages.ta/android/logcat.md b/pages.ta/android/logcat.md index 7708f9715..46a38f281 100644 --- a/pages.ta/android/logcat.md +++ b/pages.ta/android/logcat.md @@ -17,8 +17,8 @@ - ஒரு குறிப்பிட்ட PIDக்கான பதிவுகளை காண்பி: -`logcat --pid={{pid}}` +`logcat --pid {{pid}}` - ஒரு குறிப்பிட்ட தொகுப்பின் செயல்முறைக்கான பதிவுகளை காண்பி: -`logcat --pid=$(pidof -s {{package}})` +`logcat --pid $(pidof -s {{package}})` diff --git a/pages.ta/common/ack.md b/pages.ta/common/ack.md index d72310507..c2b15b741 100644 --- a/pages.ta/common/ack.md +++ b/pages.ta/common/ack.md @@ -18,11 +18,11 @@ - ஒரு குறிப்பிட்ட வகை கோப்புகளுக்கான தேடலை வரம்பிடவும்: -`ack --type={{ruby}} "{{தேடல்_முறை}}"` +`ack --type {{ruby}} "{{தேடல்_முறை}}"` - ஒரு குறிப்பிட்ட வகை கோப்புகளில் தேட வேண்டாம்: -`ack --type=no{{ruby}} "{{தேடல்_முறை}}"` +`ack --type no{{ruby}} "{{தேடல்_முறை}}"` - காணப்பட்ட மொத்த பொருத்தங்களின் எண்ணிக்கையை எண்ணுங்கள்: diff --git a/pages.ta/common/clamav.md b/pages.ta/common/clamav.md index 900163525..7ae42cef8 100644 --- a/pages.ta/common/clamav.md +++ b/pages.ta/common/clamav.md @@ -1,4 +1,4 @@ -# clamav +# ClamAV > திறந்த மூல வைரஸ் எதிர்ப்பு நிரல். > ClamAV ஒரு கட்டளை அல்ல, ஆனால் கட்டளைகளின் தொகுப்பு. diff --git a/pages.ta/common/fossil-ci.md b/pages.ta/common/fossil-ci.md index 5d03afdac..a1736707c 100644 --- a/pages.ta/common/fossil-ci.md +++ b/pages.ta/common/fossil-ci.md @@ -1,6 +1,6 @@ -# fossil-ci +# fossil ci -> இக்கட்டளை `fossil-commit` கட்டளையின் மற்றொருப் பெயர். +> இக்கட்டளை `fossil commit`.கட்டளையின் மற்றொருப் பெயர். > மேலும் விவரத்திற்கு: . - அக்கட்டளையின் விளக்கத்தைக் காண: diff --git a/pages.ta/common/fossil-delete.md b/pages.ta/common/fossil-delete.md index b3c007a02..309e737f3 100644 --- a/pages.ta/common/fossil-delete.md +++ b/pages.ta/common/fossil-delete.md @@ -1,4 +1,4 @@ -# fossil-delete +# fossil delete > இக்கட்டளை `fossil rm` கட்டளையின் மற்றொருப் பெயர். > மேலும் விவரத்திற்கு: . diff --git a/pages.ta/common/fossil-forget.md b/pages.ta/common/fossil-forget.md index bb6cadddc..eafec2670 100644 --- a/pages.ta/common/fossil-forget.md +++ b/pages.ta/common/fossil-forget.md @@ -1,4 +1,4 @@ -# fossil-forget +# fossil forget > இக்கட்டளை `fossil rm` கட்டளையின் மற்றொருப் பெயர். > மேலும் விவரத்திற்கு: . diff --git a/pages.ta/common/fossil-new.md b/pages.ta/common/fossil-new.md index 2adaf1a65..28e8752be 100644 --- a/pages.ta/common/fossil-new.md +++ b/pages.ta/common/fossil-new.md @@ -1,6 +1,6 @@ -# fossil-new +# fossil new -> இக்கட்டளை `fossil-init` கட்டளையின் மற்றொருப் பெயர். +> இக்கட்டளை `fossil init`.கட்டளையின் மற்றொருப் பெயர். > மேலும் விவரத்திற்கு: . - அக்கட்டளையின் விளக்கத்தைக் காண: diff --git a/pages.ta/common/gh-cs.md b/pages.ta/common/gh-cs.md index c59e595a0..801fca85e 100644 --- a/pages.ta/common/gh-cs.md +++ b/pages.ta/common/gh-cs.md @@ -1,6 +1,6 @@ -# gh-cs +# gh cs -> இக்கட்டளை `gh-codespace` கட்டளையின் மற்றொருப் பெயர். +> இக்கட்டளை `gh codespace`.கட்டளையின் மற்றொருப் பெயர். > மேலும் விவரத்திற்கு: . - அக்கட்டளையின் விளக்கத்தைக் காண: diff --git a/pages.ta/common/gnmic-sub.md b/pages.ta/common/gnmic-sub.md index 57ee6f4e6..1599124f0 100644 --- a/pages.ta/common/gnmic-sub.md +++ b/pages.ta/common/gnmic-sub.md @@ -1,4 +1,4 @@ -# gnmic-sub +# gnmic sub > இக்கட்டளை `gnmic subscribe` கட்டளையின் மற்றொருப் பெயர். > மேலும் விவரத்திற்கு: . diff --git a/pages.ta/common/grep.md b/pages.ta/common/grep.md index af558508f..df70f8dba 100644 --- a/pages.ta/common/grep.md +++ b/pages.ta/common/grep.md @@ -9,28 +9,28 @@ - தேடுகுறித்தொடரல்லா உருச்சரத்திற்குத் தேடு: -`grep --fixed-strings "{{உருச்சரம்}}" {{கோப்பு/பாதை}}` +`grep {{-F|--fixed-strings}} "{{உருச்சரம்}}" {{கோப்பு/பாதை}}` - அடைவிலும் சேய் அடைவுகளிலுமுள்ள இருமக் கோப்பல்லா அனைத்துக் கோப்புகளையும் தேடு; பொருத்தங்களின் வரி எண்ணைக் காட்டு: -`grep --recursive --line-number --binary-files={{without-match}} "{{தேடுதொடர்}}" {{அடைவிற்குப்/பாதை}}` +`grep {{-r|--recursive}} {{-n|--line-number}} --binary-files={{without-match}} "{{தேடுதொடர்}}" {{அடைவிற்குப்/பாதை}}` - எழுத்துயர்நிலை கருதாது விரிவுபட்ட தேடுகுறித்தொடர்களுடன் (`?`, `+`, `{}`, `|` ஆகியவற்றைப் பயன்படுத்தலாம்) தேடு: -`grep --extended-regexp --ignore-case "{{தேடுதொடர்}}" {{கோப்பு/பாதை}}` +`grep {{-E|--extended-regexp}} {{-i|--ignore-case}} "{{தேடுதொடர்}}" {{கோப்பு/பாதை}}` - ஒவ்வொருப் பொருத்தத்திற்கும் சூழ்ந்த, முந்தைய அல்லது பிந்தைய 3 வரிகளைக் காட்டு: -`grep --{{context|before-context|after-context}}={{3}} "{{தேடுதொடர்}}" {{கோப்பு/பாதை}}` +`grep --{{context|before-context|after-context}} 3 "{{தேடுதொடர்}}" {{கோப்பு/பாதை}}` - வண்ண வெளியீட்டில் ஒவ்வொரு பொருத்தத்திற்கும் கோப்பு பெயர் மற்றும் வரி எண்ணை அச்சிடவும்: -`grep --with-filename --line-number --color=always "{{தேடுதொடர்}}" {{கோப்பு/பாதை}}` +`grep {{-H|--with-filename}} {{-n|--line-number}} --color=always "{{தேடுதொடர்}}" {{கோப்பு/பாதை}}` - தேடுதொடருக்குத் தேடு, ஆனால் பொருந்திய பகுதிகளை மட்டும் காட்டு: -`grep --only-matching "{{தேடுதொடர்}}" {{கோப்பு/பாதை}}` +`grep {{-o|--only-matching}} "{{தேடுதொடர்}}" {{கோப்பு/பாதை}}` - இயல் உள்ளீட்டில் தேடுதொடருக்குப் பொருந்தா வரிகளை மட்டும் காட்டு: -`cat {{கோப்பு/பாதை}} | grep --invert-match "{{தேடுதொடர்}}"` +`cat {{கோப்பு/பாதை}} | grep {{-v|--invert-match}} "{{தேடுதொடர்}}"` diff --git a/pages.ta/common/man.md b/pages.ta/common/man.md index cf7200e4c..e1efc5cbc 100644 --- a/pages.ta/common/man.md +++ b/pages.ta/common/man.md @@ -1,7 +1,7 @@ # man > கையேடு பக்கங்களை வடிவமைத்து காட்டவும். -> மேலும் விவரத்திற்கு: . +> மேலும் விவரத்திற்கு: . - ஒரு கட்டளைக்கான மேன் பக்கத்தைக் காண்பி: diff --git a/pages.ta/common/mkdir.md b/pages.ta/common/mkdir.md index 589c547c3..a486416e6 100644 --- a/pages.ta/common/mkdir.md +++ b/pages.ta/common/mkdir.md @@ -9,8 +9,8 @@ - தேவைப்பட்டால், குறிப்பிட்ட அடைவுகளையும் அவற்றின் பெற்றோரையும் உருவாக்கவும்: -`mkdir -p {{அடைவு1/பாதை அடைவு2/பாதை ...}}` +`mkdir {{-p|--parents}} {{அடைவு1/பாதை அடைவு2/பாதை ...}}` - குறிப்பிட்ட அனுமதிகளுடன் கோப்பகங்களை உருவாக்கவும்: -`mkdir -m {{rwxrw-r--}} {{அடைவு1/பாதை அடைவு2/பாதை ...}}` +`mkdir {{-m|--mode}} {{rwxrw-r--}} {{அடைவு1/பாதை அடைவு2/பாதை ...}}` diff --git a/pages.ta/common/pio-init.md b/pages.ta/common/pio-init.md index f42a0df98..ab8db4dad 100644 --- a/pages.ta/common/pio-init.md +++ b/pages.ta/common/pio-init.md @@ -1,4 +1,4 @@ -# pio-init +# pio init > இக்கட்டளை `pio project` கட்டளையின் மற்றொருப் பெயர். diff --git a/pages.ta/common/podman.md b/pages.ta/common/podman.md index b65bda604..f8619c695 100644 --- a/pages.ta/common/podman.md +++ b/pages.ta/common/podman.md @@ -1,4 +1,4 @@ -# Podman +# podman > காய்கள், கொள்கலன்கள் மற்றும் படங்களுக்கான எளிய மேலாண்மை கருவி. > போட்மேன் ஒரு Docker-CLI ஒப்பிடக்கூடிய கட்டளை வரியை வழங்குகிறது. எளிமையாகச் சொன்னால்: `alias docker=podman`. diff --git a/pages.ta/common/tlmgr-arch.md b/pages.ta/common/tlmgr-arch.md index f5b55c9bd..b6b3412f9 100644 --- a/pages.ta/common/tlmgr-arch.md +++ b/pages.ta/common/tlmgr-arch.md @@ -1,4 +1,4 @@ -# tlmgr-arch +# tlmgr arch > இக்கட்டளை `tlmgr platform` கட்டளையின் மற்றொருப் பெயர். > மேலும் விவரத்திற்கு: . diff --git a/pages.ta/common/vt.md b/pages.ta/common/vt.md index 0ba5a0ad2..b0901fda6 100644 --- a/pages.ta/common/vt.md +++ b/pages.ta/common/vt.md @@ -16,7 +16,7 @@ `vt analysis {{கோப்பு_ஐடி|பகுப்பாய்வு_ஐடி}}` -- என்க்ரிப்ட் செய்யப்பட்ட `.zip` வடிவத்தில் கோப்புகளைப் பதிவிறக்கவும் (பிரீமியம் கணக்கு தேவை): +- என்க்ரிப்ட் செய்யப்பட்ட Zip வடிவத்தில் கோப்புகளைப் பதிவிறக்கவும் (பிரீமியம் கணக்கு தேவை): `vt download {{கோப்பு_ஐடி}} --output {{அடைவிற்குப்/பாதை}} --zip --zip-password {{கடவுச்சொல்}}` diff --git a/pages.ta/linux/apt.md b/pages.ta/linux/apt.md index 3b99fb675..4d325129a 100644 --- a/pages.ta/linux/apt.md +++ b/pages.ta/linux/apt.md @@ -2,7 +2,7 @@ > டெபியன் அடிப்படையிலான விநியோகங்களுக்கான தொகுப்பு மேலாண்மை பயன்பாடு. > உபுண்டு பதிப்பு 16.04 மற்றும் அதற்குப் பிந்தைய பதிப்புகளில் ஊடாடும் வகையில் பயன்படுத்தப்படும் போது `apt-get` க்கு மாற்றாக பரிந்துரைக்கப்படுகிறது. -> மேலும் விவரத்திற்கு: . +> மேலும் விவரத்திற்கு: . - கிடைக்கக்கூடிய தொகுப்புகள் மற்றும் பதிப்புகளின் பட்டியலைப் புதுப்பிக்கவும் (மற்ற `apt` கட்டளைகளுக்கு முன் இதை இயக்க பரிந்துரைக்கப்படுகிறது): diff --git a/pages.ta/linux/aptitude.md b/pages.ta/linux/aptitude.md index b84dde762..91c758949 100644 --- a/pages.ta/linux/aptitude.md +++ b/pages.ta/linux/aptitude.md @@ -1,7 +1,7 @@ # aptitude > டெபியன் மற்றும் உபுண்டு தொகுப்பு மேலாண்மை பயன்பாடு. -> மேலும் விவரத்திற்கு: . +> மேலும் விவரத்திற்கு: . - கிடைக்கும் தொகுப்புகள் மற்றும் பதிப்புகளின் பட்டியலை ஒத்திசைக்கவும். அடுத்தடுத்த `aptitude` கட்டளைகளை இயக்கும் முன், இதை முதலில் இயக்க வேண்டும்: diff --git a/pages.ta/linux/ip-route-list.md b/pages.ta/linux/ip-route-list.md index 69e8359ba..b5b80b878 100644 --- a/pages.ta/linux/ip-route-list.md +++ b/pages.ta/linux/ip-route-list.md @@ -1,6 +1,6 @@ -# ip-route-list +# ip route list -> இக்கட்டளை `ip-route-show` கட்டளையின் மற்றொருப் பெயர். +> இக்கட்டளை `ip route show`.கட்டளையின் மற்றொருப் பெயர். - அக்கட்டளையின் விளக்கத்தைக் காண: diff --git a/pages.ta/sunos/prstat.md b/pages.ta/sunos/prstat.md index 23562bfd4..d16907675 100644 --- a/pages.ta/sunos/prstat.md +++ b/pages.ta/sunos/prstat.md @@ -21,4 +21,4 @@ - ஒவ்வொரு நொடியும் செயல்முறைகளைப் பயன்படுத்தி முதல் 5 CPU இன் பட்டியலை அச்சிடவும்: -`prstat -c -n {{5}} -s cpu {{1}}` +`prstat -c -n 5 -s cpu 1` diff --git a/pages.ta/windows/choco-apikey.md b/pages.ta/windows/choco-apikey.md index 96217a6fc..f91e7b730 100644 --- a/pages.ta/windows/choco-apikey.md +++ b/pages.ta/windows/choco-apikey.md @@ -1,4 +1,4 @@ -# choco-apikey +# choco apikey > சாக்லேட்டி மூலங்களுக்கான API விசைகளை நிர்வகிக்கவும். > மேலும் விவரத்திற்கு: . diff --git a/pages.th/common/fossil-ci.md b/pages.th/common/fossil-ci.md index e927ec032..a24c34cb7 100644 --- a/pages.th/common/fossil-ci.md +++ b/pages.th/common/fossil-ci.md @@ -1,4 +1,4 @@ -# fossil-ci +# fossil ci > คำสั่งนี้เป็นอีกชื่อหนึ่งของคำสั่ง `fossil-commit` > ข้อมูลเพิ่มเติม: diff --git a/pages.th/common/fossil-delete.md b/pages.th/common/fossil-delete.md index 6040fdc45..069cae532 100644 --- a/pages.th/common/fossil-delete.md +++ b/pages.th/common/fossil-delete.md @@ -1,4 +1,4 @@ -# fossil-delete +# fossil delete > คำสั่งนี้เป็นอีกชื่อหนึ่งของคำสั่ง `fossil rm` > ข้อมูลเพิ่มเติม: diff --git a/pages.th/common/fossil-forget.md b/pages.th/common/fossil-forget.md index c29a87b72..f25a36365 100644 --- a/pages.th/common/fossil-forget.md +++ b/pages.th/common/fossil-forget.md @@ -1,4 +1,4 @@ -# fossil-forget +# fossil forget > คำสั่งนี้เป็นอีกชื่อหนึ่งของคำสั่ง `fossil rm` > ข้อมูลเพิ่มเติม: diff --git a/pages.th/common/fossil-new.md b/pages.th/common/fossil-new.md index 629966844..2539466ef 100644 --- a/pages.th/common/fossil-new.md +++ b/pages.th/common/fossil-new.md @@ -1,4 +1,4 @@ -# fossil-new +# fossil new > คำสั่งนี้เป็นอีกชื่อหนึ่งของคำสั่ง `fossil-init` > ข้อมูลเพิ่มเติม: diff --git a/pages.th/common/gh-cs.md b/pages.th/common/gh-cs.md index 6c21f666e..a516f3480 100644 --- a/pages.th/common/gh-cs.md +++ b/pages.th/common/gh-cs.md @@ -1,4 +1,4 @@ -# gh-cs +# gh cs > คำสั่งนี้เป็นอีกชื่อหนึ่งของคำสั่ง `gh-codespace` > ข้อมูลเพิ่มเติม: diff --git a/pages.th/common/gnmic-sub.md b/pages.th/common/gnmic-sub.md index 9238028d6..de8c47a69 100644 --- a/pages.th/common/gnmic-sub.md +++ b/pages.th/common/gnmic-sub.md @@ -1,4 +1,4 @@ -# gnmic-sub +# gnmic sub > คำสั่งนี้เป็นอีกชื่อหนึ่งของคำสั่ง `gnmic subscribe` > ข้อมูลเพิ่มเติม: diff --git a/pages.th/common/pio-init.md b/pages.th/common/pio-init.md index 8ba3ea730..4d611ff92 100644 --- a/pages.th/common/pio-init.md +++ b/pages.th/common/pio-init.md @@ -1,4 +1,4 @@ -# pio-init +# pio init > คำสั่งนี้เป็นอีกชื่อหนึ่งของคำสั่ง `pio project` diff --git a/pages.th/common/tlmgr-arch.md b/pages.th/common/tlmgr-arch.md index 290919e46..c27970baf 100644 --- a/pages.th/common/tlmgr-arch.md +++ b/pages.th/common/tlmgr-arch.md @@ -1,4 +1,4 @@ -# tlmgr-arch +# tlmgr arch > คำสั่งนี้เป็นอีกชื่อหนึ่งของคำสั่ง `tlmgr platform` > ข้อมูลเพิ่มเติม: diff --git a/pages.th/linux/apt-add-repository.md b/pages.th/linux/apt-add-repository.md index e8bcef02b..db2eee536 100644 --- a/pages.th/linux/apt-add-repository.md +++ b/pages.th/linux/apt-add-repository.md @@ -1,17 +1,17 @@ # apt-add-repository -> ควบคุมและจัดการที่อยู่ของคลัง apt. -> ข้อมูลเพิ่มเติม: +> ควบคุมและจัดการที่อยู่ของคลัง APT. +> ข้อมูลเพิ่มเติม: -- เพิ่มที่หมายของคลัง apt: +- เพิ่มที่หมายของคลัง APT: `apt-add-repository {{ที่อยู่จำเพาะของคลัง}}` -- ลบคลัง apt: +- ลบคลัง APT: `apt-add-repository --remove {{ที่อยู่จำเพาะของคลัง}}` -- อัพเดตข้อมูลแคชหลังจากเพิ่มคลัง apt: +- อัพเดตข้อมูลแคชหลังจากเพิ่มคลัง APT: `apt-add-repository --update {{ที่อยู่จำเพาะของคลัง}}` diff --git a/pages.th/linux/ip-route-list.md b/pages.th/linux/ip-route-list.md index 376065939..eb91773b9 100644 --- a/pages.th/linux/ip-route-list.md +++ b/pages.th/linux/ip-route-list.md @@ -1,4 +1,4 @@ -# ip-route-list +# ip route list > คำสั่งนี้เป็นอีกชื่อหนึ่งของคำสั่ง `ip-route-show` diff --git a/pages.tr/common/cat.md b/pages.tr/common/cat.md index 3bdaca76b..af859736a 100644 --- a/pages.tr/common/cat.md +++ b/pages.tr/common/cat.md @@ -1,7 +1,7 @@ # cat > Dosyaları yazdır ve birleştir. -> Daha fazla bilgi için: . +> Daha fazla bilgi için: . - Bir dosyanın içeriğini standart çıktıya yazdır: diff --git a/pages.tr/common/clamav.md b/pages.tr/common/clamav.md index 80647a7e8..8fdddb4cd 100644 --- a/pages.tr/common/clamav.md +++ b/pages.tr/common/clamav.md @@ -1,4 +1,4 @@ -# clamav +# ClamAV > Bu komut `clamdscan` için bir takma addır. > Daha fazla bilgi için: . diff --git a/pages.tr/common/diff.md b/pages.tr/common/diff.md index ad8321a65..3c39e1f48 100644 --- a/pages.tr/common/diff.md +++ b/pages.tr/common/diff.md @@ -1,7 +1,7 @@ # diff > Dosyaları ve dizinleri karşılaştırın. -> Daha fazla bilgi için: . +> Daha fazla bilgi için: . - Dosyaları karşılaştır (`eski_dosya`'yı `yeni_dosya`'ya dönüştürmek için yapılan değişiklikleri listeler): diff --git a/pages.tr/common/docker-build.md b/pages.tr/common/docker-build.md index 1467cc6dd..066e912e7 100644 --- a/pages.tr/common/docker-build.md +++ b/pages.tr/common/docker-build.md @@ -1,17 +1,17 @@ # docker build > Bir Dockerfile'dan imge yaratın. -> Daha fazla bilgi için: . +> Daha fazla bilgi için: . -- Mevcut dizindeki Dockerfile'dan bir docker imgesi oluşturun: +- Mevcut dizindeki Dockerfile'dan bir Docker imgesi oluşturun: `docker build .` -- Belirtilen URL'deki Dockerfile'dan bir docker imgesi oluşturun: +- Belirtilen URL'deki Dockerfile'dan bir Docker imgesi oluşturun: `docker build {{ornekadres.com/ornek-dizin/ornek-docker-projesi}}` -- Bir docker imgesi oluşturun ve etiketleyin: +- Bir Docker imgesi oluşturun ve etiketleyin: `docker build --tag {{isim:etiket}} .` @@ -19,7 +19,7 @@ `docker build --no-cache --tag {{isim:etiket}} .` -- Belirtilen Dockerfile ile bir docker imgesi oluşturun: +- Belirtilen Dockerfile ile bir Docker imgesi oluşturun: `docker build --file {{Dockerfile}} .` diff --git a/pages.tr/common/docker-compose.md b/pages.tr/common/docker-compose.md index 6ad0d3eba..faf24c0f2 100644 --- a/pages.tr/common/docker-compose.md +++ b/pages.tr/common/docker-compose.md @@ -1,7 +1,7 @@ # docker compose -> Çoklu konteynerli docker uygulamalarını çalıştırın ve yönetin. -> Daha fazla bilgi için: . +> Çoklu konteynerli Docker uygulamalarını çalıştırın ve yönetin. +> Daha fazla bilgi için: . - Tüm konteynerleri listele: diff --git a/pages.tr/common/docker-exec.md b/pages.tr/common/docker-exec.md index e12b6bb85..8a96e782c 100644 --- a/pages.tr/common/docker-exec.md +++ b/pages.tr/common/docker-exec.md @@ -19,7 +19,7 @@ `docker exec --interactive --detach {{konteyner_ismi}} {{komut}}` -- Çalışmakta olan bir bash oturumu içinde bir çevre değişkeni belirle: +- Çalışmakta olan bir Bash oturumu içinde bir çevre değişkeni belirle: `docker exec --interactive --tty --env {{değişken_ismi}}={{value}} {{konteyner_ismi}} {{/bin/bash}}` diff --git a/pages.tr/common/docker-machine.md b/pages.tr/common/docker-machine.md index 92fdf994f..9b6f449a6 100644 --- a/pages.tr/common/docker-machine.md +++ b/pages.tr/common/docker-machine.md @@ -1,13 +1,13 @@ # docker-machine > Docker çalıştıran makineler oluştur ve onları yönet. -> Daha fazla bilgi için: . +> Daha fazla bilgi için: . -- Halihazırda çalışan docker makinelerini sırala: +- Halihazırda çalışan Docker makinelerini sırala: `docker-machine ls` -- Belirli bir isim ile docker makinesi oluştur: +- Belirli bir isim ile Docker makinesi oluştur: `docker-machine create {{isim}}` diff --git a/pages.tr/common/docker-ps.md b/pages.tr/common/docker-ps.md index 2c34ceb57..f1a195e90 100644 --- a/pages.tr/common/docker-ps.md +++ b/pages.tr/common/docker-ps.md @@ -1,13 +1,13 @@ # docker ps > Docker konteynerlerini sırala. -> Daha fazla bilgi için: . +> Daha fazla bilgi için: . -- Halihazırda çalışan docker konteynerlerini listele: +- Halihazırda çalışan Docker konteynerlerini listele: `docker ps` -- Tüm (durmuş veya çalışan) docker konteynerlerini listele: +- Tüm (durmuş veya çalışan) Docker konteynerlerini listele: `docker ps --all` @@ -29,8 +29,8 @@ - Konteynerleri mevcut durumlarına (oluşturulma, çalışma, silinme, durma, çıkma ve ölme) göre sırala: -`docker ps --filter="status={{mevcut_durum}}"` +`docker ps --filter "status={{mevcut_durum}}"` - Belirtilmiş bir hacmi gömen veya belirtilmiş bir yola gömülmüş hacmi içeren konteynerleri filtrele: -`docker ps --filter="volume={{örnek/dizin}}" --format "table {{.ID}}\t{{.Image}}\t{{.Names}}\t{{.Mounts}}"` +`docker ps --filter "volume={{örnek/dizin}}" --format "table {{.ID}}\t{{.Image}}\t{{.Names}}\t{{.Mounts}}"` diff --git a/pages.tr/common/docker-rmi.md b/pages.tr/common/docker-rmi.md index 13bb25528..2d09f2949 100644 --- a/pages.tr/common/docker-rmi.md +++ b/pages.tr/common/docker-rmi.md @@ -1,7 +1,7 @@ # docker rmi > Bir veya daha fazla Docker imgesini sil. -> Daha fazla bilgi için: . +> Daha fazla bilgi için: . - Yardım göster: diff --git a/pages.tr/common/docker-save.md b/pages.tr/common/docker-save.md index 798bf7342..da6de4745 100644 --- a/pages.tr/common/docker-save.md +++ b/pages.tr/common/docker-save.md @@ -1,6 +1,6 @@ # docker save -> Bir veya daha fazla docker imgesini arşivlemek için dışa aktar. +> Bir veya daha fazla Docker imgesini arşivlemek için dışa aktar. > Daha fazla bilgi için: . - Bir imgeyi, `stdout`'u tar arşivine yönlendirerek kaydet: diff --git a/pages.tr/common/docker-service.md b/pages.tr/common/docker-service.md index 179483290..62cd2a9d2 100644 --- a/pages.tr/common/docker-service.md +++ b/pages.tr/common/docker-service.md @@ -1,9 +1,9 @@ # docker service -> Bir docker daemon'unun üzerindeki servisleri yönet. +> Bir Docker daemon'unun üzerindeki servisleri yönet. > Daha fazla bilgi için: . -- Bir docker daeomon'unun üzerindeki servisleri listele: +- Bir Docker daeomon'unun üzerindeki servisleri listele: `docker service ls` diff --git a/pages.tr/common/docker-start.md b/pages.tr/common/docker-start.md index 0fed5b597..50614b4bd 100644 --- a/pages.tr/common/docker-start.md +++ b/pages.tr/common/docker-start.md @@ -7,7 +7,7 @@ `docker start` -- Bir docker konteynerini başlat: +- Bir Docker konteynerini başlat: `docker start {{konteyner}}` diff --git a/pages.tr/common/docker-system.md b/pages.tr/common/docker-system.md index 130eb9c6a..984831eca 100644 --- a/pages.tr/common/docker-system.md +++ b/pages.tr/common/docker-system.md @@ -21,7 +21,7 @@ - Kullanılmayan ve geçmişte birden çok kez oluşturulan veriyi sil: -`docker system prune --filter="until={{saat}}h{{dakika}}m"` +`docker system prune --filter "until={{saat}}h{{dakika}}m"` - Docker deamon'dan tam-zamanlı eylemleri görüntüle: diff --git a/pages.tr/common/docker.md b/pages.tr/common/docker.md index 55ac3857c..8bd8173ad 100644 --- a/pages.tr/common/docker.md +++ b/pages.tr/common/docker.md @@ -4,7 +4,7 @@ > `docker run` gibi bazı alt komutların kendi dökümantasyonu bulunmaktadır. > Daha fazla bilgi için: . -- Tüm (çalışan veya duran) docker konteynerlerini listele: +- Tüm (çalışan veya duran) Docker konteynerlerini listele: `docker ps --all` @@ -16,7 +16,7 @@ `docker {{start|stop}} {{konteyner_ismi}}` -- Bir docker kaydından imge çek: +- Bir Docker kaydından imge çek: `docker pull {{imge}}` diff --git a/pages.tr/common/fossil-ci.md b/pages.tr/common/fossil-ci.md index de9e2097c..f55ddd398 100644 --- a/pages.tr/common/fossil-ci.md +++ b/pages.tr/common/fossil-ci.md @@ -1,6 +1,6 @@ -# fossil-ci +# fossil ci -> Bu komut `fossil-commit` için bir takma addır. +> Bu komut `fossil commit`.için bir takma addır. > Daha fazla bilgi için: . - Asıl komutun belgelerini görüntüleyin: diff --git a/pages.tr/common/fossil-delete.md b/pages.tr/common/fossil-delete.md index e19b103cf..bfa3eb02d 100644 --- a/pages.tr/common/fossil-delete.md +++ b/pages.tr/common/fossil-delete.md @@ -1,4 +1,4 @@ -# fossil-delete +# fossil delete > Bu komut `fossil rm` için bir takma addır. > Daha fazla bilgi için: . diff --git a/pages.tr/common/fossil-forget.md b/pages.tr/common/fossil-forget.md index 3bb6d6a70..e1b9ba79e 100644 --- a/pages.tr/common/fossil-forget.md +++ b/pages.tr/common/fossil-forget.md @@ -1,4 +1,4 @@ -# fossil-forget +# fossil forget > Bu komut `fossil rm` için bir takma addır. > Daha fazla bilgi için: . diff --git a/pages.tr/common/fossil-new.md b/pages.tr/common/fossil-new.md index 90db1968b..6b5c8dc6d 100644 --- a/pages.tr/common/fossil-new.md +++ b/pages.tr/common/fossil-new.md @@ -1,6 +1,6 @@ -# fossil-new +# fossil new -> Bu komut `fossil-init` için bir takma addır. +> Bu komut `fossil init`.için bir takma addır. > Daha fazla bilgi için: . - Asıl komutun belgelerini görüntüleyin: diff --git a/pages.tr/common/gh-cs.md b/pages.tr/common/gh-cs.md index 8b10416db..d51c94854 100644 --- a/pages.tr/common/gh-cs.md +++ b/pages.tr/common/gh-cs.md @@ -1,6 +1,6 @@ -# gh-cs +# gh cs -> Bu komut `gh-codespace` için bir takma addır. +> Bu komut `gh codespace`.için bir takma addır. > Daha fazla bilgi için: . - Asıl komutun belgelerini görüntüleyin: diff --git a/pages.tr/common/git-instaweb.md b/pages.tr/common/git-instaweb.md index 5b5aa7fbb..00eb491dc 100644 --- a/pages.tr/common/git-instaweb.md +++ b/pages.tr/common/git-instaweb.md @@ -15,7 +15,7 @@ `git instaweb --start --port {{1234}}` -- Belirtilmiş bir http daemon'u kullan: +- Belirtilmiş bir HTTP daemon'u kullan: `git instaweb --start --httpd {{lighttpd|apache2|mongoose|plackup|webrick}}` diff --git a/pages.tr/common/git-lfs.md b/pages.tr/common/git-lfs.md index 6bb76cc49..44076d3d4 100644 --- a/pages.tr/common/git-lfs.md +++ b/pages.tr/common/git-lfs.md @@ -1,7 +1,7 @@ # git lfs > Git depolarındaki büyük dosyalarla çalış. -> Daha fazla bilgi için: . +> Daha fazla bilgi için: . - Git LFS'i başlat: diff --git a/pages.tr/common/gitk.md b/pages.tr/common/gitk.md index 1afaba479..9f6922d25 100644 --- a/pages.tr/common/gitk.md +++ b/pages.tr/common/gitk.md @@ -21,4 +21,4 @@ - Tüm dallarda en fazla 100 değişiklik göster: -` gitk --max-count={{100}} --all` +`gitk --max-count={{100}} --all` diff --git a/pages.tr/common/gnmic-sub.md b/pages.tr/common/gnmic-sub.md index 04cdbac6a..32efeebdd 100644 --- a/pages.tr/common/gnmic-sub.md +++ b/pages.tr/common/gnmic-sub.md @@ -1,4 +1,4 @@ -# gnmic-sub +# gnmic sub > Bu komut `gnmic subscribe` için bir takma addır. > Daha fazla bilgi için: . diff --git a/pages.tr/common/grep.md b/pages.tr/common/grep.md index 8401db3db..51faffd66 100644 --- a/pages.tr/common/grep.md +++ b/pages.tr/common/grep.md @@ -9,28 +9,28 @@ - Tam bir dize ara (düzenli ifadeleri devre dışı bırakır): -`grep --fixed-strings "{{tam_dize}}" {{dosya/yolu}}` +`grep {{-F|--fixed-strings}} "{{tam_dize}}" {{dosya/yolu}}` - Bir dizindeki tüm dosyalarda bir kalıbı tekrarlı olarak ara, eşleşmelerin satır numaralarını göster, binary dosyaları göz ardı et: -`grep --recursive --line-number --binary-files={{without-match}} "{{aranan_kalıp}}" {{dosya/yolu}}` +`grep {{-r|--recursive}} {{-n|--line-number}} --binary-files={{without-match}} "{{aranan_kalıp}}" {{dosya/yolu}}` - Büyük/küçük harfe duyarsız modda genişletilmiş düzenli ifadeleri (`?`, `+`, `{}`, `()` ve `|` destekler) kullan: -`grep --extended-regexp --ignore-case "{{aranan_kalıp}}" {{dosya/yolu}}` +`grep {{-E|--extended-regexp}} {{-i|--ignore-case}} "{{aranan_kalıp}}" {{dosya/yolu}}` - Her eşleşmenin etrafında, öncesinde veya sonrasında 3 satır içerik yazdır: -`grep --{{context|before-context|after-context}}={{3}} "{{aranan_kalıp}}" {{dosya/yolu}}` +`grep --{{context|before-context|after-context}} 3 "{{aranan_kalıp}}" {{dosya/yolu}}` - Renkli çıktı ile her eşleşme için dosya adını ve satır numarasını yazdır: -`grep --with-filename --line-number --color=always "{{aranan_kalıp}}" {{dosya/yolu}}` +`grep {{-H|--with-filename}} {{-n|--line-number}} --color=always "{{aranan_kalıp}}" {{dosya/yolu}}` - Bir kalıpla eşleşen satırları ara, yalnızca eşleşen metni yazdır: -`grep --only-matching "{{aranan_kalıp}}" {{dosya/yolu}}` +`grep {{-o|--only-matching}} "{{aranan_kalıp}}" {{dosya/yolu}}` - Bir kalıpla eşleşmeyen satırlar için `stdin`'de arama yap: -`cat {{dosya/yolu}} | grep --invert-match "{{aranan_kalıp}}"` +`cat {{dosya/yolu}} | grep {{-v|--invert-match}} "{{aranan_kalıp}}"` diff --git a/pages.tr/common/man.md b/pages.tr/common/man.md index 5d1551170..64a61f31a 100644 --- a/pages.tr/common/man.md +++ b/pages.tr/common/man.md @@ -1,7 +1,7 @@ # man > Kılavuz sayfalarını biçimlendir ve göster. -> Daha fazla bilgi için: . +> Daha fazla bilgi için: . - Bir komut için man sayfasını görüntüle: diff --git a/pages.tr/common/mkdir.md b/pages.tr/common/mkdir.md index 643925ae4..fa4a0455c 100644 --- a/pages.tr/common/mkdir.md +++ b/pages.tr/common/mkdir.md @@ -9,4 +9,4 @@ - Özyinelemeli şekilde dizin oluştur (iç içe klasörler oluşturmak için kullanışlıdır): -`mkdir -p {{dizin/yolu1 dizin/yolu2 ...}}` +`mkdir {{-p|--parents}} {{dizin/yolu1 dizin/yolu2 ...}}` diff --git a/pages.tr/common/pio-init.md b/pages.tr/common/pio-init.md index 26feb0084..d2b455fc8 100644 --- a/pages.tr/common/pio-init.md +++ b/pages.tr/common/pio-init.md @@ -1,4 +1,4 @@ -# pio-init +# pio init > Bu komut `pio project` için bir takma addır. diff --git a/pages.tr/common/tlmgr-arch.md b/pages.tr/common/tlmgr-arch.md index 9467e04b8..dacc90214 100644 --- a/pages.tr/common/tlmgr-arch.md +++ b/pages.tr/common/tlmgr-arch.md @@ -1,4 +1,4 @@ -# tlmgr-arch +# tlmgr arch > Bu komut `tlmgr platform` için bir takma addır. > Daha fazla bilgi için: . diff --git a/pages.tr/common/tree.md b/pages.tr/common/tree.md index d4fcf55d6..898f58bf3 100644 --- a/pages.tr/common/tree.md +++ b/pages.tr/common/tree.md @@ -1,7 +1,7 @@ # tree > Mevcut dizinin içeriğini ağaç biçiminde göster. -> Daha fazla bilgi için: . +> Daha fazla bilgi için: . - Dosya ve dizinleri `num` değeri kadar derinlikte göster (1 olması durumunda mevcut dizin gösterilir): diff --git a/pages.tr/linux/a2disconf.md b/pages.tr/linux/a2disconf.md index 9bdb7b5da..84a199646 100644 --- a/pages.tr/linux/a2disconf.md +++ b/pages.tr/linux/a2disconf.md @@ -1,7 +1,7 @@ # a2disconf > Debian tabanlı işletim sistemlerinde Apache konfigürasyon dosyasını devre dışı bırak. -> Daha fazla bilgi için: . +> Daha fazla bilgi için: . - Bir konfigürasyon dosyasını devre dışı bırak: diff --git a/pages.tr/linux/a2dismod.md b/pages.tr/linux/a2dismod.md index f2ce7abf0..95dfad043 100644 --- a/pages.tr/linux/a2dismod.md +++ b/pages.tr/linux/a2dismod.md @@ -1,7 +1,7 @@ # a2dismod > Debian tabanlı işletim sistemlerinde bir Apache modülünü devre dışı bırak. -> Daha fazla bilgi için: . +> Daha fazla bilgi için: . - Bir modülü devre dışı bırak: diff --git a/pages.tr/linux/a2dissite.md b/pages.tr/linux/a2dissite.md index ae62ba6df..26f446b08 100644 --- a/pages.tr/linux/a2dissite.md +++ b/pages.tr/linux/a2dissite.md @@ -1,7 +1,7 @@ # a2dissite > Debian tabanlı işletim sistemlerinde bir Apache sanal hostunu devre dışı bırak. -> Daha fazla bilgi için: . +> Daha fazla bilgi için: . - Uzak hostu devre dışı bırak: diff --git a/pages.tr/linux/a2enconf.md b/pages.tr/linux/a2enconf.md index eceb92cdd..07bbfc710 100644 --- a/pages.tr/linux/a2enconf.md +++ b/pages.tr/linux/a2enconf.md @@ -1,7 +1,7 @@ # a2enconf > Debian tabanlı işletim sistemlerinde Apache konfigürasyon dosyasını etkinleştir. -> Daha fazla bilgi için: . +> Daha fazla bilgi için: . - Bir konfigürasyon dosyasını etkinleştir: diff --git a/pages.tr/linux/a2enmod.md b/pages.tr/linux/a2enmod.md index b7f269dbb..9bd868c70 100644 --- a/pages.tr/linux/a2enmod.md +++ b/pages.tr/linux/a2enmod.md @@ -1,7 +1,7 @@ # a2enmod > Debian tabanlı işletim sistemlerinde Apache modülünü etkinleştir. -> Daha fazla bilgi için: . +> Daha fazla bilgi için: . - Bir modülü etkinleştir: diff --git a/pages.tr/linux/a2ensite.md b/pages.tr/linux/a2ensite.md index 3307014bd..fd0d8e41b 100644 --- a/pages.tr/linux/a2ensite.md +++ b/pages.tr/linux/a2ensite.md @@ -1,7 +1,7 @@ # a2ensite > Debian tabanlı işletim sistemlerinde Apache sanal hostu etkinleştir. -> Daha fazla bilgi için: . +> Daha fazla bilgi için: . - Bir sanal hostu etkinleştir: diff --git a/pages.tr/linux/a2query.md b/pages.tr/linux/a2query.md index 92ef15563..4578c57a3 100644 --- a/pages.tr/linux/a2query.md +++ b/pages.tr/linux/a2query.md @@ -1,7 +1,7 @@ # a2query > Apache ve Debian tabanlı işletim sistemlerinde çalışma süresi yapılandırmasını kurtar. -> Daha fazla bilgi için: . +> Daha fazla bilgi için: . - Etkinleştirilmiş Apache modüllerini sırala: diff --git a/pages.tr/linux/apt-get.md b/pages.tr/linux/apt-get.md index 60658f204..0590c0e45 100644 --- a/pages.tr/linux/apt-get.md +++ b/pages.tr/linux/apt-get.md @@ -2,7 +2,7 @@ > Debian ve Ubuntu paket yönetim aracı. > Paket aramak için `apt-cache` komutunu kullanın. -> Daha fazla bilgi için: . +> Daha fazla bilgi için: . - Kullanılabilir paket ve versiyon listesini güncelleyin (diğer `apt-get` komutlarını çalıştırmadan önce kullanmanız önerilir): diff --git a/pages.tr/linux/apt.md b/pages.tr/linux/apt.md index cda8fa912..3451f0bd7 100644 --- a/pages.tr/linux/apt.md +++ b/pages.tr/linux/apt.md @@ -2,7 +2,7 @@ > Debian tabanlı dağıtımlar için paket yönetim aracı. > Ubuntu 16.04 ve sonraki sürümlerde interaktif kullanıldığında `apt-get` için önerilen değiştirme. -> Daha fazla bilgi için: . +> Daha fazla bilgi için: . - Kullanılabilir paket ve versiyonların listesini yenile (Bu komutu diğer `apt` komutlarından önce kullanmanız önerilir): diff --git a/pages.tr/linux/aptitude.md b/pages.tr/linux/aptitude.md index 691c85483..db35e651b 100644 --- a/pages.tr/linux/aptitude.md +++ b/pages.tr/linux/aptitude.md @@ -1,7 +1,7 @@ # aptitude > Debian ve Ubuntu paket yönetim aracı. -> Daha fazla bilgi için: . +> Daha fazla bilgi için: . - Kullanılabilir paket ve sürüm listesini senkronize et. Bu, herhangi bir aptitude komutunu uygulamadan önce çalıştırılmalıdır: diff --git a/pages.tr/linux/ip-link.md b/pages.tr/linux/ip-link.md index 92b062c6f..1102d75c6 100644 --- a/pages.tr/linux/ip-link.md +++ b/pages.tr/linux/ip-link.md @@ -1,7 +1,7 @@ # ip link > Ağ arayüzlerini yönet. -> Daha fazla bilgi için: . +> Daha fazla bilgi için: . - Tüm ağ arayüzleriyle ilgili bilgileri göster: diff --git a/pages.tr/linux/ip-route-list.md b/pages.tr/linux/ip-route-list.md index cccb46f6f..179527433 100644 --- a/pages.tr/linux/ip-route-list.md +++ b/pages.tr/linux/ip-route-list.md @@ -1,6 +1,6 @@ -# ip-route-list +# ip route list -> Bu komut `ip-route-show` için bir takma addır. +> Bu komut `ip route show`.için bir takma addır. - Asıl komutun belgelerini görüntüleyin: diff --git a/pages.tr/linux/ip-rule.md b/pages.tr/linux/ip-rule.md index 8cc1341d8..ddd069212 100644 --- a/pages.tr/linux/ip-rule.md +++ b/pages.tr/linux/ip-rule.md @@ -1,7 +1,7 @@ # ip rule > IP yönlendirme politikası veri tabanı yönetimi. -> Daha fazla bilgi için: . +> Daha fazla bilgi için: . - Yönlendirme politikasını göster: diff --git a/pages.tr/linux/ip.md b/pages.tr/linux/ip.md index 00cba00b2..5b02cc694 100644 --- a/pages.tr/linux/ip.md +++ b/pages.tr/linux/ip.md @@ -2,7 +2,7 @@ > Yönlendirmeyi, aygıtları, kural yönlendirmesini ve tünelleri görüntüle / değiştir. > `ip address` gibi bazı alt komutların kendi kullanım belgeleri vardır. -> Daha fazla bilgi için: . +> Daha fazla bilgi için: . - Arayüzlerin bilgilerini ayrıntılı bir şekilde listele: diff --git a/pages.tr/linux/pulseaudio.md b/pages.tr/linux/pulseaudio.md index 9abd1abbd..bc6e39d41 100644 --- a/pages.tr/linux/pulseaudio.md +++ b/pages.tr/linux/pulseaudio.md @@ -11,7 +11,7 @@ `pulseaudio --start` -- Arkaplanda çalışan tüm pulseaudio uygulamalarını öldür: +- Arkaplanda çalışan tüm PulseAudio uygulamalarını öldür: `pulseaudio --kill` diff --git a/pages.tr/linux/pw-cli.md b/pages.tr/linux/pw-cli.md index 7e876735a..701095dbc 100644 --- a/pages.tr/linux/pw-cli.md +++ b/pages.tr/linux/pw-cli.md @@ -1,7 +1,7 @@ # pw-cli > Pipewire komut satır arayüzü. -> Daha fazla bilgi için: . +> Daha fazla bilgi için: . - Tüm düğümleri (taban ve kaynakları) ID'leri ile birlikte yazdır: diff --git a/pages.tr/linux/trash.md b/pages.tr/linux/trash.md index e422eadc3..f95454137 100644 --- a/pages.tr/linux/trash.md +++ b/pages.tr/linux/trash.md @@ -21,7 +21,7 @@ - Çöpü 10 gün öncesinden daha yeni atılan dosyalar hariç boşalt: -`trash-empty {{10}}` +`trash-empty 10` - Çöpte 'foo' ismini taşıyan tüm dosyaları sil: diff --git a/pages.tr/sunos/prstat.md b/pages.tr/sunos/prstat.md index 7b1d2f1c5..c6ea309da 100644 --- a/pages.tr/sunos/prstat.md +++ b/pages.tr/sunos/prstat.md @@ -21,4 +21,4 @@ - Saniye başı en çok CPU kullanan 5 işlemin listesini yazdır: -`prstat -c -n {{5}} -s cpu {{1}}` +`prstat -c -n 5 -s cpu 1` diff --git a/pages.uk/android/logcat.md b/pages.uk/android/logcat.md index 3646dd078..380670e47 100644 --- a/pages.uk/android/logcat.md +++ b/pages.uk/android/logcat.md @@ -17,8 +17,8 @@ - Вивести логи для специфічного процесу (PID): -`logcat --pid={{pid}}` +`logcat --pid {{pid}}` - Вивести логи для процесу специфічного пакету: -`logcat --pid=$(pidof -s {{пакет}})` +`logcat --pid $(pidof -s {{пакет}})` diff --git a/pages.uk/common/bundler.md b/pages.uk/common/bundler.md deleted file mode 100644 index 50eabe24a..000000000 --- a/pages.uk/common/bundler.md +++ /dev/null @@ -1,8 +0,0 @@ -# bundler - -> Ця команда є псевдонімом для `bundle`. -> Більше інформації: . - -- Дивись документацію для оригінальної команди: - -`tldr bundle` diff --git a/pages.uk/common/clamav.md b/pages.uk/common/clamav.md index 67cad0380..e41057275 100644 --- a/pages.uk/common/clamav.md +++ b/pages.uk/common/clamav.md @@ -1,4 +1,4 @@ -# clamav +# ClamAV > Ця команда є псевдонімом для `clamdscan`. > Більше інформації: . diff --git a/pages.uk/common/cron.md b/pages.uk/common/cron.md deleted file mode 100644 index 8215e67b1..000000000 --- a/pages.uk/common/cron.md +++ /dev/null @@ -1,7 +0,0 @@ -# cron - -> Ця команда є псевдонімом для `crontab`. - -- Дивись документацію для оригінальної команди: - -`tldr crontab` diff --git a/pages.uk/common/fossil-ci.md b/pages.uk/common/fossil-ci.md index 0fc67574d..ecf19d5c6 100644 --- a/pages.uk/common/fossil-ci.md +++ b/pages.uk/common/fossil-ci.md @@ -1,6 +1,6 @@ -# fossil-ci +# fossil ci -> Ця команда є псевдонімом для `fossil-commit`. +> Ця команда є псевдонімом для `fossil commit`. > Більше інформації: . - Дивись документацію для оригінальної команди: diff --git a/pages.uk/common/fossil-delete.md b/pages.uk/common/fossil-delete.md index dd111656f..d93e53f78 100644 --- a/pages.uk/common/fossil-delete.md +++ b/pages.uk/common/fossil-delete.md @@ -1,4 +1,4 @@ -# fossil-delete +# fossil delete > Ця команда є псевдонімом для `fossil rm`. > Більше інформації: . diff --git a/pages.uk/common/fossil-forget.md b/pages.uk/common/fossil-forget.md index 216d0fd1e..da9594f48 100644 --- a/pages.uk/common/fossil-forget.md +++ b/pages.uk/common/fossil-forget.md @@ -1,4 +1,4 @@ -# fossil-forget +# fossil forget > Ця команда є псевдонімом для `fossil rm`. > Більше інформації: . diff --git a/pages.uk/common/fossil-new.md b/pages.uk/common/fossil-new.md index f2a0c6d72..c733073c2 100644 --- a/pages.uk/common/fossil-new.md +++ b/pages.uk/common/fossil-new.md @@ -1,6 +1,6 @@ -# fossil-new +# fossil new -> Ця команда є псевдонімом для `fossil-init`. +> Ця команда є псевдонімом для `fossil init`. > Більше інформації: . - Дивись документацію для оригінальної команди: diff --git a/pages.uk/common/gh-cs.md b/pages.uk/common/gh-cs.md index 48e6f38b1..29b253818 100644 --- a/pages.uk/common/gh-cs.md +++ b/pages.uk/common/gh-cs.md @@ -1,6 +1,6 @@ -# gh-cs +# gh cs -> Ця команда є псевдонімом для `gh-codespace`. +> Ця команда є псевдонімом для `gh codespace`. > Більше інформації: . - Дивись документацію для оригінальної команди: diff --git a/pages.uk/common/gnmic-sub.md b/pages.uk/common/gnmic-sub.md index 6d6c3aab4..494034553 100644 --- a/pages.uk/common/gnmic-sub.md +++ b/pages.uk/common/gnmic-sub.md @@ -1,4 +1,4 @@ -# gnmic-sub +# gnmic sub > Ця команда є псевдонімом для `gnmic subscribe`. > Більше інформації: . diff --git a/pages.uk/common/google-chrome.md b/pages.uk/common/google-chrome.md deleted file mode 100644 index 21f5258ea..000000000 --- a/pages.uk/common/google-chrome.md +++ /dev/null @@ -1,8 +0,0 @@ -# google-chrome - -> Ця команда є псевдонімом для `chromium`. -> Більше інформації: . - -- Дивись документацію для оригінальної команди: - -`tldr chromium` diff --git a/pages.uk/common/hx.md b/pages.uk/common/hx.md deleted file mode 100644 index b4465888f..000000000 --- a/pages.uk/common/hx.md +++ /dev/null @@ -1,7 +0,0 @@ -# hx - -> Ця команда є псевдонімом для `helix`. - -- Дивись документацію для оригінальної команди: - -`tldr helix` diff --git a/pages.uk/common/kafkacat.md b/pages.uk/common/kafkacat.md deleted file mode 100644 index ce8b1b458..000000000 --- a/pages.uk/common/kafkacat.md +++ /dev/null @@ -1,7 +0,0 @@ -# kafkacat - -> Ця команда є псевдонімом для `kcat`. - -- Дивись документацію для оригінальної команди: - -`tldr kcat` diff --git a/pages.uk/common/lzcat.md b/pages.uk/common/lzcat.md deleted file mode 100644 index 8ea37f078..000000000 --- a/pages.uk/common/lzcat.md +++ /dev/null @@ -1,8 +0,0 @@ -# lzcat - -> Ця команда є псевдонімом для `xz`. -> Більше інформації: . - -- Дивись документацію для оригінальної команди: - -`tldr xz` diff --git a/pages.uk/common/lzma.md b/pages.uk/common/lzma.md deleted file mode 100644 index 92ff0a1d8..000000000 --- a/pages.uk/common/lzma.md +++ /dev/null @@ -1,8 +0,0 @@ -# lzma - -> Ця команда є псевдонімом для `xz`. -> Більше інформації: . - -- Дивись документацію для оригінальної команди: - -`tldr xz` diff --git a/pages.uk/common/nm-classic.md b/pages.uk/common/nm-classic.md deleted file mode 100644 index 2a45ff480..000000000 --- a/pages.uk/common/nm-classic.md +++ /dev/null @@ -1,7 +0,0 @@ -# nm-classic - -> Ця команда є псевдонімом для `nm`. - -- Дивись документацію для оригінальної команди: - -`tldr nm` diff --git a/pages.uk/common/ntl.md b/pages.uk/common/ntl.md deleted file mode 100644 index 9d0d32069..000000000 --- a/pages.uk/common/ntl.md +++ /dev/null @@ -1,8 +0,0 @@ -# ntl - -> Ця команда є псевдонімом для `netlify`. -> Більше інформації: . - -- Дивись документацію для оригінальної команди: - -`tldr netlify` diff --git a/pages.uk/common/pio-init.md b/pages.uk/common/pio-init.md index 7b3979156..40816cad2 100644 --- a/pages.uk/common/pio-init.md +++ b/pages.uk/common/pio-init.md @@ -1,4 +1,4 @@ -# pio-init +# pio init > Ця команда є псевдонімом для `pio project`. diff --git a/pages.uk/common/ptpython3.md b/pages.uk/common/ptpython3.md deleted file mode 100644 index 942f3b50f..000000000 --- a/pages.uk/common/ptpython3.md +++ /dev/null @@ -1,7 +0,0 @@ -# ptpython3 - -> Ця команда є псевдонімом для `ptpython`. - -- Дивись документацію для оригінальної команди: - -`tldr ptpython` diff --git a/pages.uk/common/python3.md b/pages.uk/common/python3.md deleted file mode 100644 index 24754fb7f..000000000 --- a/pages.uk/common/python3.md +++ /dev/null @@ -1,7 +0,0 @@ -# python3 - -> Ця команда є псевдонімом для `python`. - -- Дивись документацію для оригінальної команди: - -`tldr python` diff --git a/pages.uk/common/rcat.md b/pages.uk/common/rcat.md deleted file mode 100644 index 4708a83ce..000000000 --- a/pages.uk/common/rcat.md +++ /dev/null @@ -1,7 +0,0 @@ -# rcat - -> Ця команда є псевдонімом для `rc`. - -- Дивись документацію для оригінальної команди: - -`tldr rc` diff --git a/pages.uk/common/ripgrep.md b/pages.uk/common/ripgrep.md deleted file mode 100644 index e660513f5..000000000 --- a/pages.uk/common/ripgrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# ripgrep - -> Ця команда є псевдонімом для `rg`. - -- Дивись документацію для оригінальної команди: - -`tldr rg` diff --git a/pages.uk/common/tlmgr-arch.md b/pages.uk/common/tlmgr-arch.md index 1586c3cc9..f2469dce1 100644 --- a/pages.uk/common/tlmgr-arch.md +++ b/pages.uk/common/tlmgr-arch.md @@ -1,4 +1,4 @@ -# tlmgr-arch +# tlmgr arch > Ця команда є псевдонімом для `tlmgr platform`. > Більше інформації: . diff --git a/pages.uk/common/todoman.md b/pages.uk/common/todoman.md deleted file mode 100644 index 2703fb99a..000000000 --- a/pages.uk/common/todoman.md +++ /dev/null @@ -1,8 +0,0 @@ -# todoman - -> Ця команда є псевдонімом для `todo`. -> Більше інформації: . - -- Дивись документацію для оригінальної команди: - -`tldr todo` diff --git a/pages.uk/common/transmission.md b/pages.uk/common/transmission.md deleted file mode 100644 index 39dbf1979..000000000 --- a/pages.uk/common/transmission.md +++ /dev/null @@ -1,8 +0,0 @@ -# transmission - -> Ця команда є псевдонімом для `transmission-daemon`. -> Більше інформації: . - -- Дивись документацію для оригінальної команди: - -`tldr transmission-daemon` diff --git a/pages.uk/common/unlzma.md b/pages.uk/common/unlzma.md deleted file mode 100644 index 08f062185..000000000 --- a/pages.uk/common/unlzma.md +++ /dev/null @@ -1,8 +0,0 @@ -# unlzma - -> Ця команда є псевдонімом для `xz`. -> Більше інформації: . - -- Дивись документацію для оригінальної команди: - -`tldr xz` diff --git a/pages.uk/common/unxz.md b/pages.uk/common/unxz.md deleted file mode 100644 index aaf3f10df..000000000 --- a/pages.uk/common/unxz.md +++ /dev/null @@ -1,8 +0,0 @@ -# unxz - -> Ця команда є псевдонімом для `xz`. -> Більше інформації: . - -- Дивись документацію для оригінальної команди: - -`tldr xz` diff --git a/pages.uk/common/xzcat.md b/pages.uk/common/xzcat.md deleted file mode 100644 index 804710422..000000000 --- a/pages.uk/common/xzcat.md +++ /dev/null @@ -1,8 +0,0 @@ -# xzcat - -> Ця команда є псевдонімом для `xz`. -> Більше інформації: . - -- Дивись документацію для оригінальної команди: - -`tldr xz` diff --git a/pages.uk/linux/adduser.md b/pages.uk/linux/adduser.md new file mode 100644 index 000000000..405ca7a48 --- /dev/null +++ b/pages.uk/linux/adduser.md @@ -0,0 +1,24 @@ +# adduser + +> Утиліта додавання користувачів. +> Більше інформації: . + +- Створити нового користувача з домашнім каталогом за замовчуванням і попросити користувача встановити пароль: + +`adduser {{юзернейм}}` + +- Створити нового користувача без домашнього каталогу: + +`adduser --no-create-home {{юзернейм}}` + +- Створити нового користувача з домашнім каталогом за вказаним шляхом: + +`adduser --home {{шлях/до/дому}} {{юзернейм}}` + +- Створити нового користувача з указаною оболонкою, встановленою як оболонка входу: + +`adduser --shell {{шлях/до/оболонки}} {{юзернейм}}` + +- Створити нового користувача, що належить до вказаної групи: + +`adduser --ingroup {{група}} {{юзернейм}}` diff --git a/pages.uk/linux/alternatives.md b/pages.uk/linux/alternatives.md deleted file mode 100644 index d1e4fe587..000000000 --- a/pages.uk/linux/alternatives.md +++ /dev/null @@ -1,8 +0,0 @@ -# alternatives - -> Ця команда є псевдонімом для `update-alternatives`. -> Більше інформації: . - -- Дивись документацію для оригінальної команди: - -`tldr update-alternatives` diff --git a/pages.uk/linux/apt-add-repository.md b/pages.uk/linux/apt-add-repository.md new file mode 100644 index 000000000..84ee486d8 --- /dev/null +++ b/pages.uk/linux/apt-add-repository.md @@ -0,0 +1,20 @@ +# apt-add-repository + +> Керує взаємодією з репозиторіями `apt`. +> Більше інформації: . + +- Додайте новий репозиторій `apt`: + +`apt-add-repository {{репозиторій}}` + +- Видалити репозиторій `apt`: + +`apt-add-repository --remove {{репозиторій}}` + +- Оновити кеш пакетів після додавання репозиторію: + +`apt-add-repository --update {{репозиторій}}` + +- Увімкнути вихідні пакети: + +`apt-add-repository --enable-source {{репозиторій}}` diff --git a/pages.uk/linux/apt-cache.md b/pages.uk/linux/apt-cache.md index d41a2e82b..6dab1f3af 100644 --- a/pages.uk/linux/apt-cache.md +++ b/pages.uk/linux/apt-cache.md @@ -1,7 +1,7 @@ # apt-cache > Інструмент запиту пакетів Debian і Ubuntu. -> Більше інформації: . +> Більше інформації: . - Шукати пакет у ваших поточних джерелах: diff --git a/pages.uk/linux/apt-file.md b/pages.uk/linux/apt-file.md new file mode 100644 index 000000000..7e270688c --- /dev/null +++ b/pages.uk/linux/apt-file.md @@ -0,0 +1,20 @@ +# apt-file + +> Пошук файлів в пакетах `apt`, включно з тими, що ще не встановлені. +> Більше інформації: . + +- Оновити базу метаданих: + +`sudo apt update` + +- Пошук пакетів, які містять вказаний файл або шлях: + +`apt-file {{search|find}} {{частковий_шлях/до/файлу}}` + +- Список вмісту конкретного пакета: + +`apt-file {{show|list}} {{пакет}}` + +- Пошук пакетів, які відповідають `регулярному_виразу`: + +`apt-file {{search|find}} --regexp {{регулярний_вираз}}` diff --git a/pages.uk/linux/apt-get.md b/pages.uk/linux/apt-get.md index 752f20984..50f7999af 100644 --- a/pages.uk/linux/apt-get.md +++ b/pages.uk/linux/apt-get.md @@ -2,7 +2,7 @@ > Утиліта керування пакетами Debian і Ubuntu. > Шукати пакети за допомогою `apt-cache`. -> Більше інформації: . +> Більше інформації: . - Оновити список доступних пакетів і версій (рекомендується запускати це перед іншими командами `apt-get`): diff --git a/pages.uk/linux/apt-key.md b/pages.uk/linux/apt-key.md new file mode 100644 index 000000000..9f6c34538 --- /dev/null +++ b/pages.uk/linux/apt-key.md @@ -0,0 +1,25 @@ +# apt-key + +> Утиліта керування ключами для диспетчера пакетів APT в Debian та Ubuntu. +> Примітка: `apt-key` застарілий (за винятком використання `apt-key del` у сценаріях підтримки). +> Більше інформації: . + +- Список довірених ключів: + +`apt-key list` + +- Додати ключ до довіреного сховища ключів: + +`apt-key add {{public_key_file.asc}}` + +- Видалити ключ з довіреного сховища ключів: + +`apt-key del {{key_id}}` + +- Додайте віддалений ключ до надійного сховища ключів: + +`wget -qO - {{https://host.tld/filename.key}} | apt-key add -` + +- Додати ключ із сервера ключів лише з ідентифікатором ключа: + +`apt-key adv --keyserver {{pgp.mit.edu}} --recv {{KEYID}}` diff --git a/pages.uk/linux/apt-moo.md b/pages.uk/linux/apt-moo.md index a9292b17d..b06fc8fa7 100644 --- a/pages.uk/linux/apt-moo.md +++ b/pages.uk/linux/apt-moo.md @@ -1,8 +1,8 @@ # apt moo > Пасхалка від менеджеру пакетів `APT`. -> Більше інформації: . +> Більше інформації: . -- Друкує коров'ячу пасхалку: +- Друкує пасхалку з коровою: `apt moo` diff --git a/pages.uk/linux/apt.md b/pages.uk/linux/apt.md index cd23bfd69..140ed6631 100644 --- a/pages.uk/linux/apt.md +++ b/pages.uk/linux/apt.md @@ -3,7 +3,7 @@ > Утиліта керування пакетами для дистрибутивів на основі Debian. > Рекомендована заміна для `apt-get` при інтерактивному використанні в Ubuntu версії 16.04 і пізніших. > Еквівалентні команди в інших менеджерах пакунків дивитися . -> Більше інформації: . +> Більше інформації: . - Оновити список доступних пакетів і версій (рекомендується запускати це перед іншими командами `apt`): diff --git a/pages.uk/linux/aptitude.md b/pages.uk/linux/aptitude.md index 43cad2941..19069e998 100644 --- a/pages.uk/linux/aptitude.md +++ b/pages.uk/linux/aptitude.md @@ -1,7 +1,7 @@ # aptitude > Утиліта керування пакетами Debian і Ubuntu. -> Більше інформації: . +> Більше інформації: . - Синхронізувати список доступних пакетів і версій. Це слід запустити спочатку, перш ніж запускати наступні команди aptitude: diff --git a/pages.uk/linux/batcat.md b/pages.uk/linux/batcat.md deleted file mode 100644 index 6a49ad481..000000000 --- a/pages.uk/linux/batcat.md +++ /dev/null @@ -1,8 +0,0 @@ -# batcat - -> Ця команда є псевдонімом для `bat`. -> Більше інформації: . - -- Дивись документацію для оригінальної команди: - -`tldr bat` diff --git a/pages.uk/linux/bspwm.md b/pages.uk/linux/bspwm.md deleted file mode 100644 index 9bc38565e..000000000 --- a/pages.uk/linux/bspwm.md +++ /dev/null @@ -1,8 +0,0 @@ -# bspwm - -> Ця команда є псевдонімом для `bspc`. -> Більше інформації: . - -- Дивись документацію для оригінальної команди: - -`tldr bspc` diff --git a/pages.uk/linux/cat.md b/pages.uk/linux/cat.md new file mode 100644 index 000000000..068bad43a --- /dev/null +++ b/pages.uk/linux/cat.md @@ -0,0 +1,28 @@ +# cat + +> Зчитування та об'єднання файлів. +> Більше інформації: . + +- Вивести вміст файлу в `stdout`: + +`cat {{шлях/до/файлу}}` + +- Об’єднати кілька файлів у вихідний файл: + +`cat {{шлях/до/файлу1 шлях/до/файлу2 ...}} > {{шлях/до/вихідного_файлу}}` + +- Додайте кілька файлів до вихідного файлу: + +`cat {{шлях/до/файлу1 шлях/до/файлу2 ...}} >> {{шлях/до/вихідного_файлу}}` + +- Записати `stdin` у файл: + +`cat - > {{шлях/до/файлу}}` + +- Пронумерувати всі вихідні рядки: + +`cat -n {{шлях/до/файлу}}` + +- Відобразити недруковані символи та пробіли (з префіксом `M-`, якщо не ASCII): + +`cat -v -t -e {{шлях/до/файлу}}` diff --git a/pages.uk/linux/cc.md b/pages.uk/linux/cc.md deleted file mode 100644 index 8d3e2aa86..000000000 --- a/pages.uk/linux/cc.md +++ /dev/null @@ -1,8 +0,0 @@ -# cc - -> Ця команда є псевдонімом для `gcc`. -> Більше інформації: . - -- Дивись документацію для оригінальної команди: - -`tldr gcc` diff --git a/pages.uk/linux/cgroups.md b/pages.uk/linux/cgroups.md deleted file mode 100644 index 4d7cdf0d7..000000000 --- a/pages.uk/linux/cgroups.md +++ /dev/null @@ -1,8 +0,0 @@ -# cgroups - -> Ця команда є псевдонімом для `cgclassify`. -> Більше інформації: . - -- Дивись документацію для оригінальної команди: - -`tldr cgclassify` diff --git a/pages.uk/linux/dpkg-reconfigure.md b/pages.uk/linux/dpkg-reconfigure.md index a50cc8140..07ed79a24 100644 --- a/pages.uk/linux/dpkg-reconfigure.md +++ b/pages.uk/linux/dpkg-reconfigure.md @@ -1,7 +1,7 @@ # dpkg-reconfigure > Змінює конфігурацію вже встановленого пакету. -> Більше інформації: . +> Більше інформації: . - Змінити конфігурацію одного або декількох пакетів: diff --git a/pages.uk/linux/help.md b/pages.uk/linux/help.md new file mode 100644 index 000000000..8eab01fa6 --- /dev/null +++ b/pages.uk/linux/help.md @@ -0,0 +1,28 @@ +# help + +> Відображення інформації про вбудовані команди Bash. +> Більше інформації: . + +- Показати повний список вбудованих команд: + +`help` + +- Надрукувати інструкції щодо використання конструкції циклу `while`: + +`help while` + +- Надрукувати інструкції щодо використання конструкції циклу `for`: + +`help for` + +- Надрукуйте інструкції щодо використання `[[ ]]` для умовних команд: + +`help [[ ]]` + +- Надрукувати інструкцію щодо використання `(( ))` для обчислення математичних виразів: + +`help \( \)` + +- Надрукувати інструкції щодо використання команди `cd`: + +`help cd` diff --git a/pages.uk/linux/ip-route-list.md b/pages.uk/linux/ip-route-list.md index 8767b962e..62d322023 100644 --- a/pages.uk/linux/ip-route-list.md +++ b/pages.uk/linux/ip-route-list.md @@ -1,6 +1,6 @@ -# ip-route-list +# ip route list -> Ця команда є псевдонімом для `ip-route-show`. +> Ця команда є псевдонімом для `ip route show`. - Дивись документацію для оригінальної команди: diff --git a/pages.uk/linux/locale.md b/pages.uk/linux/locale.md new file mode 100644 index 000000000..3fd20a571 --- /dev/null +++ b/pages.uk/linux/locale.md @@ -0,0 +1,20 @@ +# locale + +> Отримайте інформацію, що стосується локалізації. +> Більше інформації: . + +- Список усіх глобальних змінних середовища, що описують локалізацію користувача: + +`locale` + +- Список всії наявних локалізацій: + +`locale --all-locales` + +- Показати всі доступні локалізації та пов'язані метадані: + +`locale --all-locales --verbose` + +- Відображення поточного формату дати: + +`locale date_fmt` diff --git a/pages.uk/linux/megadl.md b/pages.uk/linux/megadl.md deleted file mode 100644 index 818e36866..000000000 --- a/pages.uk/linux/megadl.md +++ /dev/null @@ -1,8 +0,0 @@ -# megadl - -> Ця команда є псевдонімом для `megatools-dl`. -> Більше інформації: . - -- Дивись документацію для оригінальної команди: - -`tldr megatools-dl` diff --git a/pages.uk/linux/nala.md b/pages.uk/linux/nala.md new file mode 100644 index 000000000..0ae8c9ab3 --- /dev/null +++ b/pages.uk/linux/nala.md @@ -0,0 +1,37 @@ +# nala + +> Утиліта керування пакетами з кращим форматуванням. +> Фронтенд для API `python-apt`. +> Більше інформації: . + +- Встановити пакет або оновити його до останньої версії: + +`sudo nala install {{пакет}}` + +- Видалити пакет: + +`sudo nala remove {{пакет}}` + +- Видалити пакет та його конфігураційні файли: + +`nala purge {{пакет}}` + +- Пошук назв пакетів і описів за допомогою слова, регулярного виразу (за замовчуванням) або glob: + +`nala search "{{паттерн}}"` + +- Оновити список доступних пакетів та оновити систему: + +`sudo nala upgrade` + +- Видалити усі невикористовувані пакети та залежності з вашої системи: + +`sudo nala autoremove` + +- Отримати швидші дзеркала, щоб покращити швидкість завантаження: + +`sudo nala fetch` + +- Показати історію всіх транзакцій: + +`nala history` diff --git a/pages.uk/linux/rm.md b/pages.uk/linux/rm.md new file mode 100644 index 000000000..6a9e97633 --- /dev/null +++ b/pages.uk/linux/rm.md @@ -0,0 +1,25 @@ +# rm + +> Видалити файли або директорії. +> Дивіться також: `rmdir`. +> Більше інформації: . + +- Видалити певні файли: + +`rm {{шлях/до/файлу1 шлях/до/файлу2 ...}}` + +- Видалити певні файли, ігноруючи неіснуючі: + +`rm --force {{шлях/до/файлу1 шлях/до/файлу2 ...}}` + +- Видалити певні файли інтерактивно запитуючи перед кожним видаленням: + +`rm --interactive {{шлях/до/файлу1 шлях/до/файлу2 ...}}` + +- Видалити певні файли, друкуючи інформацію про кожне видалення: + +`rm --verbose {{шлях/до/файлу1 шлях/до/файлу2 ...}}` + +- Видалити певні файли та директорії рекурсивно: + +`rm --recursive {{шлях/до/файлу_або_папки1 шлях/до/файлу_або_папки2 ...}}` diff --git a/pages.uk/linux/rpi-eeprom-update.md b/pages.uk/linux/rpi-eeprom-update.md new file mode 100644 index 000000000..d2bb95b4c --- /dev/null +++ b/pages.uk/linux/rpi-eeprom-update.md @@ -0,0 +1,20 @@ +# rpi-eeprom-update + +> Оновити EEPROM та переглянути іншу інформацію про EEPROM. +> Більше інформації: . + +- Переглянути інформацію про поточний встановлений EEPROM raspberry pi: + +`sudo rpi-eeprom-update` + +- Оновити Raspberry Pi EEPROM: + +`sudo rpi-eeprom-update -a` + +- Скасувати незавершене оновлення: + +`sudo rpi-eeprom-update -r` + +- Показати довідку: + +`rpi-eeprom-update -h` diff --git a/pages.uk/linux/sleep.md b/pages.uk/linux/sleep.md new file mode 100644 index 000000000..c66e33c6d --- /dev/null +++ b/pages.uk/linux/sleep.md @@ -0,0 +1,20 @@ +# sleep + +> Затримка на певний час. +> Більше інформації: . + +- Затримка в секундах: + +`sleep {{секунди}}` + +- Затримка в хвилинах (також можна використовувати інші одиниці ([д]ень, [г]одина, [с]екунда, вічність): + +`sleep {{хвилини}}m` + +- Затримка на 1 день 3 години: + +`sleep 1d 3h` + +- Виконати певну команду через 20 хвилин затримки: + +`sleep 20m && {{command}}` diff --git a/pages.uk/linux/ubuntu-bug.md b/pages.uk/linux/ubuntu-bug.md deleted file mode 100644 index 73ef51975..000000000 --- a/pages.uk/linux/ubuntu-bug.md +++ /dev/null @@ -1,8 +0,0 @@ -# ubuntu-bug - -> Ця команда є псевдонімом для `apport-bug`. -> Більше інформації: . - -- Дивись документацію для оригінальної команди: - -`tldr apport-bug` diff --git a/pages.uk/osx/aa.md b/pages.uk/osx/aa.md deleted file mode 100644 index 211917676..000000000 --- a/pages.uk/osx/aa.md +++ /dev/null @@ -1,7 +0,0 @@ -# aa - -> Ця команда є псевдонімом для `yaa`. - -- Дивись документацію для оригінальної команди: - -`tldr yaa` diff --git a/pages.uk/osx/g[.md b/pages.uk/osx/g[.md deleted file mode 100644 index e88a71f5a..000000000 --- a/pages.uk/osx/g[.md +++ /dev/null @@ -1,7 +0,0 @@ -# g[ - -> Ця команда є псевдонімом для `-p linux [`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux [` diff --git a/pages.uk/osx/gawk.md b/pages.uk/osx/gawk.md deleted file mode 100644 index 2547641ba..000000000 --- a/pages.uk/osx/gawk.md +++ /dev/null @@ -1,7 +0,0 @@ -# gawk - -> Ця команда є псевдонімом для `-p linux awk`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux awk` diff --git a/pages.uk/osx/gb2sum.md b/pages.uk/osx/gb2sum.md deleted file mode 100644 index 6dc7c9288..000000000 --- a/pages.uk/osx/gb2sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gb2sum - -> Ця команда є псевдонімом для `-p linux b2sum`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux b2sum` diff --git a/pages.uk/osx/gbase32.md b/pages.uk/osx/gbase32.md deleted file mode 100644 index bb0eca318..000000000 --- a/pages.uk/osx/gbase32.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbase32 - -> Ця команда є псевдонімом для `-p linux base32`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux base32` diff --git a/pages.uk/osx/gbase64.md b/pages.uk/osx/gbase64.md deleted file mode 100644 index 19d703f48..000000000 --- a/pages.uk/osx/gbase64.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbase64 - -> Ця команда є псевдонімом для `-p linux base64`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux base64` diff --git a/pages.uk/osx/gbasename.md b/pages.uk/osx/gbasename.md deleted file mode 100644 index 8abd22357..000000000 --- a/pages.uk/osx/gbasename.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbasename - -> Ця команда є псевдонімом для `-p linux basename`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux basename` diff --git a/pages.uk/osx/gbasenc.md b/pages.uk/osx/gbasenc.md deleted file mode 100644 index a9930ed55..000000000 --- a/pages.uk/osx/gbasenc.md +++ /dev/null @@ -1,7 +0,0 @@ -# gbasenc - -> Ця команда є псевдонімом для `-p linux basenc`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux basenc` diff --git a/pages.uk/osx/gcat.md b/pages.uk/osx/gcat.md deleted file mode 100644 index 4891f5e8a..000000000 --- a/pages.uk/osx/gcat.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcat - -> Ця команда є псевдонімом для `-p linux cat`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux cat` diff --git a/pages.uk/osx/gchcon.md b/pages.uk/osx/gchcon.md deleted file mode 100644 index e30e070b5..000000000 --- a/pages.uk/osx/gchcon.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchcon - -> Ця команда є псевдонімом для `-p linux chcon`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux chcon` diff --git a/pages.uk/osx/gchgrp.md b/pages.uk/osx/gchgrp.md deleted file mode 100644 index 54ad9d2ca..000000000 --- a/pages.uk/osx/gchgrp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchgrp - -> Ця команда є псевдонімом для `-p linux chgrp`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux chgrp` diff --git a/pages.uk/osx/gchmod.md b/pages.uk/osx/gchmod.md deleted file mode 100644 index d006f25d9..000000000 --- a/pages.uk/osx/gchmod.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchmod - -> Ця команда є псевдонімом для `-p linux chmod`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux chmod` diff --git a/pages.uk/osx/gchown.md b/pages.uk/osx/gchown.md deleted file mode 100644 index 66dc83b25..000000000 --- a/pages.uk/osx/gchown.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchown - -> Ця команда є псевдонімом для `-p linux chown`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux chown` diff --git a/pages.uk/osx/gchroot.md b/pages.uk/osx/gchroot.md deleted file mode 100644 index 549edbb9e..000000000 --- a/pages.uk/osx/gchroot.md +++ /dev/null @@ -1,7 +0,0 @@ -# gchroot - -> Ця команда є псевдонімом для `-p linux chroot`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux chroot` diff --git a/pages.uk/osx/gcksum.md b/pages.uk/osx/gcksum.md deleted file mode 100644 index cafaad8d4..000000000 --- a/pages.uk/osx/gcksum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcksum - -> Ця команда є псевдонімом для `-p linux cksum`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux cksum` diff --git a/pages.uk/osx/gcomm.md b/pages.uk/osx/gcomm.md deleted file mode 100644 index 6080068ee..000000000 --- a/pages.uk/osx/gcomm.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcomm - -> Ця команда є псевдонімом для `-p linux comm`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux comm` diff --git a/pages.uk/osx/gcp.md b/pages.uk/osx/gcp.md deleted file mode 100644 index 8fde3ae0f..000000000 --- a/pages.uk/osx/gcp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcp - -> Ця команда є псевдонімом для `-p linux cp`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux cp` diff --git a/pages.uk/osx/gcsplit.md b/pages.uk/osx/gcsplit.md deleted file mode 100644 index c84ef6ace..000000000 --- a/pages.uk/osx/gcsplit.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcsplit - -> Ця команда є псевдонімом для `-p linux csplit`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux csplit` diff --git a/pages.uk/osx/gcut.md b/pages.uk/osx/gcut.md deleted file mode 100644 index feadefe57..000000000 --- a/pages.uk/osx/gcut.md +++ /dev/null @@ -1,7 +0,0 @@ -# gcut - -> Ця команда є псевдонімом для `-p linux cut`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux cut` diff --git a/pages.uk/osx/gdate.md b/pages.uk/osx/gdate.md deleted file mode 100644 index 2b5dbeb28..000000000 --- a/pages.uk/osx/gdate.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdate - -> Ця команда є псевдонімом для `-p linux date`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux date` diff --git a/pages.uk/osx/gdd.md b/pages.uk/osx/gdd.md deleted file mode 100644 index a5e04c9aa..000000000 --- a/pages.uk/osx/gdd.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdd - -> Ця команда є псевдонімом для `-p linux dd`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux dd` diff --git a/pages.uk/osx/gdf.md b/pages.uk/osx/gdf.md deleted file mode 100644 index cbd5df964..000000000 --- a/pages.uk/osx/gdf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdf - -> Ця команда є псевдонімом для `-p linux df`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux df` diff --git a/pages.uk/osx/gdir.md b/pages.uk/osx/gdir.md deleted file mode 100644 index 108e00a80..000000000 --- a/pages.uk/osx/gdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdir - -> Ця команда є псевдонімом для `-p linux dir`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux dir` diff --git a/pages.uk/osx/gdircolors.md b/pages.uk/osx/gdircolors.md deleted file mode 100644 index 552d61e46..000000000 --- a/pages.uk/osx/gdircolors.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdircolors - -> Ця команда є псевдонімом для `-p linux dircolors`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux dircolors` diff --git a/pages.uk/osx/gdirname.md b/pages.uk/osx/gdirname.md deleted file mode 100644 index c190dc247..000000000 --- a/pages.uk/osx/gdirname.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdirname - -> Ця команда є псевдонімом для `-p linux dirname`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux dirname` diff --git a/pages.uk/osx/gdnsdomainname.md b/pages.uk/osx/gdnsdomainname.md deleted file mode 100644 index eb71ea4a6..000000000 --- a/pages.uk/osx/gdnsdomainname.md +++ /dev/null @@ -1,7 +0,0 @@ -# gdnsdomainname - -> Ця команда є псевдонімом для `-p linux dnsdomainname`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux dnsdomainname` diff --git a/pages.uk/osx/gecho.md b/pages.uk/osx/gecho.md deleted file mode 100644 index 4016e3fee..000000000 --- a/pages.uk/osx/gecho.md +++ /dev/null @@ -1,7 +0,0 @@ -# gecho - -> Ця команда є псевдонімом для `-p linux echo`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux echo` diff --git a/pages.uk/osx/ged.md b/pages.uk/osx/ged.md deleted file mode 100644 index 9a39d0cc5..000000000 --- a/pages.uk/osx/ged.md +++ /dev/null @@ -1,7 +0,0 @@ -# ged - -> Ця команда є псевдонімом для `-p linux ed`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux ed` diff --git a/pages.uk/osx/gegrep.md b/pages.uk/osx/gegrep.md deleted file mode 100644 index 2b3e3fd85..000000000 --- a/pages.uk/osx/gegrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# gegrep - -> Ця команда є псевдонімом для `-p linux egrep`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux egrep` diff --git a/pages.uk/osx/genv.md b/pages.uk/osx/genv.md deleted file mode 100644 index 5d9340da4..000000000 --- a/pages.uk/osx/genv.md +++ /dev/null @@ -1,7 +0,0 @@ -# genv - -> Ця команда є псевдонімом для `-p linux env`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux env` diff --git a/pages.uk/osx/gexpand.md b/pages.uk/osx/gexpand.md deleted file mode 100644 index 7bdc79564..000000000 --- a/pages.uk/osx/gexpand.md +++ /dev/null @@ -1,7 +0,0 @@ -# gexpand - -> Ця команда є псевдонімом для `-p linux expand`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux expand` diff --git a/pages.uk/osx/gexpr.md b/pages.uk/osx/gexpr.md deleted file mode 100644 index 74732999b..000000000 --- a/pages.uk/osx/gexpr.md +++ /dev/null @@ -1,7 +0,0 @@ -# gexpr - -> Ця команда є псевдонімом для `-p linux expr`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux expr` diff --git a/pages.uk/osx/gfactor.md b/pages.uk/osx/gfactor.md deleted file mode 100644 index a0dd002a1..000000000 --- a/pages.uk/osx/gfactor.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfactor - -> Ця команда є псевдонімом для `-p linux factor`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux factor` diff --git a/pages.uk/osx/gfalse.md b/pages.uk/osx/gfalse.md deleted file mode 100644 index 94ba3d470..000000000 --- a/pages.uk/osx/gfalse.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfalse - -> Ця команда є псевдонімом для `-p linux false`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux false` diff --git a/pages.uk/osx/gfgrep.md b/pages.uk/osx/gfgrep.md deleted file mode 100644 index 6789203b9..000000000 --- a/pages.uk/osx/gfgrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfgrep - -> Ця команда є псевдонімом для `-p linux fgrep`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux fgrep` diff --git a/pages.uk/osx/gfind.md b/pages.uk/osx/gfind.md deleted file mode 100644 index c41825e87..000000000 --- a/pages.uk/osx/gfind.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfind - -> Ця команда є псевдонімом для `-p linux find`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux find` diff --git a/pages.uk/osx/gfmt.md b/pages.uk/osx/gfmt.md deleted file mode 100644 index 8f5ea5d30..000000000 --- a/pages.uk/osx/gfmt.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfmt - -> Ця команда є псевдонімом для `-p linux fmt`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux fmt` diff --git a/pages.uk/osx/gfold.md b/pages.uk/osx/gfold.md deleted file mode 100644 index f1b716aa8..000000000 --- a/pages.uk/osx/gfold.md +++ /dev/null @@ -1,7 +0,0 @@ -# gfold - -> Ця команда є псевдонімом для `-p linux fold`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux fold` diff --git a/pages.uk/osx/gftp.md b/pages.uk/osx/gftp.md deleted file mode 100644 index 92a973def..000000000 --- a/pages.uk/osx/gftp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gftp - -> Ця команда є псевдонімом для `-p linux ftp`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux ftp` diff --git a/pages.uk/osx/ggrep.md b/pages.uk/osx/ggrep.md deleted file mode 100644 index 9436ca7f6..000000000 --- a/pages.uk/osx/ggrep.md +++ /dev/null @@ -1,7 +0,0 @@ -# ggrep - -> Ця команда є псевдонімом для `-p linux grep`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux grep` diff --git a/pages.uk/osx/ggroups.md b/pages.uk/osx/ggroups.md deleted file mode 100644 index 360c5dfea..000000000 --- a/pages.uk/osx/ggroups.md +++ /dev/null @@ -1,7 +0,0 @@ -# ggroups - -> Ця команда є псевдонімом для `-p linux groups`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux groups` diff --git a/pages.uk/osx/ghead.md b/pages.uk/osx/ghead.md deleted file mode 100644 index 964ec6e80..000000000 --- a/pages.uk/osx/ghead.md +++ /dev/null @@ -1,7 +0,0 @@ -# ghead - -> Ця команда є псевдонімом для `-p linux head`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux head` diff --git a/pages.uk/osx/ghostid.md b/pages.uk/osx/ghostid.md deleted file mode 100644 index 304932f10..000000000 --- a/pages.uk/osx/ghostid.md +++ /dev/null @@ -1,7 +0,0 @@ -# ghostid - -> Ця команда є псевдонімом для `-p linux hostid`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux hostid` diff --git a/pages.uk/osx/ghostname.md b/pages.uk/osx/ghostname.md deleted file mode 100644 index 4394523e5..000000000 --- a/pages.uk/osx/ghostname.md +++ /dev/null @@ -1,7 +0,0 @@ -# ghostname - -> Ця команда є псевдонімом для `-p linux hostname`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux hostname` diff --git a/pages.uk/osx/gid.md b/pages.uk/osx/gid.md deleted file mode 100644 index 9e7256906..000000000 --- a/pages.uk/osx/gid.md +++ /dev/null @@ -1,7 +0,0 @@ -# gid - -> Ця команда є псевдонімом для `-p linux id`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux id` diff --git a/pages.uk/osx/gifconfig.md b/pages.uk/osx/gifconfig.md deleted file mode 100644 index 4c05f800c..000000000 --- a/pages.uk/osx/gifconfig.md +++ /dev/null @@ -1,7 +0,0 @@ -# gifconfig - -> Ця команда є псевдонімом для `-p linux ifconfig`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux ifconfig` diff --git a/pages.uk/osx/gindent.md b/pages.uk/osx/gindent.md deleted file mode 100644 index da5107c35..000000000 --- a/pages.uk/osx/gindent.md +++ /dev/null @@ -1,7 +0,0 @@ -# gindent - -> Ця команда є псевдонімом для `-p linux indent`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux indent` diff --git a/pages.uk/osx/ginstall.md b/pages.uk/osx/ginstall.md deleted file mode 100644 index 35d343fb7..000000000 --- a/pages.uk/osx/ginstall.md +++ /dev/null @@ -1,7 +0,0 @@ -# ginstall - -> Ця команда є псевдонімом для `-p linux install`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux install` diff --git a/pages.uk/osx/gjoin.md b/pages.uk/osx/gjoin.md deleted file mode 100644 index 3b9eacc09..000000000 --- a/pages.uk/osx/gjoin.md +++ /dev/null @@ -1,7 +0,0 @@ -# gjoin - -> Ця команда є псевдонімом для `-p linux join`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux join` diff --git a/pages.uk/osx/gkill.md b/pages.uk/osx/gkill.md deleted file mode 100644 index ac69f0787..000000000 --- a/pages.uk/osx/gkill.md +++ /dev/null @@ -1,7 +0,0 @@ -# gkill - -> Ця команда є псевдонімом для `-p linux kill`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux kill` diff --git a/pages.uk/osx/glibtool.md b/pages.uk/osx/glibtool.md deleted file mode 100644 index 895bd1089..000000000 --- a/pages.uk/osx/glibtool.md +++ /dev/null @@ -1,7 +0,0 @@ -# glibtool - -> Ця команда є псевдонімом для `-p linux libtool`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux libtool` diff --git a/pages.uk/osx/glibtoolize.md b/pages.uk/osx/glibtoolize.md deleted file mode 100644 index d9bd89a11..000000000 --- a/pages.uk/osx/glibtoolize.md +++ /dev/null @@ -1,7 +0,0 @@ -# glibtoolize - -> Ця команда є псевдонімом для `-p linux libtoolize`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux libtoolize` diff --git a/pages.uk/osx/glink.md b/pages.uk/osx/glink.md deleted file mode 100644 index 7fdfa1d5e..000000000 --- a/pages.uk/osx/glink.md +++ /dev/null @@ -1,7 +0,0 @@ -# glink - -> Ця команда є псевдонімом для `-p linux link`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux link` diff --git a/pages.uk/osx/gln.md b/pages.uk/osx/gln.md deleted file mode 100644 index 541f3f086..000000000 --- a/pages.uk/osx/gln.md +++ /dev/null @@ -1,7 +0,0 @@ -# gln - -> Ця команда є псевдонімом для `-p linux ln`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux ln` diff --git a/pages.uk/osx/glocate.md b/pages.uk/osx/glocate.md deleted file mode 100644 index 8493e6d9b..000000000 --- a/pages.uk/osx/glocate.md +++ /dev/null @@ -1,7 +0,0 @@ -# glocate - -> Ця команда є псевдонімом для `-p linux locate`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux locate` diff --git a/pages.uk/osx/glogger.md b/pages.uk/osx/glogger.md deleted file mode 100644 index 240c50a01..000000000 --- a/pages.uk/osx/glogger.md +++ /dev/null @@ -1,7 +0,0 @@ -# glogger - -> Ця команда є псевдонімом для `-p linux logger`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux logger` diff --git a/pages.uk/osx/glogname.md b/pages.uk/osx/glogname.md deleted file mode 100644 index bcc1d46d1..000000000 --- a/pages.uk/osx/glogname.md +++ /dev/null @@ -1,7 +0,0 @@ -# glogname - -> Ця команда є псевдонімом для `-p linux logname`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux logname` diff --git a/pages.uk/osx/gls.md b/pages.uk/osx/gls.md deleted file mode 100644 index aad415ae9..000000000 --- a/pages.uk/osx/gls.md +++ /dev/null @@ -1,7 +0,0 @@ -# gls - -> Ця команда є псевдонімом для `-p linux ls`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux ls` diff --git a/pages.uk/osx/gmake.md b/pages.uk/osx/gmake.md deleted file mode 100644 index 78bc10cfd..000000000 --- a/pages.uk/osx/gmake.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmake - -> Ця команда є псевдонімом для `-p linux make`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux make` diff --git a/pages.uk/osx/gmd5sum.md b/pages.uk/osx/gmd5sum.md deleted file mode 100644 index 1c4ba4115..000000000 --- a/pages.uk/osx/gmd5sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmd5sum - -> Ця команда є псевдонімом для `-p linux md5sum`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux md5sum` diff --git a/pages.uk/osx/gmkdir.md b/pages.uk/osx/gmkdir.md deleted file mode 100644 index 17592404e..000000000 --- a/pages.uk/osx/gmkdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmkdir - -> Ця команда є псевдонімом для `-p linux mkdir`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux mkdir` diff --git a/pages.uk/osx/gmkfifo.md b/pages.uk/osx/gmkfifo.md deleted file mode 100644 index 41acbc111..000000000 --- a/pages.uk/osx/gmkfifo.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmkfifo - -> Ця команда є псевдонімом для `-p linux mkfifo`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux mkfifo` diff --git a/pages.uk/osx/gmknod.md b/pages.uk/osx/gmknod.md deleted file mode 100644 index 24a410161..000000000 --- a/pages.uk/osx/gmknod.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmknod - -> Ця команда є псевдонімом для `-p linux mknod`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux mknod` diff --git a/pages.uk/osx/gmktemp.md b/pages.uk/osx/gmktemp.md deleted file mode 100644 index a98c8a38e..000000000 --- a/pages.uk/osx/gmktemp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmktemp - -> Ця команда є псевдонімом для `-p linux mktemp`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux mktemp` diff --git a/pages.uk/osx/gmv.md b/pages.uk/osx/gmv.md deleted file mode 100644 index 9ef7c26ed..000000000 --- a/pages.uk/osx/gmv.md +++ /dev/null @@ -1,7 +0,0 @@ -# gmv - -> Ця команда є псевдонімом для `-p linux mv`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux mv` diff --git a/pages.uk/osx/gnice.md b/pages.uk/osx/gnice.md deleted file mode 100644 index 4a4c09bcd..000000000 --- a/pages.uk/osx/gnice.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnice - -> Ця команда є псевдонімом для `-p linux nice`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux nice` diff --git a/pages.uk/osx/gnl.md b/pages.uk/osx/gnl.md deleted file mode 100644 index 96c9c7b31..000000000 --- a/pages.uk/osx/gnl.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnl - -> Ця команда є псевдонімом для `-p linux nl`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux nl` diff --git a/pages.uk/osx/gnohup.md b/pages.uk/osx/gnohup.md deleted file mode 100644 index f23f4ab08..000000000 --- a/pages.uk/osx/gnohup.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnohup - -> Ця команда є псевдонімом для `-p linux nohup`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux nohup` diff --git a/pages.uk/osx/gnproc.md b/pages.uk/osx/gnproc.md deleted file mode 100644 index c2f64329c..000000000 --- a/pages.uk/osx/gnproc.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnproc - -> Ця команда є псевдонімом для `-p linux nproc`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux nproc` diff --git a/pages.uk/osx/gnumfmt.md b/pages.uk/osx/gnumfmt.md deleted file mode 100644 index 0bd76b94f..000000000 --- a/pages.uk/osx/gnumfmt.md +++ /dev/null @@ -1,7 +0,0 @@ -# gnumfmt - -> Ця команда є псевдонімом для `-p linux numfmt`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux numfmt` diff --git a/pages.uk/osx/god.md b/pages.uk/osx/god.md deleted file mode 100644 index 6f536396d..000000000 --- a/pages.uk/osx/god.md +++ /dev/null @@ -1,7 +0,0 @@ -# god - -> Ця команда є псевдонімом для `-p linux od`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux od` diff --git a/pages.uk/osx/gpaste.md b/pages.uk/osx/gpaste.md deleted file mode 100644 index 3b943e289..000000000 --- a/pages.uk/osx/gpaste.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpaste - -> Ця команда є псевдонімом для `-p linux paste`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux paste` diff --git a/pages.uk/osx/gpathchk.md b/pages.uk/osx/gpathchk.md deleted file mode 100644 index bc637f67c..000000000 --- a/pages.uk/osx/gpathchk.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpathchk - -> Ця команда є псевдонімом для `-p linux pathchk`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux pathchk` diff --git a/pages.uk/osx/gping.md b/pages.uk/osx/gping.md deleted file mode 100644 index 38b5c43b9..000000000 --- a/pages.uk/osx/gping.md +++ /dev/null @@ -1,7 +0,0 @@ -# gping - -> Ця команда є псевдонімом для `-p linux ping`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux ping` diff --git a/pages.uk/osx/gping6.md b/pages.uk/osx/gping6.md deleted file mode 100644 index dd94dd238..000000000 --- a/pages.uk/osx/gping6.md +++ /dev/null @@ -1,7 +0,0 @@ -# gping6 - -> Ця команда є псевдонімом для `-p linux ping6`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux ping6` diff --git a/pages.uk/osx/gpinky.md b/pages.uk/osx/gpinky.md deleted file mode 100644 index 22d7c0881..000000000 --- a/pages.uk/osx/gpinky.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpinky - -> Ця команда є псевдонімом для `-p linux pinky`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux pinky` diff --git a/pages.uk/osx/gpr.md b/pages.uk/osx/gpr.md deleted file mode 100644 index 7572b9921..000000000 --- a/pages.uk/osx/gpr.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpr - -> Ця команда є псевдонімом для `-p linux pr`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux pr` diff --git a/pages.uk/osx/gprintenv.md b/pages.uk/osx/gprintenv.md deleted file mode 100644 index eb00a358a..000000000 --- a/pages.uk/osx/gprintenv.md +++ /dev/null @@ -1,7 +0,0 @@ -# gprintenv - -> Ця команда є псевдонімом для `-p linux printenv`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux printenv` diff --git a/pages.uk/osx/gprintf.md b/pages.uk/osx/gprintf.md deleted file mode 100644 index 770d9e157..000000000 --- a/pages.uk/osx/gprintf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gprintf - -> Ця команда є псевдонімом для `-p linux printf`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux printf` diff --git a/pages.uk/osx/gptx.md b/pages.uk/osx/gptx.md deleted file mode 100644 index 064967c30..000000000 --- a/pages.uk/osx/gptx.md +++ /dev/null @@ -1,7 +0,0 @@ -# gptx - -> Ця команда є псевдонімом для `-p linux ptx`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux ptx` diff --git a/pages.uk/osx/gpwd.md b/pages.uk/osx/gpwd.md deleted file mode 100644 index 171b0bf49..000000000 --- a/pages.uk/osx/gpwd.md +++ /dev/null @@ -1,7 +0,0 @@ -# gpwd - -> Ця команда є псевдонімом для `-p linux pwd`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux pwd` diff --git a/pages.uk/osx/grcp.md b/pages.uk/osx/grcp.md deleted file mode 100644 index 915c559fa..000000000 --- a/pages.uk/osx/grcp.md +++ /dev/null @@ -1,7 +0,0 @@ -# grcp - -> Ця команда є псевдонімом для `-p linux rcp`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux rcp` diff --git a/pages.uk/osx/greadlink.md b/pages.uk/osx/greadlink.md deleted file mode 100644 index 16ba5977d..000000000 --- a/pages.uk/osx/greadlink.md +++ /dev/null @@ -1,7 +0,0 @@ -# greadlink - -> Ця команда є псевдонімом для `-p linux readlink`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux readlink` diff --git a/pages.uk/osx/grealpath.md b/pages.uk/osx/grealpath.md deleted file mode 100644 index 3cc3c02cb..000000000 --- a/pages.uk/osx/grealpath.md +++ /dev/null @@ -1,7 +0,0 @@ -# grealpath - -> Ця команда є псевдонімом для `-p linux realpath`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux realpath` diff --git a/pages.uk/osx/grexec.md b/pages.uk/osx/grexec.md deleted file mode 100644 index 3c51c5ed4..000000000 --- a/pages.uk/osx/grexec.md +++ /dev/null @@ -1,7 +0,0 @@ -# grexec - -> Ця команда є псевдонімом для `-p linux rexec`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux rexec` diff --git a/pages.uk/osx/grlogin.md b/pages.uk/osx/grlogin.md deleted file mode 100644 index d31d88fcf..000000000 --- a/pages.uk/osx/grlogin.md +++ /dev/null @@ -1,7 +0,0 @@ -# grlogin - -> Ця команда є псевдонімом для `-p linux rlogin`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux rlogin` diff --git a/pages.uk/osx/grm.md b/pages.uk/osx/grm.md deleted file mode 100644 index 4a041cf64..000000000 --- a/pages.uk/osx/grm.md +++ /dev/null @@ -1,7 +0,0 @@ -# grm - -> Ця команда є псевдонімом для `-p linux rm`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux rm` diff --git a/pages.uk/osx/grmdir.md b/pages.uk/osx/grmdir.md deleted file mode 100644 index 0930e3fd9..000000000 --- a/pages.uk/osx/grmdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# grmdir - -> Ця команда є псевдонімом для `-p linux rmdir`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux rmdir` diff --git a/pages.uk/osx/grsh.md b/pages.uk/osx/grsh.md deleted file mode 100644 index 38212cc75..000000000 --- a/pages.uk/osx/grsh.md +++ /dev/null @@ -1,7 +0,0 @@ -# grsh - -> Ця команда є псевдонімом для `-p linux rsh`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux rsh` diff --git a/pages.uk/osx/gruncon.md b/pages.uk/osx/gruncon.md deleted file mode 100644 index bf726ffd1..000000000 --- a/pages.uk/osx/gruncon.md +++ /dev/null @@ -1,7 +0,0 @@ -# gruncon - -> Ця команда є псевдонімом для `-p linux runcon`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux runcon` diff --git a/pages.uk/osx/gsed.md b/pages.uk/osx/gsed.md deleted file mode 100644 index 6aca70bf0..000000000 --- a/pages.uk/osx/gsed.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsed - -> Ця команда є псевдонімом для `-p linux sed`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux sed` diff --git a/pages.uk/osx/gseq.md b/pages.uk/osx/gseq.md deleted file mode 100644 index d676956b8..000000000 --- a/pages.uk/osx/gseq.md +++ /dev/null @@ -1,7 +0,0 @@ -# gseq - -> Ця команда є псевдонімом для `-p linux seq`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux seq` diff --git a/pages.uk/osx/gsha1sum.md b/pages.uk/osx/gsha1sum.md deleted file mode 100644 index e9e50137c..000000000 --- a/pages.uk/osx/gsha1sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha1sum - -> Ця команда є псевдонімом для `-p linux sha1sum`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux sha1sum` diff --git a/pages.uk/osx/gsha224sum.md b/pages.uk/osx/gsha224sum.md deleted file mode 100644 index 7c610bf2d..000000000 --- a/pages.uk/osx/gsha224sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha224sum - -> Ця команда є псевдонімом для `-p linux sha224sum`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux sha224sum` diff --git a/pages.uk/osx/gsha256sum.md b/pages.uk/osx/gsha256sum.md deleted file mode 100644 index fe171ae48..000000000 --- a/pages.uk/osx/gsha256sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha256sum - -> Ця команда є псевдонімом для `-p linux sha256sum`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux sha256sum` diff --git a/pages.uk/osx/gsha384sum.md b/pages.uk/osx/gsha384sum.md deleted file mode 100644 index fde640181..000000000 --- a/pages.uk/osx/gsha384sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha384sum - -> Ця команда є псевдонімом для `-p linux sha384sum`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux sha384sum` diff --git a/pages.uk/osx/gsha512sum.md b/pages.uk/osx/gsha512sum.md deleted file mode 100644 index c0c74caed..000000000 --- a/pages.uk/osx/gsha512sum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsha512sum - -> Ця команда є псевдонімом для `-p linux sha512sum`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux sha512sum` diff --git a/pages.uk/osx/gshred.md b/pages.uk/osx/gshred.md deleted file mode 100644 index 0c85f3ed7..000000000 --- a/pages.uk/osx/gshred.md +++ /dev/null @@ -1,7 +0,0 @@ -# gshred - -> Ця команда є псевдонімом для `-p linux shred`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux shred` diff --git a/pages.uk/osx/gshuf.md b/pages.uk/osx/gshuf.md deleted file mode 100644 index d25653ace..000000000 --- a/pages.uk/osx/gshuf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gshuf - -> Ця команда є псевдонімом для `-p linux shuf`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux shuf` diff --git a/pages.uk/osx/gsleep.md b/pages.uk/osx/gsleep.md deleted file mode 100644 index 754a3ff9b..000000000 --- a/pages.uk/osx/gsleep.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsleep - -> Ця команда є псевдонімом для `-p linux sleep`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux sleep` diff --git a/pages.uk/osx/gsort.md b/pages.uk/osx/gsort.md deleted file mode 100644 index bbb8af1da..000000000 --- a/pages.uk/osx/gsort.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsort - -> Ця команда є псевдонімом для `-p linux sort`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux sort` diff --git a/pages.uk/osx/gsplit.md b/pages.uk/osx/gsplit.md deleted file mode 100644 index f3b909230..000000000 --- a/pages.uk/osx/gsplit.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsplit - -> Ця команда є псевдонімом для `-p linux split`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux split` diff --git a/pages.uk/osx/gstat.md b/pages.uk/osx/gstat.md deleted file mode 100644 index d0a7de65b..000000000 --- a/pages.uk/osx/gstat.md +++ /dev/null @@ -1,7 +0,0 @@ -# gstat - -> Ця команда є псевдонімом для `-p linux stat`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux stat` diff --git a/pages.uk/osx/gstdbuf.md b/pages.uk/osx/gstdbuf.md deleted file mode 100644 index a05f44bb8..000000000 --- a/pages.uk/osx/gstdbuf.md +++ /dev/null @@ -1,7 +0,0 @@ -# gstdbuf - -> Ця команда є псевдонімом для `-p linux stdbuf`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux stdbuf` diff --git a/pages.uk/osx/gstty.md b/pages.uk/osx/gstty.md deleted file mode 100644 index 3bb5c46c0..000000000 --- a/pages.uk/osx/gstty.md +++ /dev/null @@ -1,7 +0,0 @@ -# gstty - -> Ця команда є псевдонімом для `-p linux stty`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux stty` diff --git a/pages.uk/osx/gsum.md b/pages.uk/osx/gsum.md deleted file mode 100644 index 5dd268660..000000000 --- a/pages.uk/osx/gsum.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsum - -> Ця команда є псевдонімом для `-p linux sum`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux sum` diff --git a/pages.uk/osx/gsync.md b/pages.uk/osx/gsync.md deleted file mode 100644 index e409252c4..000000000 --- a/pages.uk/osx/gsync.md +++ /dev/null @@ -1,7 +0,0 @@ -# gsync - -> Ця команда є псевдонімом для `-p linux sync`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux sync` diff --git a/pages.uk/osx/gtac.md b/pages.uk/osx/gtac.md deleted file mode 100644 index 3fa4c30d4..000000000 --- a/pages.uk/osx/gtac.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtac - -> Ця команда є псевдонімом для `-p linux tac`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux tac` diff --git a/pages.uk/osx/gtail.md b/pages.uk/osx/gtail.md deleted file mode 100644 index 633937a56..000000000 --- a/pages.uk/osx/gtail.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtail - -> Ця команда є псевдонімом для `-p linux tail`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux tail` diff --git a/pages.uk/osx/gtalk.md b/pages.uk/osx/gtalk.md deleted file mode 100644 index 9364c30b6..000000000 --- a/pages.uk/osx/gtalk.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtalk - -> Ця команда є псевдонімом для `-p linux talk`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux talk` diff --git a/pages.uk/osx/gtar.md b/pages.uk/osx/gtar.md deleted file mode 100644 index 1f107649f..000000000 --- a/pages.uk/osx/gtar.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtar - -> Ця команда є псевдонімом для `-p linux tar`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux tar` diff --git a/pages.uk/osx/gtee.md b/pages.uk/osx/gtee.md deleted file mode 100644 index ab6436d6b..000000000 --- a/pages.uk/osx/gtee.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtee - -> Ця команда є псевдонімом для `-p linux tee`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux tee` diff --git a/pages.uk/osx/gtelnet.md b/pages.uk/osx/gtelnet.md deleted file mode 100644 index 4e8fe1961..000000000 --- a/pages.uk/osx/gtelnet.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtelnet - -> Ця команда є псевдонімом для `-p linux telnet`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux telnet` diff --git a/pages.uk/osx/gtest.md b/pages.uk/osx/gtest.md deleted file mode 100644 index bab943b17..000000000 --- a/pages.uk/osx/gtest.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtest - -> Ця команда є псевдонімом для `-p linux test`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux test` diff --git a/pages.uk/osx/gtftp.md b/pages.uk/osx/gtftp.md deleted file mode 100644 index a1efe86cc..000000000 --- a/pages.uk/osx/gtftp.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtftp - -> Ця команда є псевдонімом для `-p linux tftp`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux tftp` diff --git a/pages.uk/osx/gtime.md b/pages.uk/osx/gtime.md deleted file mode 100644 index d6e33630c..000000000 --- a/pages.uk/osx/gtime.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtime - -> Ця команда є псевдонімом для `-p linux time`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux time` diff --git a/pages.uk/osx/gtimeout.md b/pages.uk/osx/gtimeout.md deleted file mode 100644 index 08b327264..000000000 --- a/pages.uk/osx/gtimeout.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtimeout - -> Ця команда є псевдонімом для `-p linux timeout`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux timeout` diff --git a/pages.uk/osx/gtouch.md b/pages.uk/osx/gtouch.md deleted file mode 100644 index d3006bbbd..000000000 --- a/pages.uk/osx/gtouch.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtouch - -> Ця команда є псевдонімом для `-p linux touch`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux touch` diff --git a/pages.uk/osx/gtr.md b/pages.uk/osx/gtr.md deleted file mode 100644 index ca15918f1..000000000 --- a/pages.uk/osx/gtr.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtr - -> Ця команда є псевдонімом для `-p linux tr`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux tr` diff --git a/pages.uk/osx/gtraceroute.md b/pages.uk/osx/gtraceroute.md deleted file mode 100644 index 110bcee9b..000000000 --- a/pages.uk/osx/gtraceroute.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtraceroute - -> Ця команда є псевдонімом для `-p linux traceroute`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux traceroute` diff --git a/pages.uk/osx/gtrue.md b/pages.uk/osx/gtrue.md deleted file mode 100644 index b1c81c853..000000000 --- a/pages.uk/osx/gtrue.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtrue - -> Ця команда є псевдонімом для `-p linux true`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux true` diff --git a/pages.uk/osx/gtruncate.md b/pages.uk/osx/gtruncate.md deleted file mode 100644 index 81fa686db..000000000 --- a/pages.uk/osx/gtruncate.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtruncate - -> Ця команда є псевдонімом для `-p linux truncate`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux truncate` diff --git a/pages.uk/osx/gtsort.md b/pages.uk/osx/gtsort.md deleted file mode 100644 index a7046d9e5..000000000 --- a/pages.uk/osx/gtsort.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtsort - -> Ця команда є псевдонімом для `-p linux tsort`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux tsort` diff --git a/pages.uk/osx/gtty.md b/pages.uk/osx/gtty.md deleted file mode 100644 index 063a700da..000000000 --- a/pages.uk/osx/gtty.md +++ /dev/null @@ -1,7 +0,0 @@ -# gtty - -> Ця команда є псевдонімом для `-p linux tty`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux tty` diff --git a/pages.uk/osx/guname.md b/pages.uk/osx/guname.md deleted file mode 100644 index 45d64b525..000000000 --- a/pages.uk/osx/guname.md +++ /dev/null @@ -1,7 +0,0 @@ -# guname - -> Ця команда є псевдонімом для `-p linux uname`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux uname` diff --git a/pages.uk/osx/gunexpand.md b/pages.uk/osx/gunexpand.md deleted file mode 100644 index 8bbb3674c..000000000 --- a/pages.uk/osx/gunexpand.md +++ /dev/null @@ -1,7 +0,0 @@ -# gunexpand - -> Ця команда є псевдонімом для `-p linux unexpand`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux unexpand` diff --git a/pages.uk/osx/guniq.md b/pages.uk/osx/guniq.md deleted file mode 100644 index de6aebda0..000000000 --- a/pages.uk/osx/guniq.md +++ /dev/null @@ -1,7 +0,0 @@ -# guniq - -> Ця команда є псевдонімом для `-p linux uniq`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux uniq` diff --git a/pages.uk/osx/gunits.md b/pages.uk/osx/gunits.md deleted file mode 100644 index 6e5363611..000000000 --- a/pages.uk/osx/gunits.md +++ /dev/null @@ -1,7 +0,0 @@ -# gunits - -> Ця команда є псевдонімом для `-p linux units`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux units` diff --git a/pages.uk/osx/gunlink.md b/pages.uk/osx/gunlink.md deleted file mode 100644 index 6eb457d0d..000000000 --- a/pages.uk/osx/gunlink.md +++ /dev/null @@ -1,7 +0,0 @@ -# gunlink - -> Ця команда є псевдонімом для `-p linux unlink`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux unlink` diff --git a/pages.uk/osx/gupdatedb.md b/pages.uk/osx/gupdatedb.md deleted file mode 100644 index d150bfdc7..000000000 --- a/pages.uk/osx/gupdatedb.md +++ /dev/null @@ -1,7 +0,0 @@ -# gupdatedb - -> Ця команда є псевдонімом для `-p linux updatedb`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux updatedb` diff --git a/pages.uk/osx/guptime.md b/pages.uk/osx/guptime.md deleted file mode 100644 index 5c9442df1..000000000 --- a/pages.uk/osx/guptime.md +++ /dev/null @@ -1,7 +0,0 @@ -# guptime - -> Ця команда є псевдонімом для `-p linux uptime`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux uptime` diff --git a/pages.uk/osx/gusers.md b/pages.uk/osx/gusers.md deleted file mode 100644 index 1b2efc352..000000000 --- a/pages.uk/osx/gusers.md +++ /dev/null @@ -1,7 +0,0 @@ -# gusers - -> Ця команда є псевдонімом для `-p linux users`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux users` diff --git a/pages.uk/osx/gvdir.md b/pages.uk/osx/gvdir.md deleted file mode 100644 index 9f73e417e..000000000 --- a/pages.uk/osx/gvdir.md +++ /dev/null @@ -1,7 +0,0 @@ -# gvdir - -> Ця команда є псевдонімом для `-p linux vdir`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux vdir` diff --git a/pages.uk/osx/gwc.md b/pages.uk/osx/gwc.md deleted file mode 100644 index 1d8781d55..000000000 --- a/pages.uk/osx/gwc.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwc - -> Ця команда є псевдонімом для `-p linux wc`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux wc` diff --git a/pages.uk/osx/gwhich.md b/pages.uk/osx/gwhich.md deleted file mode 100644 index dd49b935e..000000000 --- a/pages.uk/osx/gwhich.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwhich - -> Ця команда є псевдонімом для `-p linux which`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux which` diff --git a/pages.uk/osx/gwho.md b/pages.uk/osx/gwho.md deleted file mode 100644 index 6af3fbf27..000000000 --- a/pages.uk/osx/gwho.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwho - -> Ця команда є псевдонімом для `-p linux who`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux who` diff --git a/pages.uk/osx/gwhoami.md b/pages.uk/osx/gwhoami.md deleted file mode 100644 index d3b633ed0..000000000 --- a/pages.uk/osx/gwhoami.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwhoami - -> Ця команда є псевдонімом для `-p linux whoami`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux whoami` diff --git a/pages.uk/osx/gwhois.md b/pages.uk/osx/gwhois.md deleted file mode 100644 index 9144ecb3c..000000000 --- a/pages.uk/osx/gwhois.md +++ /dev/null @@ -1,7 +0,0 @@ -# gwhois - -> Ця команда є псевдонімом для `-p linux whois`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux whois` diff --git a/pages.uk/osx/gxargs.md b/pages.uk/osx/gxargs.md deleted file mode 100644 index de5ece150..000000000 --- a/pages.uk/osx/gxargs.md +++ /dev/null @@ -1,7 +0,0 @@ -# gxargs - -> Ця команда є псевдонімом для `-p linux xargs`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux xargs` diff --git a/pages.uk/osx/gyes.md b/pages.uk/osx/gyes.md deleted file mode 100644 index 1a640cf1a..000000000 --- a/pages.uk/osx/gyes.md +++ /dev/null @@ -1,7 +0,0 @@ -# gyes - -> Ця команда є псевдонімом для `-p linux yes`. - -- Дивись документацію для оригінальної команди: - -`tldr -p linux yes` diff --git a/pages.uk/osx/launchd.md b/pages.uk/osx/launchd.md deleted file mode 100644 index a1ec489d3..000000000 --- a/pages.uk/osx/launchd.md +++ /dev/null @@ -1,8 +0,0 @@ -# launchd - -> Ця команда є псевдонімом для `launchctl`. -> Більше інформації: . - -- Дивись документацію для оригінальної команди: - -`tldr launchctl` diff --git a/pages.uk/windows/chrome.md b/pages.uk/windows/chrome.md deleted file mode 100644 index ea9850d6a..000000000 --- a/pages.uk/windows/chrome.md +++ /dev/null @@ -1,8 +0,0 @@ -# chrome - -> Ця команда є псевдонімом для `chromium`. -> Більше інформації: . - -- Дивись документацію для оригінальної команди: - -`tldr chromium` diff --git a/pages.uk/windows/cpush.md b/pages.uk/windows/cpush.md deleted file mode 100644 index e22822fa8..000000000 --- a/pages.uk/windows/cpush.md +++ /dev/null @@ -1,8 +0,0 @@ -# cpush - -> Ця команда є псевдонімом для `choco-push`. -> Більше інформації: . - -- Дивись документацію для оригінальної команди: - -`tldr choco-push` diff --git a/pages.uk/windows/rd.md b/pages.uk/windows/rd.md deleted file mode 100644 index 12f65c476..000000000 --- a/pages.uk/windows/rd.md +++ /dev/null @@ -1,8 +0,0 @@ -# rd - -> Ця команда є псевдонімом для `rmdir`. -> Більше інформації: . - -- Дивись документацію для оригінальної команди: - -`tldr rmdir` diff --git a/pages.uz/android/bugreportz.md b/pages.uz/android/bugreportz.md index 0fb0691a3..d354e75ea 100644 --- a/pages.uz/android/bugreportz.md +++ b/pages.uz/android/bugreportz.md @@ -12,10 +12,10 @@ `bugreportz -p` -- `bugreportz` ni versiyasini ko'rsatish: - -`bugreportz -v` - - Yordam ko'rsatish: `bugreportz -h` + +- Ni versiyasini ko'rsatish `bugreportz`: + +`bugreportz -v` diff --git a/pages.uz/android/dumpsys.md b/pages.uz/android/dumpsys.md index db226f74c..c42d71ba7 100644 --- a/pages.uz/android/dumpsys.md +++ b/pages.uz/android/dumpsys.md @@ -12,7 +12,7 @@ `dumpsys {{service}}` -- `dumpsys` buyrug'idagi barcha xizmatlarni chiqaradi: +- Buyrug'idagi barcha xizmatlarni chiqaradi `dumpsys`: `dumpsys -l` diff --git a/pages.zh/common/!.md b/pages.zh/common/!.md index 3fe21dcae..271cdd470 100644 --- a/pages.zh/common/!.md +++ b/pages.zh/common/!.md @@ -1,7 +1,7 @@ # Exclamation mark > Bash 内置命令,用于替换历史记录中找到的命令。 -> 更多信息:. +> 更多信息:. - 使用`sudo`重新执行上一个命令: @@ -22,3 +22,7 @@ - 调取上一个命令的参数给`当前命令`: `{{当前命令}} !*` + +- 调取上一个命令的最后一个参数给`当前命令`: + +`{{当前命令}} !$` diff --git a/pages.zh/common/2to3.md b/pages.zh/common/2to3.md index 451618951..bd32b66cc 100644 --- a/pages.zh/common/2to3.md +++ b/pages.zh/common/2to3.md @@ -13,11 +13,11 @@ - 将 Python 2 语言特性转化为 Python 3: -`2to3 --write {{文件.py}} --fix={{raw_input}} --fix={{print}}` +`2to3 --write {{文件.py}} --fix {{raw_input}} --fix {{print}}` - 除了某个语言特性外将所有其他的 Python 2 语言特性转化为 Python 3: -`2to3 --write {{文件.py}} --nofix={{has_key}} --nofix={{isinstance}}` +`2to3 --write {{文件.py}} --nofix {{has_key}} --nofix {{isinstance}}` - 列出 Python 2 所有可转化为 Python 3 的语言特性: @@ -25,8 +25,8 @@ - 将某一文件夹的所有 Python 2 文件转化为 Python 3: -`2to3 --output-dir={{Python 3 文件夹}} --write-unchanged-files --nobackups {{Python 2 文件夹}}` +`2to3 --output-dir {{Python 3 文件夹}} --write-unchanged-files --nobackups {{Python 2 文件夹}}` - 使用多线程运行 2to3: -`2to3 --processes={{4}} --output-dir={{Python 3 文件夹}} --write --nobackups --no-diff {{Python 2 文件夹}}` +`2to3 --processes {{4}} --output-dir {{Python 3 文件夹}} --write --nobackups --no-diff {{Python 2 文件夹}}` diff --git a/pages.zh/common/7z.md b/pages.zh/common/7z.md index 7849c2875..adabb9986 100644 --- a/pages.zh/common/7z.md +++ b/pages.zh/common/7z.md @@ -30,3 +30,7 @@ - 列出一个归档文件的内容: `7z l {{归档文件.7z}}` + +- 设置压缩级别(数字越高表示压缩越多,但速度更慢): + +`7z a {{归档文件.7z}} -mx={{0|1|3|5|7|9}} {{文件或目录}}` diff --git a/pages.zh/common/7za.md b/pages.zh/common/7za.md index 368d7eb23..55158f6c6 100644 --- a/pages.zh/common/7za.md +++ b/pages.zh/common/7za.md @@ -10,7 +10,7 @@ - 加密一个已存在的归档文件(包括文件名): -`7za a {{加密文件.7z}} -p{{密码}} -mhe=on {{归档文件.7z}}` +`7za a {{加密文件.7z}} -p{{密码}} -mhe={{on}} {{归档文件.7z}}` - 提取一个已存在的 7z 文件,并保持原来的目录结构: @@ -26,8 +26,12 @@ - 使用指定的类型来归档文件: -`7za a -t{{7z|bzip2|gzip|lzip|tar|zip}} {{归档文件.7z}} {{文件或目录}}` +`7za a -t{{7z|bzip2|gzip|lzip|tar|...}} {{归档文件.7z}} {{文件或目录}}` - 列出一个归档文件的内容: `7za l {{归档文件.7z}}` + +- 设置压缩级别(数字越高表示压缩越多,但速度更慢): + +`7za a {{归档文件.7z}} -mx={{0|1|3|5|7|9}} {{文件或目录}}` diff --git a/pages.zh/common/7zr.md b/pages.zh/common/7zr.md index b80c5253a..55ad44983 100644 --- a/pages.zh/common/7zr.md +++ b/pages.zh/common/7zr.md @@ -1,7 +1,7 @@ # 7zr > 一个高压缩率的文件归档器。 -> 类似于 `7z`,只支持 `.7z` 文件。 +> 类似于 `7z`,只支持 7z 文件。 > 更多信息:. - 归档一个文件或目录: @@ -27,3 +27,7 @@ - 列出一个归档文件的内容: `7zr l {{归档文件.7z}}` + +- 设置压缩级别(数字越高表示压缩越多,但速度更慢): + +`7zr a {{归档文件.7z}} -mx={{0|1|3|5|7|9}} {{文件或目录}}` diff --git a/pages.zh/common/[.md b/pages.zh/common/[.md index bee972ad2..3eb87a1cc 100644 --- a/pages.zh/common/[.md +++ b/pages.zh/common/[.md @@ -2,7 +2,7 @@ > 检查文件类型,比较数值。 > 如果条件计算结果为真返回 0,如果计算结果为假返回 1。 -> 更多信息:. +> 更多信息:. - 测试一个给定的变量是否等于/不等于指定的字符串: diff --git a/pages.zh/common/[[.md b/pages.zh/common/[[.md index 220f8e438..d0b1beb2b 100644 --- a/pages.zh/common/[[.md +++ b/pages.zh/common/[[.md @@ -2,7 +2,7 @@ > 检查文件类型,比较数值。 > 如果条件计算结果为真返回 0,如果计算结果为假返回 1。 -> 更多信息:. +> 更多信息:. - 测试一个给定的变量是否等于/不等于指定的字符串: diff --git a/pages.zh/common/^.md b/pages.zh/common/^.md new file mode 100644 index 000000000..b91e5615b --- /dev/null +++ b/pages.zh/common/^.md @@ -0,0 +1,17 @@ +# Caret + +> 在 Bash 中,有一个内建命令可以快速替换前一个命令中的字符串并执行结果。 +> 相当于 `!!:s^string1^string2`。 +> 更多信息:. + +- 运行前一个命令,将`字符串1`替换为`字符串2`: + +`^{{字符串1}}^{{字符串2}}` + +- 从前一个命令中移除`字符串1`: + +`^{{字符串1}}^` + +- 在前一个命令中将`字符串1`替换为`字符串2`,并在末尾添加`字符串3`: + +`^{{字符串1}}^{{字符串2}}^{{字符串3}}` diff --git a/pages.zh/common/a2ping.md b/pages.zh/common/a2ping.md new file mode 100644 index 000000000..b76ba436b --- /dev/null +++ b/pages.zh/common/a2ping.md @@ -0,0 +1,32 @@ +# a2ping + +> 将图像转换为 EPS 或 PDF 文件。 +> 更多信息:. + +- 将图像转换为 PDF(注意:指定输出文件名是可选的): + +`a2ping {{图像文件}} {{输出PDF文件}}` + +- 使用指定的方法压缩文档: + +`a2ping --nocompress {{none|zip|best|flate}} {{文件}}` + +- 如果存在,则扫描 HiResBoundingBox(默认为是): + +`a2ping --nohires {{文件}}` + +- 允许页面内容位于原点的下方和左侧(默认为否): + +`a2ping --below {{文件}}` + +- 将额外的参数传递给 `gs`: + +`a2ping --gsextra {{参数}} {{文件}}` + +- 将额外的参数传递给外部程序(如 `pdftops`): + +`a2ping --extra {{参数}} {{文件}}` + +- 显示帮助信息: + +`a2ping -h` diff --git a/pages.zh/common/ab.md b/pages.zh/common/ab.md index 46143aad8..14499502f 100644 --- a/pages.zh/common/ab.md +++ b/pages.zh/common/ab.md @@ -22,3 +22,7 @@ - 为基准测试设置最大的测试时间(单位:秒): `ab -t {{60}} {{url}}` + +- 将结果写入到一个 CSV 文件中: + +`ab -e {{路径/到/文件.csv}}` diff --git a/pages.zh/common/accelerate.md b/pages.zh/common/accelerate.md new file mode 100644 index 000000000..92588374e --- /dev/null +++ b/pages.zh/common/accelerate.md @@ -0,0 +1,28 @@ +# accelerate + +> 一个使得可以在任何分布式配置中运行相同的 PyTorch 代码的库。 +> 更多信息:. + +- 打印环境信息: + +`accelerate env` + +- 交互式地创建配置文件: + +`accelerate config` + +- 打印使用不同数据类型运行 Hugging Face 模型的估计 GPU 内存成本: + +`accelerate estimate-memory {{名字/模型}}` + +- 测试一个 Accelerate 配置文件: + +`accelerate test --config_file {{路径/到/配置文件.yaml}}` + +- 使用 Accelerate 在 CPU 上运行一个模型: + +`accelerate launch {{路径/到/脚本.py}} {{--cpu}}` + +- 使用 Accelerate 在多 GPU 上运行一个模型,使用 2 台机器: + +`accelerate launch {{路径/到/脚本.py}} --multi_gpu --num_machines 2` diff --git a/pages.zh/common/ack.md b/pages.zh/common/ack.md index 20b220947..4bd164ffb 100644 --- a/pages.zh/common/ack.md +++ b/pages.zh/common/ack.md @@ -18,11 +18,11 @@ - 限制搜索特定类型的文件: -`ack --type={{ruby}} "{{search_pattern}}"` +`ack --type {{ruby}} "{{search_pattern}}"` - 不在特定类型的文件中搜索: -`ack --type=no{{ruby}} "{{search_pattern}}"` +`ack --type no{{ruby}} "{{search_pattern}}"` - 计算找到的匹配文件的总数: diff --git a/pages.zh/common/adb-logcat.md b/pages.zh/common/adb-logcat.md index 436233427..0e8693a45 100644 --- a/pages.zh/common/adb-logcat.md +++ b/pages.zh/common/adb-logcat.md @@ -1,4 +1,4 @@ -# adb-logcat +# adb logcat > 转储系统消息日志。 > 更多信息:. diff --git a/pages.zh/common/age-keygen.md b/pages.zh/common/age-keygen.md new file mode 100644 index 000000000..714e73cf2 --- /dev/null +++ b/pages.zh/common/age-keygen.md @@ -0,0 +1,13 @@ +# age-keygen + +> 生成 `age` 密钥对。 +> 参见:`age` 用于加密/解密文件。 +> 更多信息:. + +- 生成密钥对,将其保存到未加密文件,并将公钥打印到标准输出: + +`age-keygen --output {{路径/到/文件}}` + +- 将身份转换为接收者,并将公钥打印到标准输出: + +`age-keygen -y {{路径/到/文件}}` diff --git a/pages.zh/common/age.md b/pages.zh/common/age.md index 78e8cf3ed..2ceeefd47 100644 --- a/pages.zh/common/age.md +++ b/pages.zh/common/age.md @@ -1,23 +1,20 @@ # age > 一个简单、现代、安全的文件加密工具。 +> 参见:`age-keygen` 用于生成密钥对。 > 更多信息:. - 生成一个可以用密码短语(passphrase)解密的加密文件: `age --passphrase --output {{路径/到/已加密文件}} {{路径/到/未加密文件}}` -- 生成一个密钥对,将私钥保存到一个未加密的文件,并将公钥打印到标准输出: - -`age-keygen --output {{路径/到/文件}}` - - 用一个或多个公钥加密一个文件,这些公钥以字面形式输入: -`age --recipient {{公钥_1}} --recipient {{公钥_2}} {{路径/到/未加密文件}} --output {{路径/到/已加密文件}}` +`age --recipient {{公钥}} --output {{路径/到/已加密文件}} {{路径/到/未加密文件}}` - 用收件人文件中指定的一个或多个公钥来加密一个文件: -`age --recipients-file {{路径/到/收件人文件}} {{路径/到/未加密文件}} --output {{路径/到/已加密文件}}` +`age --recipients-file {{路径/到/收件人文件}} --output {{路径/到/已加密文件}} {{路径/到/未加密文件}}` - 用密码短语解密一个文件: diff --git a/pages.zh/common/aircrack-ng.md b/pages.zh/common/aircrack-ng.md new file mode 100644 index 000000000..78b864f8a --- /dev/null +++ b/pages.zh/common/aircrack-ng.md @@ -0,0 +1,17 @@ +# aircrack-ng + +> 破解捕获数据包中的握手时段的 WEP 和 WPA/WPA2 密钥。 +> 是 Aircrack-ng 网络软件套件的一部分。 +> 更多信息:. + +- 使用字典文件破解捕获文件中的密钥: + +`aircrack-ng -w {{路径/到/字典文件.txt}} {{路径/到/捕获文件.cap}}` + +- 使用字典文件和接入点的 ESSID 破解捕获文件中的密钥: + +`aircrack-ng -w {{路径/到/字典文件.txt}} -e {{essid}} {{路径/到/捕获文件.cap}}` + +- 使用字典文件和接入点的 MAC 地址破解捕获文件中的密钥: + +`aircrack-ng -w {{路径/到/字典文件.txt}} --bssid {{mac}} {{路径/到/捕获文件.cap}}` diff --git a/pages.zh/common/airdecap-ng.md b/pages.zh/common/airdecap-ng.md new file mode 100644 index 000000000..88a8219ea --- /dev/null +++ b/pages.zh/common/airdecap-ng.md @@ -0,0 +1,25 @@ +# airdecap-ng + +> 解密 WEP、WPA 或 WPA2 加密的捕获文件。 +> 是 Aircrack-ng 网络软件套件的一部分。 +> 更多信息:. + +- 从开放网络捕获文件中移除无线头,并使用接入点的 MAC 地址进行过滤: + +`airdecap-ng -b {{ap_mac}} {{路径/到/捕获文件.cap}}` + +- 使用十六进制格式的密钥解密 WEP 加密的捕获文件: + +`airdecap-ng -w {{hex_key}} {{路径/到/捕获文件.cap}}` + +- 使用接入点的 ESSID 和密码解密 WPA/WPA2 加密的捕获文件: + +`airdecap-ng -e {{essid}} -p {{密码}} {{路径/到/捕获文件.cap}}` + +- 使用接入点的 ESSID 和密码解密 WPA/WPA2 加密的捕获文件,并保留头部信息: + +`airdecap-ng -l -e {{essid}} -p {{密码}} {{路径/到/捕获文件.cap}}` + +- 使用接入点的 MAC 地址进行过滤,并使用接入点的 ESSID 和密码解密 WPA/WPA2 加密的捕获文件: + +`airdecap-ng -b {{ap_mac}} -e {{essid}} -p {{密码}} {{路径/到/捕获文件.cap}}` diff --git a/pages.zh/common/airodump-ng.md b/pages.zh/common/airodump-ng.md index 169a97ec0..6bdc97d36 100644 --- a/pages.zh/common/airodump-ng.md +++ b/pages.zh/common/airodump-ng.md @@ -6,8 +6,16 @@ - 捕获数据包并显示有关无线网络的信息: -`sudo airodump-ng {{interface}}` +`sudo airodump-ng {{网络接口}}` + +- 捕获数据包并显示关于 5GHz 频段无线网络的信息: + +`sudo airodump-ng {{网络接口}} --band a` + +- 捕获数据包并显示关于 2.4GHz 和 5GHz 频段无线网络的信息: + +`sudo airodump-ng {{网络接口}} --band abg` - 捕获数据包并显示有关无线网络的信息,给定 MAC 地址和信道,并将输出保存到文件中: -`sudo airodump-ng --channel {{信道}} --write {{路径/到/文件}} --bssid {{mac}} {{interface}}` +`sudo airodump-ng --channel {{信道}} --write {{路径/到/文件}} --bssid {{mac}} {{网络接口}}` diff --git a/pages.zh/common/airshare.md b/pages.zh/common/airshare.md new file mode 100644 index 000000000..6a299e2f6 --- /dev/null +++ b/pages.zh/common/airshare.md @@ -0,0 +1,28 @@ +# airshare + +> 在本地网络中传输数据的工具。 +> 更多信息:. + +- 共享文件或目录: + +`airshare {{code}} {{路径/到/文件或目录1 路径/到/文件或目录2 ...}}` + +- 接收文件: + +`airshare {{code}}` + +- 主机接收服务器(使用此选项可以通过 Web 接口上传文件): + +`airshare --upload {{code}}` + +- 将文件或目录发送到接收服务器: + +`airshare --upload {{code}} {{路径/到/文件或目录1 路径/到/文件或目录2 ...}}` + +- 发送已复制到剪贴板的文件路径: + +`airshare --file-path {{code}}` + +- 接收文件并将其复制到剪贴板: + +`airshare --clip-receive {{code}}` diff --git a/pages.zh/common/alacritty.md b/pages.zh/common/alacritty.md index e4bef929c..c106fd7de 100644 --- a/pages.zh/common/alacritty.md +++ b/pages.zh/common/alacritty.md @@ -15,10 +15,10 @@ `alacritty -e {{命令}}` -- 指定备用配置文件(默认在 `$XDG_CONFIG_HOME/alacritty/alacritty.yml`): +- 指定备用配置文件(默认在 `$XDG_CONFIG_HOME/alacritty/alacritty.toml`): -`alacritty --config-file {{路径/config.yml}}` +`alacritty --config-file {{路径/config.toml}}` -- 在启用实时配置重新加载的情况下运行(默认情况下也可以在 `alacritty.yml` 中启用): +- 在启用实时配置重新加载的情况下运行(默认情况下也可以在 `alacritty.toml` 中启用): -`alacritty --live-config-reload --config-file {{路径/config.yml}}` +`alacritty --live-config-reload --config-file {{路径/config.toml}}` diff --git a/pages.zh/common/alex.md b/pages.zh/common/alex.md new file mode 100644 index 000000000..fc34a2a74 --- /dev/null +++ b/pages.zh/common/alex.md @@ -0,0 +1,20 @@ +# alex + +> 捕捉文本中的不敏感、不考虑他人的写作风格。它帮助您找出文本中的性别偏向、极端化、种族相关、宗教考虑不周等不平等表达。 +> 更多信息:. + +- 从标准输入分析文本: + +`echo {{His network looks good}} | alex --stdin` + +- 分析当前目录中的所有文件: + +`alex` + +- 分析特定文件: + +`alex {{路径/到/文件.md}}` + +- 分析除了 `示例文件.md` 之外的所有 Markdown 文件: + +`alex *.md !{{示例文件.md}}` diff --git a/pages.zh/common/alias.md b/pages.zh/common/alias.md index 7593f723c..a65d1faa6 100644 --- a/pages.zh/common/alias.md +++ b/pages.zh/common/alias.md @@ -1,9 +1,13 @@ # alias -> 创建别名 -- 用给定的字符串指代特定的命令。 -> 别名只会在当前的 shell 会话中生效,除非它们在 shell 的配置文件中被定义,例如`~/.bashrc`. +> 创建别名——用给定的字符串指代特定的命令。 +> 别名只会在当前的 shell 会话中生效,除非它们在 shell 的配置文件中被定义,例如`~/.bashrc`。 > 更多信息:. +- 列出所有别名: + +`alias` + - 创建一个通用的别名: `alias {{别名}}="{{命令}}"` diff --git a/pages.zh/common/amass.md b/pages.zh/common/amass.md index c465781cd..7c8999632 100644 --- a/pages.zh/common/amass.md +++ b/pages.zh/common/amass.md @@ -1,20 +1,20 @@ # amass > 深度攻击面探测与资产发现工具。 -> 此命令也有关于其子命令的文件,例如:`amass db`. -> 更多信息:. +> 此命令也有关于其子命令的文件,例如:`amass intel`. +> 更多信息:. - 执行 Amass 子命令: -`amass {{子命令}}` +`amass {{intel|enum}} {{options}}` - 展示帮助信息: `amass -help` -- 展示子命令帮助信息(如 `intel`、`enum` 等): +- 展示子命令帮助信息: -`amass -help {{子命令}}` +`amass {{intel|enum}} -help` - 查看 Amass 版本: diff --git a/pages.zh/linux/aspell.md b/pages.zh/common/aspell.md similarity index 100% rename from pages.zh/linux/aspell.md rename to pages.zh/common/aspell.md diff --git a/pages.zh/common/bat.md b/pages.zh/common/bat.md index 4be93b4ba..67903e2fa 100644 --- a/pages.zh/common/bat.md +++ b/pages.zh/common/bat.md @@ -20,7 +20,7 @@ `bat --number {{文件}}` -- 高亮一个 `json` 文件: +- 高亮一个 JSON 文件: `bat --language json {{文件.json}}` diff --git a/pages.zh/common/bc.md b/pages.zh/common/bc.md index 8b726d66e..05467616d 100644 --- a/pages.zh/common/bc.md +++ b/pages.zh/common/bc.md @@ -2,7 +2,7 @@ > 一个任意精度计算器语言。 > 另请参阅:`dc`. -> 更多信息:. +> 更多信息:. - 启动交互式会话: diff --git a/pages.zh/common/browser-sync.md b/pages.zh/common/browser-sync.md index d4711c9b9..eabed6d20 100644 --- a/pages.zh/common/browser-sync.md +++ b/pages.zh/common/browser-sync.md @@ -7,7 +7,7 @@ `browser-sync start --server {{路径/到/目录}} --files {{路径/到/目录}}` -- 启动当前目录服务,同时监听指定目录下 `css` 文件的变动: +- 启动当前目录服务,同时监听指定目录下 CSS 文件的变动: `browser-sync start --server --files '{{路径/到/目录/*.css}}'` diff --git a/pages.zh/common/btop.md b/pages.zh/common/btop.md new file mode 100644 index 000000000..764bae204 --- /dev/null +++ b/pages.zh/common/btop.md @@ -0,0 +1,21 @@ +# btop + +> 显示有关 CPU、内存、磁盘、网络和进程的信息的资源监视器。 +> `bpytop` 的 C++ 版本。 +> 更多信息:. + +- 启动 `btop`: + +`btop` + +- 使用指定预设启动 `btop`: + +`btop --preset {{0..9}}` + +- 使用 16 种颜色和 TTY 友好的图形符号在 TTY 模式下启动 `btop`: + +`btop --tty_on` + +- 在 256 色模式而不是 24 位颜色模式下启动 `btop`: + +`btop --low-color` diff --git a/pages.zh/common/cargo-add.md b/pages.zh/common/cargo-add.md new file mode 100644 index 000000000..1591de386 --- /dev/null +++ b/pages.zh/common/cargo-add.md @@ -0,0 +1,32 @@ +# cargo add + +> 向 Rust 项目的 `Cargo.toml` 文件添加依赖项。 +> 更多信息:. + +- 将最新版本的依赖项添加到当前项目: + +`cargo add {{依赖项}}` + +- 添加特定版本的依赖项: + +`cargo add {{依赖项}}@{{版本号}}` + +- 添加依赖项并启动一个或多个特定功能: + +`cargo add {{依赖项}} --features {{功能1}},{{功能2}}` + +- 添加一个可选的依赖项,然后将其作为包(crate)的一个功能暴露出来: + +`cargo add {{依赖项}} --optional` + +- 将本地包(crate)添加为依赖项: + +`cargo add --path {{path/to/directory}}` + +- 添加一个开发或构建依赖项: + +`cargo add {{依赖项}} --{{dev|build}}` + +- 添加一个禁用所有默认功能的依赖项: + +`cargo add {{依赖项}} --no-default-features` diff --git a/pages.zh/common/cargo-bench.md b/pages.zh/common/cargo-bench.md new file mode 100644 index 000000000..17e3fedb5 --- /dev/null +++ b/pages.zh/common/cargo-bench.md @@ -0,0 +1,36 @@ +# cargo bench + +> 编译并执行基准测试。 +> 更多信息:. + +- 执行包的所有基准测试: + +`cargo bench` + +- 在基准测试失败时不停止: + +`cargo bench --no-fail-fast` + +- 编译,但不运行基准测试: + +`cargo bench --no-run` + +- 对指定的基准进行基准测试: + +`cargo bench --bench {{基准测试名称}}` + +- 使用给定的配置文件进行基准测试 (默认为 `bench`): + +`cargo bench --profile {{配置文件}}` + +- 对所有示例目标进行基准测试: + +`cargo bench --examples` + +- 对所有二进制目标进行基准测试: + +`cargo bench --bins` + +- 对包的库(lib)进行基准测试: + +`cargo bench --lib` diff --git a/pages.zh/common/cargo-build.md b/pages.zh/common/cargo-build.md new file mode 100644 index 000000000..b3f1b5682 --- /dev/null +++ b/pages.zh/common/cargo-build.md @@ -0,0 +1,32 @@ +# cargo build + +> 编译本地包及其所有依赖项。 +> 更多信息:. + +- 在本地路径中构建由 `Cargo.toml` 清单文件定义的一个或多个包: + +`cargo build` + +- 以 release 模式构建,并进行优化: + +`cargo build --release` + +- 要求 `Cargo.lock` 文件为最新版本: + +`cargo build --locked` + +- 构建工作区中的所有包: + +`cargo build --workspace` + +- 构建特定的包: + +`cargo build --package {{包名}}` + +- 仅构建指定的二进制文件: + +`cargo build --bin {{名称}}` + +- 仅构建指定的测试目标: + +`cargo build --test {{测试名称}}` diff --git a/pages.zh/common/cargo-check.md b/pages.zh/common/cargo-check.md new file mode 100644 index 000000000..56ef1fbf4 --- /dev/null +++ b/pages.zh/common/cargo-check.md @@ -0,0 +1,24 @@ +# cargo check + +> 检查本地软件包及其所有依赖包是否有错误。 +> 更多信息:. + +- 检查当前包: + +`cargo check` + +- 检查所有测试: + +`cargo check --tests` + +- 检查 `tests/integration_test1.rs` 中的集成测试: + +`cargo check --test {{integration_test1}}` + +- 使用 `feature1` 和 `feature2` 功能检查当前包: + +`cargo check --features {{feature1,feature2}}` + +- 禁用默认功能后检测当前包: + +`cargo check --no-default-features` diff --git a/pages.zh/common/cargo-clean.md b/pages.zh/common/cargo-clean.md new file mode 100644 index 000000000..2f6554b8f --- /dev/null +++ b/pages.zh/common/cargo-clean.md @@ -0,0 +1,20 @@ +# cargo clean + +> 删除 `target` 目录中生成的构建产物。 +> 更多信息:. + +- 删除整个 `target` 目录: + +`cargo clean` + +- 删除文档构建产物 (`target/doc` 目录): + +`cargo clean --doc` + +- 删除 release 模式的构建产物 (`target/release` 目录): + +`cargo clean --release` + +- 删除给定配置文件的目录中的构建产物(在本例中为 `target/debug`): + +`cargo clean --profile {{dev}}` diff --git a/pages.zh/common/cargo-clippy.md b/pages.zh/common/cargo-clippy.md new file mode 100644 index 000000000..f18762d64 --- /dev/null +++ b/pages.zh/common/cargo-clippy.md @@ -0,0 +1,32 @@ +# cargo clippy + +> 一系列 lint 工具,用于捕获常见错误并改进 Rust 代码。 +> 更多信息:. + +- 对当前目录中的代码运行检查: + +`cargo clippy` + +- 要求 `Cargo.lock` 文件是最新的: + +`cargo clippy --locked` + +- 对工作区中的所有包进行检查: + +`cargo clippy --workspace` + +- 对某个包进行检查: + +`cargo clippy --package {{包名}}` + +- 将警告视为错误: + +`cargo clippy -- --deny warnings` + +- 运行检查并忽略警告: + +`cargo clippy -- --allow warnings` + +- 自动应用 Clippy 的建议: + +`cargo clippy --fix` diff --git a/pages.zh/common/cargo-doc.md b/pages.zh/common/cargo-doc.md new file mode 100644 index 000000000..a4d158cdb --- /dev/null +++ b/pages.zh/common/cargo-doc.md @@ -0,0 +1,20 @@ +# cargo doc + +> 构建 Rust 包的文档。 +> 更多信息:. + +- 为当前项目及所有依赖项构建文档: + +`cargo doc` + +- 不为依赖项构建文档: + +`cargo doc --no-deps` + +- 构建并在浏览器中打开文档: + +`cargo doc --open` + +- 构建并查看特定包的文档: + +`cargo doc --open --package {{包名}}` diff --git a/pages.zh/common/cargo-fetch.md b/pages.zh/common/cargo-fetch.md new file mode 100644 index 000000000..36f3ccac6 --- /dev/null +++ b/pages.zh/common/cargo-fetch.md @@ -0,0 +1,12 @@ +# cargo fetch + +> 从网络获取包的依赖项。 +> 更多信息:. + +- 获取 `Cargo.lock` 中指定的依赖项 (对所有目标): + +`cargo fetch` + +- 为指定目标获取依赖项: + +`cargo fetch --target {{目标三元组}}` diff --git a/pages.zh/common/cargo-fix.md b/pages.zh/common/cargo-fix.md new file mode 100644 index 000000000..6418fea88 --- /dev/null +++ b/pages.zh/common/cargo-fix.md @@ -0,0 +1,28 @@ +# cargo fix + +> 自动修复 `rustc` 报告的 lint 警告。 +> 更多信息:. + +- 即使已经有编译器错误,也要修复代码: + +`cargo fix --broken-code` + +- 即使工作目录有更改,也要修复代码: + +`cargo fix --allow-dirty` + +- 将一个包迁移到下一个 Rust 版本: + +`cargo fix --edition` + +- 修复包的库: + +`cargo fix --lib` + +- 修复指定的集成测试: + +`cargo fix --test {{名称}}` + +- 修复工作区中的所有成员: + +`cargo fix --workspace` diff --git a/pages.zh/common/cargo-fmt.md b/pages.zh/common/cargo-fmt.md new file mode 100644 index 000000000..68da445e0 --- /dev/null +++ b/pages.zh/common/cargo-fmt.md @@ -0,0 +1,16 @@ +# cargo fmt + +> 在 Rust 项目中对所有源文件运行 `rustfmt`。 +> 更多信息:. + +- 格式化所有源文件: + +`cargo fmt` + +- 检查格式错误,不对文件进行写入操作: + +`cargo fmt --check` + +- 将参数传递给每个 rustfmt 调用: + +`cargo fmt -- {{rustfmt参数}}` diff --git a/pages.zh/common/cargo-generate-lockfile.md b/pages.zh/common/cargo-generate-lockfile.md new file mode 100644 index 000000000..2057c0f95 --- /dev/null +++ b/pages.zh/common/cargo-generate-lockfile.md @@ -0,0 +1,9 @@ +# cargo generate-lockfile + +> 为当前包生成 Cargo.lock 文件。类似于 cargo update,但选项更少。 +> 如果锁定文件已经存在,它将使用每个包的最新版本重新构建。 +> 更多信息:. + +- 使用每个包的最新版本生成Cargo.lock文件: + +`cargo generate-lockfile` diff --git a/pages.zh/common/cargo-help.md b/pages.zh/common/cargo-help.md new file mode 100644 index 000000000..97cdac0f6 --- /dev/null +++ b/pages.zh/common/cargo-help.md @@ -0,0 +1,12 @@ +# cargo help + +> 显示有关 cargo 及其子命令的帮助信息。 +> 更多信息:. + +- 显示一般帮助: + +`cargo help` + +- 显示子命令的帮助信息: + +`cargo help {{子命令}}` diff --git a/pages.zh/common/cargo-init.md b/pages.zh/common/cargo-init.md new file mode 100644 index 000000000..5953919a5 --- /dev/null +++ b/pages.zh/common/cargo-init.md @@ -0,0 +1,25 @@ +# cargo init + +> 创建一个新的 Cargo 包。 +> 相当于 `cargo new`,但是指定目录是可选的。 +> 更多信息:. + +- 在当前目录中初始化一个带有二进制目标的 Rust 项目: + +`cargo init` + +- 在指定目录中初始化一个带有二进制目标的 Rust 项目: + +`cargo init {{path/to/directory}}` + +- 在当前目录中初始化一个带有库目标的 Rust 项目: + +`cargo init --lib` + +- 在项目目录中初始化版本控制系统仓库 (默认为git): + +`cargo init --vcs {{git|hg|pijul|fossil|none}}` + +- 设置包名称 (默认为目录名称): + +`cargo init --name {{name}}` diff --git a/pages.zh/common/cargo-install.md b/pages.zh/common/cargo-install.md new file mode 100644 index 000000000..b5739f8ad --- /dev/null +++ b/pages.zh/common/cargo-install.md @@ -0,0 +1,20 @@ +# cargo install + +> 构建并安装一个 Rust 二进制文件。 +> 更多信息:. + +- 从 安装一个包 (版本是可选的,默认为最新版本): + +`cargo install {{包名}}@{{版本号}}` + +- 从指定的 Git 仓库安装一个包: + +`cargo install --git {{仓库URL}}` + +- 从 Git 仓库安装时,根据指定的 branch/tag/commit 构建: + +`cargo install --git {{仓库URL}} --{{branch|tag|rev}} {{branch_name|tag|commit_hash}}` + +- 列出所有已安装的包及其版本: + +`cargo install --list` diff --git a/pages.zh/common/cargo-locate-project.md b/pages.zh/common/cargo-locate-project.md new file mode 100644 index 000000000..4bdf3bac6 --- /dev/null +++ b/pages.zh/common/cargo-locate-project.md @@ -0,0 +1,21 @@ +# cargo locate-project + +> 打印项目的 `Cargo.toml` 清单文件的完整路径。 +> 如果项目是工作区的一部分,则显示项目的清单文件,而不是工作区的清单文件。 +> 更多信息:. + +- 显示包含完整路径到 `Cargo.toml` 清单文件的 JSON 对象: + +`cargo locate-project` + +- 以指定格式显示项目路径: + +`cargo locate-project --message-format {{plain|json}}` + +- 显示位于工作区根目录而不是当前工作区成员的 `Cargo.toml` 清单文件: + +`cargo locate-project --workspace` + +- 显示特定目录中的 `Cargo.toml` 清单文件: + +`cargo locate-project --manifest-path {{path/to/Cargo.toml}}` diff --git a/pages.zh/common/cargo-login.md b/pages.zh/common/cargo-login.md new file mode 100644 index 000000000..4e7f2af65 --- /dev/null +++ b/pages.zh/common/cargo-login.md @@ -0,0 +1,13 @@ +# cargo login + +> 将 API 令牌保存到本地的凭据存储中。 +> 该令牌用于对包注册表进行身份验证。您可以使用 `cargo logout` 来删除它。 +> 更多信息:. + +- 将 API 令牌添加到本地凭据存储中 (位于 `$CARGO_HOME/credentials.toml`): + +`cargo login` + +- 使用指定的注册表 (注册表名称可以在配置中定义,默认为 ): + +`cargo login --registry {{名称}}` diff --git a/pages.zh/common/cargo-logout.md b/pages.zh/common/cargo-logout.md new file mode 100644 index 000000000..9452d4c31 --- /dev/null +++ b/pages.zh/common/cargo-logout.md @@ -0,0 +1,13 @@ +# cargo logout + +> 从本地注册表中删除 API 令牌。 +> 该令牌用于对包注册表进行身份验证。您可以使用 `cargo login` 将其添加回来。 +> 更多信息:. + +- 从本地凭据存储中 (位于 `$CARGO_HOME/credentials.toml`) 移除 API 令牌: + +`cargo logout` + +- 使用指定的注册表 (注册表名称可以在配置中定义,默认为 ): + +`cargo logout --registry {{名称}}` diff --git a/pages.zh/common/cargo-metadata.md b/pages.zh/common/cargo-metadata.md new file mode 100644 index 000000000..0f8609fa4 --- /dev/null +++ b/pages.zh/common/cargo-metadata.md @@ -0,0 +1,21 @@ +# cargo metadata + +> 以 JSON 格式输出当前包的工作空间成员和已解析的依赖关系。 +> 注意:输出格式可能在未来的 Cargo 版本中发生变化。 +> 更多信息:. + +- 打印当前包的工作空间成员和已解析的依赖关系: + +`cargo metadata` + +- 仅打印工作空间成员,不获取依赖项: + +`cargo metadata --no-deps` + +- 根据指定版本打印特定格式的元数据: + +`cargo metadata --format-version {{版本号}}` + +- 打印带有 `resolve` 字段的元数据,仅包括给定目标三元组的依赖关系 (注意:`packages` 数组仍将包括所有目标的依赖关系): + +`cargo metadata --filter-platform {{目标三元组}}` diff --git a/pages.zh/common/cargo-new.md b/pages.zh/common/cargo-new.md new file mode 100644 index 000000000..fcfe93660 --- /dev/null +++ b/pages.zh/common/cargo-new.md @@ -0,0 +1,9 @@ +# cargo new + +> 创建一个新的 Cargo 包。 +> 相当于 `cargo init`,但是需要指定一个目录。 +> 更多信息:. + +- 使用二进制目标创建一个新的 Rust 项目: + +`cargo new {{path/to/directory}}` diff --git a/pages.zh/common/cargo-owner.md b/pages.zh/common/cargo-owner.md new file mode 100644 index 000000000..1994184e1 --- /dev/null +++ b/pages.zh/common/cargo-owner.md @@ -0,0 +1,20 @@ +# cargo owner + +> 管理包在注册表上的所有者。 +> 更多信息:. + +- 邀请指定的用户或团队作为所有者: + +`cargo owner --add {{用户名|github:机构名称:团队名称}} {{包名}}` + +- 将指定的用户或团队从所有者中删除: + +`cargo owner --remove {{用户名|github:机构名称:团队名称}} {{包名}}` + +- 列出一个包的所有者: + +`cargo owner --list {{包名}}` + +- 使用指定的注册表 (注册表名称可以在配置中定义,默认为 ): + +`cargo owner --registry {{名称}}` diff --git a/pages.zh/common/cargo-package.md b/pages.zh/common/cargo-package.md new file mode 100644 index 000000000..336f7b519 --- /dev/null +++ b/pages.zh/common/cargo-package.md @@ -0,0 +1,13 @@ +# cargo package + +> 将本地包装成一个可分发的 tarball 文件(`.crate` 文件)。 +> 类似于 `cargo publish --dry-run`,但具有更多选项。 +> 更多信息:. + +- 执行检查并创建一个 `.crate` 文件 (相当于 `cargo publish --dry-run`): + +`cargo package` + +- 显示将包含在tarball中的文件,而不实际创建它: + +`cargo package --list` diff --git a/pages.zh/common/cargo-pkgid.md b/pages.zh/common/cargo-pkgid.md new file mode 100644 index 000000000..27d92ca1c --- /dev/null +++ b/pages.zh/common/cargo-pkgid.md @@ -0,0 +1,12 @@ +# cargo pkgid + +> 打印当前工作空间中包或依赖项的完全限定包 ID 指定符。 +> 更多信息:. + +- 打印当前项目的完全限定包规范: + +`cargo pkgid` + +- 打印指定包的完全限定包规范: + +`cargo pkgid {{部分包规范}}` diff --git a/pages.zh/common/cargo-publish.md b/pages.zh/common/cargo-publish.md new file mode 100644 index 000000000..c22e7494f --- /dev/null +++ b/pages.zh/common/cargo-publish.md @@ -0,0 +1,17 @@ +# cargo publish + +> 将包上传到注册表。 +> 注意:在发布包之前,您必须使用 `cargo login` 添加身份验证令牌。 +> 更多信息:. + +- 执行检查,创建一个 `.crate` 文件并将其上传到注册表: + +`cargo publish` + +- 执行检查,创建一个 `.crate` 文件,但不上传它 (相当于 `cargo package`): + +`cargo publish --dry-run` + +- 使用指定的注册表 (注册表名称可以在配置中定义,默认为 ): + +`cargo publish --registry {{名称}}` diff --git a/pages.zh/common/cargo-remove.md b/pages.zh/common/cargo-remove.md new file mode 100644 index 000000000..11daef929 --- /dev/null +++ b/pages.zh/common/cargo-remove.md @@ -0,0 +1,16 @@ +# cargo remove + +> 从 Rust 项目的 `Cargo.toml` 清单中移除依赖关系。 +> 更多信息:. + +- 从当前项目中移除一个依赖项: + +`cargo remove {{依赖项}}` + +- 移除开发或构建依赖项: + +`cargo remove --{{dev|build}} {{依赖项}}` + +- 移除给定目标平台的依赖项: + +`cargo remove --target {{目标平台}} {{依赖项}}` diff --git a/pages.zh/common/cargo-report.md b/pages.zh/common/cargo-report.md new file mode 100644 index 000000000..4ef9fbc20 --- /dev/null +++ b/pages.zh/common/cargo-report.md @@ -0,0 +1,16 @@ +# cargo report + +> 显示各种类型的报告。 +> 更多信息:. + +- 显示一个报告: + +`cargo report {{future-incompatibilities|...}}` + +- 显示具有指定由 Cargo 生成的 id 的报告: + +`cargo report {{future-incompatibilities|...}} --id {{id}}` + +- 为指定的包显示报告: + +`cargo report {{future-incompatibilities|...}} --package {{package}}` diff --git a/pages.zh/common/cargo-run.md b/pages.zh/common/cargo-run.md new file mode 100644 index 000000000..62a3cbae6 --- /dev/null +++ b/pages.zh/common/cargo-run.md @@ -0,0 +1,33 @@ +# cargo run + +> 运行当前的 Cargo 包。 +> 注意: 执行的二进制文件的工作目录将设置为当前工作目录。 +> 更多信息:. + +- 运行默认的二进制目标: + +`cargo run` + +- 运行指定的二进制文件: + +`cargo run --bin {{名称}}` + +- 运行指定的示例: + +`cargo run --example {{示例名}}` + +- 激活一系列以空格或逗号分隔的功能: + +`cargo run --features {{功能1 功能2 ...}}` + +- 禁用默认功能: + +`cargo run --no-default-features` + +- 激活所有可用的功能: + +`cargo run --all-features` + +- 使用指定的配置文件运行: + +`cargo run --profile {{配置文件名称}}` diff --git a/pages.zh/common/cargo-rustc.md b/pages.zh/common/cargo-rustc.md new file mode 100644 index 000000000..9de3b66cb --- /dev/null +++ b/pages.zh/common/cargo-rustc.md @@ -0,0 +1,37 @@ +# cargo rustc + +> 编译一个 Rust 包。类似于 `cargo build`,但您可以向编译器传递额外的选项。 +> 查看 `rustc --help` 获取所有可用选项。 +> 更多信息:. + +- 构建包并向 `rustc` 传递选项: + +`cargo rustc -- {{rustc_options}}` + +- 在 release 模式下构建构建,启用优化: + +`cargo rustc --release` + +- 使用针对当前 CPU 的特定架构优化编译: + +`cargo rustc --release -- -C target-cpu=native` + +- 使用速度优化编译: + +`cargo rustc -- -C opt-level {{1|2|3}}` + +- 使用 [s]ize 优化编译(`z` 也会关闭循环向量化): + +`cargo rustc -- -C opt-level {{s|z}}` + +- 检查您的包是否使用了不安全的代码: + +`cargo rustc --lib -- -D unsafe-code` + +- 构建特定的包: + +`cargo rustc --package {{package}}` + +- 仅构建指定的二进制文件: + +`cargo --bin {{名称}}` diff --git a/pages.zh/common/cargo-rustdoc.md b/pages.zh/common/cargo-rustdoc.md new file mode 100644 index 000000000..8d96c5474 --- /dev/null +++ b/pages.zh/common/cargo-rustdoc.md @@ -0,0 +1,33 @@ +# cargo rustdoc + +> 构建 Rust 包的文档。 +> 类似于 `cargo doc`,但您可以向 `rustdoc` 传递选项。查看 `rustdoc --help` 获取所有可用选项。 +> 更多信息:. + +- 向 `rustdoc` 传递选项: + +`cargo rustdoc -- {{rustdoc_options}}` + +- 关于文档 lint 发出警告: + +`cargo rustdoc -- --warn rustdoc::{{lint_name}}` + +- 忽略文档 lint: + +`cargo rustdoc -- --allow rustdoc::{{lint_name}}` + +- 为包的库生成文档: + +`cargo rustdoc --lib` + +- 为指定的二进制文件生成文档: + +`cargo rustdoc --bin {{名称}}` + +- 为指定的示例生成文档: + +`cargo rustdoc --example {{名称}}` + +- 为指定的集成测试生成文档: + +`cargo rustdoc --test {{名称}}` diff --git a/pages.zh/common/cargo-search.md b/pages.zh/common/cargo-search.md new file mode 100644 index 000000000..05bb0e347 --- /dev/null +++ b/pages.zh/common/cargo-search.md @@ -0,0 +1,13 @@ +# cargo search + +> 在 https://crates.io 上搜索包。 +> 显示包及其描述,以 TOML 格式显示,可复制到 `Cargo.toml` 中。 +> 更多信息:. + +- 搜索包: + +`cargo search {{查询词}}` + +- 显示 n 个结果 (默认为 10,最多为 100): + +`cargo search --limit {{n}} {{查询词}}` diff --git a/pages.zh/common/cargo-test.md b/pages.zh/common/cargo-test.md new file mode 100644 index 000000000..eb1b06a4d --- /dev/null +++ b/pages.zh/common/cargo-test.md @@ -0,0 +1,28 @@ +# cargo test + +> 执行 Rust 包的单元测试和集成测试。 +> 更多信息:. + +- 仅运行包含特定字符串在其名称中的测试: + +`cargo test {{测试名称}}` + +- 设置并行运行测试用例的数量: + +`cargo test -- --test-threads {{数量}}` + +- 在 release 模式下测试构建,启用优化: + +`cargo test --release` + +- 测试工作区中的所有包: + +`cargo test --workspace` + +- 为特定包运行测试: + +`cargo test --package {{包名}}` + +- 运行测试时不隐藏测试执行的输出: + +`cargo test -- --nocapture` diff --git a/pages.zh/common/cargo-tree.md b/pages.zh/common/cargo-tree.md new file mode 100644 index 000000000..5c4783f09 --- /dev/null +++ b/pages.zh/common/cargo-tree.md @@ -0,0 +1,25 @@ +# cargo tree + +> 显示依赖图的树形可视化。 +> 注意:在树中,标有 `(*)` 的包的依赖已在图的其他位置显示过,因此不会重复显示。 +> 更多信息:. + +- 显示当前项目的依赖树: + +`cargo tree` + +- 仅显示到指定深度的依赖 (例如,当 `n` 为 1 时,仅显示直接依赖): + +`cargo tree --depth {{n}}` + +- 在树中不显示给定的包(及其依赖): + +`cargo tree --prune {{package_spec}}` + +- 显示重复依赖的所有出现: + +`cargo tree --no-dedupe` + +- 仅显示 normal/build/dev 依赖: + +`cargo tree --edges {{normal|build|dev}}` diff --git a/pages.zh/common/cargo-uninstall.md b/pages.zh/common/cargo-uninstall.md new file mode 100644 index 000000000..c6577d4ea --- /dev/null +++ b/pages.zh/common/cargo-uninstall.md @@ -0,0 +1,8 @@ +# cargo uninstall + +> 移除使用 `cargo install` 安装的 Rust 二进制文件。 +> 更多信息:. + +- 移除一个已安装的二进制文件: + +`cargo remove {{package_spec}}` diff --git a/pages.zh/common/cargo-update.md b/pages.zh/common/cargo-update.md new file mode 100644 index 000000000..f92bfa139 --- /dev/null +++ b/pages.zh/common/cargo-update.md @@ -0,0 +1,20 @@ +# cargo update + +> 更新记录在 `Cargo.lock` 中的依赖关系。 +> 更多信息:. + +- 将 `Cargo.lock` 中的依赖项更新为可能的最新版本: + +`cargo update` + +- 显示将会更新的内容,但实际上不写入锁定文件: + +`cargo update --dry-run` + +- 仅更新指定的依赖项: + +`cargo update --package {{依赖项1}} --package {{依赖项2}} --package {{依赖项3}}` + +- 将特定依赖项设置为特定版本: + +`cargo update --package {{依赖项}} --precise {{1.2.3}}` diff --git a/pages.zh/common/cargo-vendor.md b/pages.zh/common/cargo-vendor.md new file mode 100644 index 000000000..48cfa6f43 --- /dev/null +++ b/pages.zh/common/cargo-vendor.md @@ -0,0 +1,8 @@ +# cargo vendor + +> 将项目的所有依赖项存储到指定目录中(默认为 `vendor`)。 +> 更多信息:. + +- 将依赖项存储到指定目录,并配置在当前项目中使用这些存储的源代码: + +`cargo vendor {{path/to/directory}} > .cargo/config.toml` diff --git a/pages.zh/common/cargo-verify-project.md b/pages.zh/common/cargo-verify-project.md new file mode 100644 index 000000000..4e27b5df6 --- /dev/null +++ b/pages.zh/common/cargo-verify-project.md @@ -0,0 +1,12 @@ +# cargo verify-project + +> 检查 `Cargo.toml` 文件清单的正确性,并将结果以 JSON 对象的形式打印出来。 +> 更多信息:. + +- 检查当前项目清单的正确性: + +`cargo verify-project` + +- 检查指定清单文件的正确性: + +`cargo verify-project --manifest-path {{path/to/Cargo.toml}}` diff --git a/pages.zh/common/cargo-version.md b/pages.zh/common/cargo-version.md new file mode 100644 index 000000000..4ac2d6037 --- /dev/null +++ b/pages.zh/common/cargo-version.md @@ -0,0 +1,12 @@ +# cargo version + +> 显示 `cargo` 版本信息。 +> 更多信息:. + +- 显示版本: + +`cargo version` + +- 显示额外的构建信息: + +`cargo version --verbose` diff --git a/pages.zh/common/cargo-yank.md b/pages.zh/common/cargo-yank.md new file mode 100644 index 000000000..225093bd3 --- /dev/null +++ b/pages.zh/common/cargo-yank.md @@ -0,0 +1,17 @@ +# cargo yank + +> 从索引中移除发布的包。应该只在意外发布了一个严重错误的包时使用。 +> 注意:这不会删除任何数据。包在被撤回后仍然存在,只是阻止新项目使用它。 +> 更多信息:. + +- 撤回指定版本的包: + +`cargo yank {{包名}}@{{版本号}}` + +- 撤销撤回 (即允许再次下载): + +`cargo yank --undo {{包名}}@{{版本号}}` + +- 使用指定的注册表 (注册表名称可以在配置中定义 - 默认为 ): + +`cargo yank --registry {{名称}} {{包名}}@{{版本号}}` diff --git a/pages.zh/common/cargo.md b/pages.zh/common/cargo.md new file mode 100644 index 000000000..71df2f335 --- /dev/null +++ b/pages.zh/common/cargo.md @@ -0,0 +1,37 @@ +# cargo + +> 管理 Rust 项目及其模块依赖项(crates)。 +> 一些子命令,如 `build`,具有自己的用法文档。 +> 更多信息:. + +- 搜索包: + +`cargo search {{搜索关键词}}` + +- 下载二进制包(crate): + +`cargo install {{包名}}` + +- 列出已安装的二进制包(crate): + +`cargo install --list` + +- 在指定目录 (或默认情况下在当前工作目录) 中创建一个新的二进制或库 Rust项目: + +`cargo init --{{bin|lib}} {{path/to/directory}}` + +- 向当前目录的 `Cargo.toml` 添加一个依赖: + +`cargo add {{依赖项目}}` + +- 使用 release 模式在当前目录中构建 Rust 项目: + +`cargo build --release` + +- 使用最新的编译器在当前目录中构建 Rust 项目 (需要 `rustup`): + +`cargo +nightly build` + +- 使用特定数量的线程构建 (默认为逻辑 CPU 的数量): + +`cargo build --jobs {{线程数}}` diff --git a/pages.zh/common/cat.md b/pages.zh/common/cat.md index 8e5cba7c0..e3ad5f67f 100644 --- a/pages.zh/common/cat.md +++ b/pages.zh/common/cat.md @@ -1,7 +1,7 @@ # cat > 打印和拼接文件的工具。 -> 更多信息:. +> 更多信息:. - 以标准输出,打印文件内容: diff --git a/pages.zh/common/clamav.md b/pages.zh/common/clamav.md index b19d29b96..8801f0e89 100644 --- a/pages.zh/common/clamav.md +++ b/pages.zh/common/clamav.md @@ -1,4 +1,4 @@ -# clamav +# ClamAV > 这是 `clamdscan` 命令的一个别名。 > 更多信息:. diff --git a/pages.zh/common/docker-build.md b/pages.zh/common/docker-build.md index f111885bf..c1a519a2f 100644 --- a/pages.zh/common/docker-build.md +++ b/pages.zh/common/docker-build.md @@ -1,21 +1,21 @@ # docker build > 从 Dockerfile 打包镜像。 -> 更多信息:. +> 更多信息:. -- 使用当前目录下的 Dockerfile 打包一个 docker 镜像: +- 使用当前目录下的 Dockerfile 打包一个 Docker 镜像: `docker build .` -- 从指定 URL 的 Dockerfile 打包 docker 镜像: +- 从指定 URL 的 Dockerfile 打包 Docker 镜像: `docker build {{github.com/creack/docker-firefox}}` -- 打包一个 docker 镜像并指定镜像的标签: +- 打包一个 Docker 镜像并指定镜像的标签: `docker build --tag {{name:tag}} .` -- 打包一个没有上下文的 docker 镜像: +- 打包一个没有上下文的 Docker 镜像: `docker build --tag {{name:tag}} - < {{Dockerfile}}` @@ -23,7 +23,7 @@ `docker build --no-cache --tag {{name:tag}} .` -- 使用指定的 Dockerfile 打包一个 docker 镜像: +- 使用指定的 Dockerfile 打包一个 Docker 镜像: `docker build --file {{Dockerfile}} .` diff --git a/pages.zh/common/docker-run.md b/pages.zh/common/docker-run.md new file mode 100644 index 000000000..e3b23e730 --- /dev/null +++ b/pages.zh/common/docker-run.md @@ -0,0 +1,36 @@ +# docker run + +> 创建一个新的容器并运行命令。 +> 更多信息:. + +- 使用打上标签的 Docker 镜像的新容器中执行命令: + +`docker run {{镜像:标签}} {{命令}}` + +- 在后台运行新容器中的命令,并输出其容器ID: + +`docker run --detach {{镜像}} {{命令}}` + +- 以交互模式和伪终端启动一个容器,并执行指定的命令: + +`docker run --rm --interactive --tty {{镜像}} {{命令}}` + +- 在新容器中传入环境变量并运行指定命令: + +`docker run --env '{{变量名}}={{变量值}}' --env {{变量名=变量值}} {{镜像}} {{命令}}` + +- 在新容器中挂载目录卷并运行指定命令: + +`docker run --volume {{宿主机路径}}:{{容器内路径}} {{镜像}} {{命令}}` + +- 在新容器中开放映射端口并运行指定命令: + +`docker run --publish {{宿主机端口}}:{{容器内端口}} {{镜像}} {{命令}}` + +- 在新容器中覆盖镜像中 ENTRYPOINT 并运行指定命令: + +`docker run --entrypoint {{命令}} {{镜像}}` + +- 在新容器中设定使用需使用的网络并运行指定命令: + +`docker run --network {{网络}} {{镜像}}` diff --git a/pages.zh/common/docker.md b/pages.zh/common/docker.md index b03608263..5e8f186a1 100644 --- a/pages.zh/common/docker.md +++ b/pages.zh/common/docker.md @@ -4,7 +4,7 @@ > 此命令也有关于其子命令的文件,例如:`docker run`. > 更多信息:. -- 列出所有 docker 容器(包括停止的容器): +- 列出所有 Docker 容器(包括停止的容器): `docker ps --all` @@ -16,7 +16,7 @@ `docker {{start|stop}} {{容器名称}}` -- 从 docker registry 中拉取镜像: +- 从 Docker registry 中拉取镜像: `docker pull {{镜像}}` diff --git a/pages.zh/common/duf.md b/pages.zh/common/duf.md new file mode 100644 index 000000000..b12fc48e1 --- /dev/null +++ b/pages.zh/common/duf.md @@ -0,0 +1,32 @@ +# duf + +> 磁盘占用/空闲实用工具。 +> 更多信息:. + +- 列出可访问设备: + +`duf` + +- 列出所有(如伪文件系统,重复文件系统或不可访问的文件系统): + +`duf --all` + +- 只显示指定的设备或挂载点: + +`duf {{路径/到/文件夹1 路径/到/文件夹2 ...}}` + +- 根据指定条件排序输出: + +`duf --sort {{size|used|avail|usage}}` + +- 显示或隐藏指定文件系统: + +`duf --{{only-fs|hide-fs}} {{tmpfs|vfat|ext4|xfs}}` + +- 根据键排序输出: + +`duf --sort {{mountpoint|size|used|avail|usage|inodes|inodes_used|inodes_avail|inodes_usage|type|filesystem}}` + +- 更改主题(如果 `duf` 未能使用正确的主题): + +`duf --theme {{dark|light}}` diff --git a/pages.zh/common/fastboot.md b/pages.zh/common/fastboot.md new file mode 100644 index 000000000..77e9d9694 --- /dev/null +++ b/pages.zh/common/fastboot.md @@ -0,0 +1,32 @@ +# fastboot + +> 在引导加载程序模式下与连接的 Android 设备通信(在这里无法使用 ADB)。 +> 更多信息:. + +- 解锁引导加载程序: + +`fastboot oem unlock` + +- 回锁引导加载程序: + +`fastboot oem lock` + +- 从 fastboot 模式再次重启到 fastboot 模式: + +`fastboot reboot bootloader` + +- 刷入镜像: + +`fastboot flash {{路径/到/文件.img}}` + +- 刷入自定义恢复镜像: + +`fastboot flash recovery {{路径/到/文件.img}}` + +- 列出已连接的设备: + +`fastboot devices` + +- 列出设备所有信息: + +`fastboot getvar all` diff --git a/pages.zh/common/fossil-ci.md b/pages.zh/common/fossil-ci.md index 56f461d0d..0b6b62aab 100644 --- a/pages.zh/common/fossil-ci.md +++ b/pages.zh/common/fossil-ci.md @@ -1,6 +1,6 @@ -# fossil-ci +# fossil ci -> 这是 `fossil-commit` 命令的一个别名。 +> 这是 `fossil commit`.命令的一个别名。 > 更多信息:. - 原命令的文档在: diff --git a/pages.zh/common/fossil-delete.md b/pages.zh/common/fossil-delete.md index 6716215ac..0794c021d 100644 --- a/pages.zh/common/fossil-delete.md +++ b/pages.zh/common/fossil-delete.md @@ -1,4 +1,4 @@ -# fossil-delete +# fossil delete > 这是 `fossil rm` 命令的一个别名。 > 更多信息:. diff --git a/pages.zh/common/fossil-forget.md b/pages.zh/common/fossil-forget.md index 576dfbcb0..087c7e5c6 100644 --- a/pages.zh/common/fossil-forget.md +++ b/pages.zh/common/fossil-forget.md @@ -1,4 +1,4 @@ -# fossil-forget +# fossil forget > 这是 `fossil rm` 命令的一个别名。 > 更多信息:. diff --git a/pages.zh/common/fossil-new.md b/pages.zh/common/fossil-new.md index d918b27ac..c5844c3f9 100644 --- a/pages.zh/common/fossil-new.md +++ b/pages.zh/common/fossil-new.md @@ -1,6 +1,6 @@ -# fossil-new +# fossil new -> 这是 `fossil-init` 命令的一个别名。 +> 这是 `fossil init`.命令的一个别名。 > 更多信息:. - 原命令的文档在: diff --git a/pages.zh/common/gh-cs.md b/pages.zh/common/gh-cs.md index df0dcab9f..b81694aa5 100644 --- a/pages.zh/common/gh-cs.md +++ b/pages.zh/common/gh-cs.md @@ -1,6 +1,6 @@ -# gh-cs +# gh cs -> 这是 `gh-codespace` 命令的一个别名。 +> 这是 `gh codespace`.命令的一个别名。 > 更多信息:. - 原命令的文档在: diff --git a/pages.zh/common/gnmic-sub.md b/pages.zh/common/gnmic-sub.md index 8a922afb4..383a5d184 100644 --- a/pages.zh/common/gnmic-sub.md +++ b/pages.zh/common/gnmic-sub.md @@ -1,4 +1,4 @@ -# gnmic-sub +# gnmic sub > 这是 `gnmic subscribe` 命令的一个别名。 > 更多信息:. diff --git a/pages.zh/common/grep.md b/pages.zh/common/grep.md index aaffb8fc5..f19f290f1 100644 --- a/pages.zh/common/grep.md +++ b/pages.zh/common/grep.md @@ -9,28 +9,28 @@ - 在文件中精确地查找字符串(禁用正则表达式): -`grep --fixed-strings "{{字符串}}" {{路径/到/文件}}` +`grep {{-F|--fixed-strings}} "{{字符串}}" {{路径/到/文件}}` - 在指定目录下的所有文件中递归地查找模式,显示匹配的行号并忽略二进制文件: -`grep --recursive --line-number --binary-files={{without-match}} "{{模式字符串}}" {{路径/到/目录}}` +`grep {{-r|--recursive}} {{-n|--line-number}} --binary-files={{without-match}} "{{模式字符串}}" {{路径/到/目录}}` - 使用大小写不敏感的扩展正则表达式(支持 `?`、`+`、`{}`、`()` 和 `|`): -`grep --extended-regexp --ignore-case "{{模式字符串}}" {{路径/到/文件}}` +`grep {{-E|--extended-regexp}} {{-i|--ignore-case}} "{{模式字符串}}" {{路径/到/文件}}` - 在每个匹配前后、之前或之后打印 3 行上下文: -`grep --{{context|before-context|after-context}}={{3}} "{{模式字符串}}" {{路径/到/文件}}` +`grep --{{context|before-context|after-context}} 3 "{{模式字符串}}" {{路径/到/文件}}` - 以带有颜色的方式,打印每个匹配的文件名和行号: -`grep --with-filename --line-number --color=always "{{模式字符串}}" {{路径/到/文件}}` +`grep {{-H|--with-filename}} {{-n|--line-number}} --color=always "{{模式字符串}}" {{路径/到/文件}}` - 只打印文件中与模式匹配的行: -`grep --only-matching "{{模式字符串}}" {{路径/到/文件}}` +`grep {{-o|--only-matching}} "{{模式字符串}}" {{路径/到/文件}}` - 从 `stdin`(标准输入)中查找与模式不匹配的行: -`cat {{路径/到/文件}} | grep --invert-match "{{模式字符串}}"` +`cat {{路径/到/文件}} | grep {{-v|--invert-match}} "{{模式字符串}}"` diff --git a/pages.zh/common/gunicorn.md b/pages.zh/common/gunicorn.md index 3a04eec8d..8580f5feb 100644 --- a/pages.zh/common/gunicorn.md +++ b/pages.zh/common/gunicorn.md @@ -1,6 +1,6 @@ # gunicorn -> Python 的 WSGI http 服务器。 +> Python 的 WSGI HTTP 服务器。 > 更多信息:. - 运行 Python web 应用程序: @@ -23,6 +23,6 @@ `gunicorn --threads {{4}} {{导入路径:应用程序}}` -- 通过 https 运行应用程序: +- 通过 HTTPS 运行应用程序: `gunicorn --certfile {{cert.pem}} --keyfile {{key.pem}} {{导入路径:应用程序}}` diff --git a/pages.zh/common/htop.md b/pages.zh/common/htop.md new file mode 100644 index 000000000..3c87d24d0 --- /dev/null +++ b/pages.zh/common/htop.md @@ -0,0 +1,32 @@ +# htop + +> 显示正在运行的进程的动态实时信息。`top` 的增强版。 +> 更多信息:. + +- 启动 `htop`: + +`htop` + +- 启动 `htop`, 显示指定用户拥有的进程: + +`htop --user {{用户名}}` + +- 使用指定的 `sort_item` 对进程排序(使用 `htop --sort help` 获取可用选项): + +`htop --sort {{sort_item}}` + +- 以指定的更新间隔启动 `htop`, 以十分之一秒为单位(即 50 = 5 秒): + +`htop --delay {{50}}` + +- 运行 `htop` 时查看交互式命令: + +`?` + +- 切换到不同的标签: + +`tab` + +- 显示帮助: + +`htop --help` diff --git a/pages.zh/common/jhat.md b/pages.zh/common/jhat.md index ec175a900..53951a4aa 100644 --- a/pages.zh/common/jhat.md +++ b/pages.zh/common/jhat.md @@ -3,11 +3,11 @@ > Java 堆分析工具。 > 更多信息:. -- 分析堆转储文件(来自 jmap),通过 http 端口 7000 进行查看: +- 分析堆转储文件(来自 jmap),通过 HTTP 端口 7000 进行查看: `jhat {{路径/堆转储文件}}` -- 分析堆转储文件,为 http 服务指定备用端口: +- 分析堆转储文件,为 HTTP 服务指定备用端口: `jhat -p {{端口}} {{路径/堆转储文件}}` diff --git a/pages.zh/common/kitex.md b/pages.zh/common/kitex.md index cd57366c8..bf368acb2 100644 --- a/pages.zh/common/kitex.md +++ b/pages.zh/common/kitex.md @@ -10,7 +10,7 @@ - 生成客户端代码,项目不在 `$GOPATH` 目录下: -` kitex -module {{github.com/xx-org/xx-name}} {{路径/到/IDL文件.thrift}}` +`kitex -module {{github.com/xx-org/xx-name}} {{路径/到/IDL文件.thrift}}` - 根据 protobuf IDL 文件生成客户端代码: diff --git a/pages.zh/common/mkdir.md b/pages.zh/common/mkdir.md index 4adf6b328..4db700c71 100644 --- a/pages.zh/common/mkdir.md +++ b/pages.zh/common/mkdir.md @@ -1,12 +1,16 @@ # mkdir -> 创建目录。 +> 创建目录并设置其权限。 > 更多信息:. -- 在当前目录下创建多个目录: +- 创建特定目录: `mkdir {{路径/到/目录1 路径/到/目录2 ...}}` -- 递归地创建目录(对创建嵌套目录很有用): +- 根据需要创建特定目录及其父目录: -`mkdir -p {{路径/到/目录1 路径/到/目录2 ...}}` +`mkdir {{-p|--parents}} {{路径/到/目录1 路径/到/目录2 ...}}` + +- 创建具有特定权限的目录: + +`mkdir {{-m|--mode}} {{rwxrw-r--}} {{路径/到/目录1 路径/到/目录2 ...}}` diff --git a/pages.zh/common/mpv.md b/pages.zh/common/mpv.md index 356830baa..201ced2bb 100644 --- a/pages.zh/common/mpv.md +++ b/pages.zh/common/mpv.md @@ -29,4 +29,4 @@ - 播放摄像头或其他设备的输出: -`mpv /dev/{{video0}}` +`mpv {{/dev/video0}}` diff --git a/pages.zh/common/netstat.md b/pages.zh/common/netstat.md index 68b44f986..5724ec33e 100644 --- a/pages.zh/common/netstat.md +++ b/pages.zh/common/netstat.md @@ -1,7 +1,7 @@ # netstat > 显示与网络相关的信息,如打开的连接、打开的套接字端口等。 -> 更多信息:. +> 更多信息:. - 列出所有端口: diff --git a/pages.zh/common/nload.md b/pages.zh/common/nload.md new file mode 100644 index 000000000..470e41393 --- /dev/null +++ b/pages.zh/common/nload.md @@ -0,0 +1,12 @@ +# nload + +> 在终端中可视化查看网络流量。 +> 更多信息:. + +- 查看所有网络接口的流量(使用方向键切换不同网口): + +`nload` + +- 查看指定网络接口的流量(使用方向键切换网口): + +`nload devices {{网口1}} {{网口2}}` diff --git a/pages.zh/common/nmap.md b/pages.zh/common/nmap.md index 905d7d00e..90691e3df 100644 --- a/pages.zh/common/nmap.md +++ b/pages.zh/common/nmap.md @@ -2,7 +2,7 @@ > 网络探索工具和安全/端口扫描程序。 > 仅当以特权运行 Nmap 时,某些功能才激活。 -> 更多信息:. +> 更多信息:. - 检查 IP 地址是否可用,并猜测远程主机的操作系统: diff --git a/pages.zh/common/pio-init.md b/pages.zh/common/pio-init.md index 0def2501c..6c786804f 100644 --- a/pages.zh/common/pio-init.md +++ b/pages.zh/common/pio-init.md @@ -1,4 +1,4 @@ -# pio-init +# pio init > 这是 `pio project` 命令的一个别名。 diff --git a/pages.zh/common/pip-install.md b/pages.zh/common/pip-install.md new file mode 100644 index 000000000..0a98ebf17 --- /dev/null +++ b/pages.zh/common/pip-install.md @@ -0,0 +1,24 @@ +# pip install + +> 用于安装 Python 包。 +> 更多信息:. + +- 安装包: + +`pip install {{包名}}` + +- 安装指定版本的包: + +`pip install {{包名}}=={{版本号}}` + +- 通过指定的依赖文件安装(通常文件名是 requirements.txt): + +`pip install -r {{requirements.txt}}` + +- 通过 URL 或源码存档文件安装(如 *.tar.gz 或 *.whl): + +`pip install --find-links {{url|存档文件}}` + +- 在本地的项目路径下以开发模式(editable)安装(通常是读取 pyproject.toml 或 setup.py 文件): + +`pip install --editable {{.}}` diff --git a/pages.zh/common/pip.md b/pages.zh/common/pip.md new file mode 100644 index 000000000..adba83802 --- /dev/null +++ b/pages.zh/common/pip.md @@ -0,0 +1,32 @@ +# pip + +> Python 主流的包安装管理工具。 +> 更多信息:. + +- 安装包(通过 `pip install` 查看更多安装示例): + +`pip install {{包名}}` + +- 安装包到用户目录而不是系统范围的默认位置: + +`pip install --user {{包名}}` + +- 升级包: + +`pip install --upgrade {{包名}}` + +- 卸载包: + +`pip uninstall {{包名}}` + +- 将已安装的包以 Requirements 的格式保存文件中: + +`pip freeze > {{requirements.txt}}` + +- 查看包的详细信息: + +`pip show {{包名}}` + +- 通过依赖文件(如 requirements.txt)来进行安装: + +`pip install --requirement {{requirements.txt}}` diff --git a/pages.zh/common/rsync.md b/pages.zh/common/rsync.md index 57cdc31c0..b8b42bc87 100644 --- a/pages.zh/common/rsync.md +++ b/pages.zh/common/rsync.md @@ -10,28 +10,28 @@ - 使用归档模式递归拷贝文件,并保留所有属性,不解析软链接: -`rsync --archive {{路径/到/来源}} {{路径/到/目标}}` +`rsync {{-a|--archive}} {{路径/到/来源}} {{路径/到/目标}}` - 将文件以归档模式并保留几乎所有属性进行传输,并以人类可读方式输出详细信息和进度条,中断时保留部分信息: -`rsync --compress --verbose --human-readable --partial --progress {{路径/到/来源}} {{路径/到/目标}}` +`rsync {{-zvhP|--compress --verbose --human-readable --partial --progress}} {{路径/到/来源}} {{路径/到/目标}}` - 以递归模式传输文件: -`rsync --recursive {{路径/到/来源}} {{路径/到/目标}}` +`rsync {{-r|--recursive}} {{路径/到/来源}} {{路径/到/目标}}` - 将目录下的所有内容(不包含该目录),以递归方式传输: -`rsync --recursive {{路径/到/来源}}/ {{路径/到/目标}}` +`rsync {{-r|--recursive}} {{路径/到/来源}}/ {{路径/到/目标}}` - 归档方式传输目录,保留几乎所有属性,解析软连接,并忽略已传输的文件: -`rsync --archive --update --copy-links {{路径/到/来源}} {{路径/到/目标}}` +`rsync {{-auL|--archive --update --copy-links}} {{路径/到/来源}} {{路径/到/目标}}` - 传输目录到运行 `rsyncd` 的远端,并删除目标目录中源目录中不存在的文件: -`rsync --recursive --delete rsync://{{host}}:{{路径/到/来源}} {{路径/到/目标}}` +`rsync {{-r|--recursive}} --delete rsync://{{host}}:{{路径/到/来源}} {{路径/到/目标}}` - 指定本地和远程之间通信方式,使用指定端口,并显示进度条: -`rsync --rsh 'ssh -p {{端口}}' --info=progress2 {{host}}:{{路径/到/来源}} {{路径/到/目标}}` +`rsync {{-e|--rsh}} 'ssh -p {{端口}}' --info=progress2 {{host}}:{{路径/到/来源}} {{路径/到/目标}}` diff --git a/pages.zh/common/scrapy.md b/pages.zh/common/scrapy.md new file mode 100644 index 000000000..481ca1830 --- /dev/null +++ b/pages.zh/common/scrapy.md @@ -0,0 +1,32 @@ +# scrapy + +> Web 爬取框架。 +> 更多信息:. + +- 创建一个项目: + +`scrapy startproject {{项目名}}` + +- 创建一个爬虫(在项目目录下): + +`scrapy genspider {{爬虫名}} {{站点域名}}` + +- 编辑爬虫(在项目目录下): + +`scrapy edit {{爬虫名}}` + +- 运行爬虫(在项目目录下): + +`scrapy crawl {{爬虫名}}` + +- 抓取一个网页并将它的网页源码打印至标准输出: + +`scrapy fetch {{url}}` + +- 使用默认浏览器打开给定的 URL 来确认是否符合期望(为确保准确会禁用 JavaScript): + +`scrapy view {{url}}` + +- 通过给定的 URL 打开交互窗口,除此之外还支持 UNIX 风格的本地文件路径: + +`scrapy shell {{url}}` diff --git a/pages.zh/common/sleep.md b/pages.zh/common/sleep.md new file mode 100644 index 000000000..1f9ca8ad4 --- /dev/null +++ b/pages.zh/common/sleep.md @@ -0,0 +1,12 @@ +# sleep + +> 延迟指定的一段时间。 +> 更多信息:. + +- 按秒数延迟: + +`sleep {{seconds}}` + +- 在20秒延迟后执行指定命令: + +`sleep 20 && {{command}}` diff --git a/pages.zh/common/ssh-add.md b/pages.zh/common/ssh-add.md index 052fbfca2..03c649534 100644 --- a/pages.zh/common/ssh-add.md +++ b/pages.zh/common/ssh-add.md @@ -4,7 +4,7 @@ > 需要确保 ssh 代理已启动并正在运行以加载其中的密钥。 > 更多信息:. -- 将 `~/.ssh` 中的默认 ssh 密钥添加到 `ssh` 代理: +- 将 `~/.ssh` 中的默认 SSH 密钥添加到 SSH 代理: `ssh-add` diff --git a/pages.zh/common/sshuttle.md b/pages.zh/common/sshuttle.md index c909093e5..2b5a428a3 100644 --- a/pages.zh/common/sshuttle.md +++ b/pages.zh/common/sshuttle.md @@ -1,10 +1,10 @@ # sshuttle -> 通过 ssh 连接传输流量的透明代理服务器。 -> 不需要管理员或远程 ssh 服务器上的任何特殊设置。 +> 通过 SSH 连接传输流量的透明代理服务器。 +> 不需要管理员或远程 SSH 服务器上的任何特殊设置。 > 更多信息:. -- 通过远程 ssh 服务器转发所有 IPv4 TCP 流量: +- 通过远程 SSH 服务器转发所有 IPv4 TCP 流量: `sshuttle --remote={{用户名}}@{{服务器名}} {{0.0.0.0/0}}` diff --git a/pages.zh/common/steam.md b/pages.zh/common/steam.md new file mode 100644 index 000000000..c98089f34 --- /dev/null +++ b/pages.zh/common/steam.md @@ -0,0 +1,28 @@ +# steam + +> Valve 的电子游戏平台。 +> 更多信息:. + +- 启动 Steam 同时将调试信息输出到 `stdout`: + +`steam` + +- 启动 Steam 并启用内置调试控制台标签页: + +`steam -console` + +- 在运行的 Steam 实例中启用并打开控制台标签页: + +`steam steam://open/console` + +- 使用指定认证信息登录 Steam: + +`steam -login {{username}} {{password}}` + +- 以大屏幕模式启动 Steam: + +`steam -tenfoot` + +- 退出 Steam: + +`steam -shutdown` diff --git a/pages.zh/common/tldr.md b/pages.zh/common/tldr.md index c5044c6f6..a5109ed22 100644 --- a/pages.zh/common/tldr.md +++ b/pages.zh/common/tldr.md @@ -1,20 +1,33 @@ # tldr -> 简化过的 man 帮助手册。 +> 显示来自 tldr-pages 项目的命令行工具的简单帮助页面。 +> 注意:`--language` 和 `--list` 选项并非客户端规范所必需,但大多数客户端都实现了它们。 > 更多信息:. -- 获取一个命令的用例(提示:这就是你怎么得到本信息的): +- 打印指定命令的 tldr 页面(提示:这就是你来到这里的方式!): -`tldr {{command}}` +`tldr {{命令}}` -- 展示 Linux 下 tar 的 tldr 文档: +- 打印指定子命令的 tldr 页面: -`tldr -p {{linux}} {{tar}}` +`tldr {{命令}} {{子命令}}` -- 获取一个 Git 子命令的帮助: +- 用指定语言打印命令的 tldr 页面(如果没有,返回英语): -`tldr {{git checkout}}` +`tldr --language {{语言代码}} {{命令}}` -- 更新本地页面(如果客户端支持缓存): +- 打印指定平台的命令的 tldr 页面: -`tldr -u` +`tldr --platform {{android|common|freebsd|linux|osx|netbsd|openbsd|sunos|windows}} {{命令}}` + +- 更新 tldr 页面的本地缓存: + +`tldr --update` + +- 列出当前平台和 `common` 的所有页面: + +`tldr --list` + +- 列出某个命令的所有可用子命令页面: + +`tldr --list | grep {{命令}} | column` diff --git a/pages.zh/common/tlmgr-arch.md b/pages.zh/common/tlmgr-arch.md index 72ed21a40..f8b5919a9 100644 --- a/pages.zh/common/tlmgr-arch.md +++ b/pages.zh/common/tlmgr-arch.md @@ -1,4 +1,4 @@ -# tlmgr-arch +# tlmgr arch > 这是 `tlmgr platform` 命令的一个别名。 > 更多信息:. diff --git a/pages.zh/common/touch.md b/pages.zh/common/touch.md new file mode 100644 index 000000000..6c8076ff1 --- /dev/null +++ b/pages.zh/common/touch.md @@ -0,0 +1,20 @@ +# touch + +> 创建文件并设置访问/修改时间。 +> 更多信息:. + +- 创建指定的文件: + +`touch {{路径/到/文件名1 路径/到/文件名2 ...}}` + +- 将文件的访问(a)或修改时间(m)设置为当前时间,如果文件不存在则不创建(-c): + +`touch -c -{{a|m}} {{路径/到/文件1 路径/到/文件2 ...}}` + +- 将文件时间(-t)设置为指定值,如果文件不存在则不创建(-c): + +`touch -c -t {{YYYYMMDDHHMM.SS}} {{路径/到/文件名1 路径/到/文件名2 ...}}` + +- 将文件时间设置为另一文件(-r,即文件3)的时间,如果文件不存在则不创建(-c): + +`touch -c -r {{路径/到/文件3}} {{路径/到/文件名1 路径/到/文件名2 ...}}` diff --git a/pages.zh/common/tree.md b/pages.zh/common/tree.md index cb8f957b9..d7fe63392 100644 --- a/pages.zh/common/tree.md +++ b/pages.zh/common/tree.md @@ -1,7 +1,7 @@ # tree > 以树的形式显示当前目录的内容。 -> 更多信息:. +> 更多信息:. - 显示深度达到 “级数” 级的文件和目录(其中 1 表示当前目录): diff --git a/pages.zh/common/unzip.md b/pages.zh/common/unzip.md index ee1b7be6d..3617b0b5f 100644 --- a/pages.zh/common/unzip.md +++ b/pages.zh/common/unzip.md @@ -1,6 +1,6 @@ # unzip -> 从 ZIP 压缩包中提取文件或目录。 +> 从 Zip 压缩包中提取文件或目录。 > 参见:`zip`. > 更多信息:. diff --git a/pages.zh/common/uptime.md b/pages.zh/common/uptime.md new file mode 100644 index 000000000..b8f878f10 --- /dev/null +++ b/pages.zh/common/uptime.md @@ -0,0 +1,20 @@ +# uptime + +> 告知当前系统运行多长时间和其他信息。 +> 更多信息:. + +- 打印当前时间,运行时间,登录用户数量和其他信息: + +`uptime` + +- 仅显示系统已启动的时间长度: + +`uptime --pretty` + +- 打印系统启动的日期和时间: + +`uptime --since` + +- 显示版本信息: + +`uptime --version` diff --git a/pages.zh/common/whereis.md b/pages.zh/common/whereis.md index 3beff1eab..ef37a5d98 100644 --- a/pages.zh/common/whereis.md +++ b/pages.zh/common/whereis.md @@ -3,7 +3,7 @@ > 找到命令的二进制,源文件和手册文件。 > 更多信息:. -- 找到 `ssh` 命令的二进制、源文件和手册页: +- 找到 SSH 命令的二进制、源文件和手册页: `whereis {{ssh}}` diff --git a/pages.zh/common/who.md b/pages.zh/common/who.md new file mode 100644 index 000000000..828777e32 --- /dev/null +++ b/pages.zh/common/who.md @@ -0,0 +1,17 @@ +# who + +> 显示当前登录用户和相关信息(进程,启动时间)。 +> 参见: `whoami`。 +> 更多信息:. + +- 显示用户名,终端线路,和所有当前登录会话的时间: + +`who` + +- 显示所有可用信息: + +`who -a` + +- 显示所有可用信息,包含表格首部名称: + +`who -a -H` diff --git a/pages.zh/common/xz.md b/pages.zh/common/xz.md new file mode 100644 index 000000000..b23581126 --- /dev/null +++ b/pages.zh/common/xz.md @@ -0,0 +1,36 @@ +# xz + +> 解压缩 XZ 和 LZMA 文件。 +> 更多信息:. + +- 使用 xz 压缩文件: + +`xz {{路径/到/文件}}` + +- 解压 XZ 文件: + +`xz --decompress {{路径/到/文件.xz}}` + +- 使用 lzma 压缩文件: + +`xz --format=lzma {{路径/到/文件}}` + +- 解压 LZMA 文件: + +`xz --decompress --format=lzma {{路径/到/文件.lzma}}` + +- 解压文件并输出到 `stdout`(暗示 `--keep`): + +`xz --decompress --stdout {{路径/到/文件.xz}}` + +- 压缩文件但不删除原文件: + +`xz --keep {{路径/到/文件}}` + +- 使用最快方式压缩文件: + +`xz -0 {{路径/到/文件}}` + +- 使用最好方式压缩文件: + +`xz -9 {{路径/到/文件}}` diff --git a/pages.zh/linux/a2disconf.md b/pages.zh/linux/a2disconf.md index 6a67c9c58..05fe479e2 100644 --- a/pages.zh/linux/a2disconf.md +++ b/pages.zh/linux/a2disconf.md @@ -1,7 +1,7 @@ # a2disconf > 在基于 Debian 的操作系统上禁用 Apache 配置文件。 -> 更多信息:. +> 更多信息:. - 禁用配置文件: diff --git a/pages.zh/linux/a2dismod.md b/pages.zh/linux/a2dismod.md index 254794fbf..823f8ae6f 100644 --- a/pages.zh/linux/a2dismod.md +++ b/pages.zh/linux/a2dismod.md @@ -1,7 +1,7 @@ # a2dismod > 在基于 Debian 的操作系统上禁用 Apache 模块。 -> 更多信息:. +> 更多信息:. - 禁用模块: diff --git a/pages.zh/linux/a2dissite.md b/pages.zh/linux/a2dissite.md index 2cf0a7ce2..e23fe0f53 100644 --- a/pages.zh/linux/a2dissite.md +++ b/pages.zh/linux/a2dissite.md @@ -1,7 +1,7 @@ # a2dissite > 在基于 Debian 的操作系统上禁用 Apache 虚拟主机。 -> 更多信息:. +> 更多信息:. - 禁用虚拟主机: diff --git a/pages.zh/linux/a2enconf.md b/pages.zh/linux/a2enconf.md index 257fb0edd..73656b5d6 100644 --- a/pages.zh/linux/a2enconf.md +++ b/pages.zh/linux/a2enconf.md @@ -1,7 +1,7 @@ # a2enconf > 在基于 Debian 的操作系统上启用 Apache 配置文件。 -> 更多信息:. +> 更多信息:. - 启用配置文件: diff --git a/pages.zh/linux/a2enmod.md b/pages.zh/linux/a2enmod.md index 279ba6685..d51dce678 100644 --- a/pages.zh/linux/a2enmod.md +++ b/pages.zh/linux/a2enmod.md @@ -1,7 +1,7 @@ # a2enmod > 在基于 Debian 的操作系统上启用 Apache 模块。 -> 更多信息:. +> 更多信息:. - 启用模块: diff --git a/pages.zh/linux/a2ensite.md b/pages.zh/linux/a2ensite.md index 114152c38..9ae21dd5f 100644 --- a/pages.zh/linux/a2ensite.md +++ b/pages.zh/linux/a2ensite.md @@ -1,7 +1,7 @@ # a2ensite > 在基于 Debian 的操作系统上启用 Apache 虚拟主机。 -> 更多信息:. +> 更多信息:. - 启用虚拟主机: diff --git a/pages.zh/linux/a2query.md b/pages.zh/linux/a2query.md index 3c743fbbb..2b1241155 100644 --- a/pages.zh/linux/a2query.md +++ b/pages.zh/linux/a2query.md @@ -1,7 +1,7 @@ # a2query > 在基于 Debian 的操作系统上查看 Apache 运行配置。 -> 更多信息:. +> 更多信息:. - 列出启用的 Apache 模块: diff --git a/pages.zh/linux/add-apt-repository.md b/pages.zh/linux/add-apt-repository.md index c2084159d..e7663652b 100644 --- a/pages.zh/linux/add-apt-repository.md +++ b/pages.zh/linux/add-apt-repository.md @@ -3,11 +3,11 @@ > apt 仓库管理。 > 更多信息:. -- 添加一个新的 apt 仓库: +- 添加一个新的 APT 仓库: `add-apt-repository {{指定仓库}}` -- 移除一个 apt 仓库: +- 移除一个 APT 仓库: `add-apt-repository --remove {{指定仓库}}` diff --git a/pages.zh/linux/adduser.md b/pages.zh/linux/adduser.md index 07e0944de..5a4e0cf76 100644 --- a/pages.zh/linux/adduser.md +++ b/pages.zh/linux/adduser.md @@ -1,7 +1,7 @@ # adduser > 添加用户的工具。 -> 更多信息:. +> 更多信息:. - 创建一个新用户,在默认路径创建 home 目录,并提示用户设置密码: diff --git a/pages.zh/linux/apache2ctl.md b/pages.zh/linux/apache2ctl.md index 09d695775..0161599f8 100644 --- a/pages.zh/linux/apache2ctl.md +++ b/pages.zh/linux/apache2ctl.md @@ -2,7 +2,7 @@ > Apache HTTP web 服务器命令行管理工具。 > 基于 Debian 的操作系统自带该命令,基于 RHEL 的查看 `httpd`。 -> 更多信息:. +> 更多信息:. - 启动 Apache 守护进程。如果已运行则发送一个消息: diff --git a/pages.zh/linux/apt-add-repository.md b/pages.zh/linux/apt-add-repository.md index dd2a4a68f..673600ab3 100644 --- a/pages.zh/linux/apt-add-repository.md +++ b/pages.zh/linux/apt-add-repository.md @@ -1,17 +1,17 @@ # apt-add-repository -> 管理 apt 仓库。 -> 更多信息:. +> 管理 APT 仓库。 +> 更多信息:. -- 添加一个 apt 仓库: +- 添加一个 APT 仓库: `apt-add-repository {{repository_spec}}` -- 移除一个 apt 仓库: +- 移除一个 APT 仓库: `apt-add-repository --remove {{repository_spec}}` -- 添加一个 apt 仓库之后更新包缓存: +- 添加一个 APT 仓库之后更新包缓存: `apt-add-repository --update {{repository_spec}}` diff --git a/pages.zh/linux/apt-cache.md b/pages.zh/linux/apt-cache.md index a2b291b8c..58300f0ce 100644 --- a/pages.zh/linux/apt-cache.md +++ b/pages.zh/linux/apt-cache.md @@ -1,7 +1,7 @@ # apt-cache > Debian 和 Ubuntu 的包查询工具。 -> 更多信息:. +> 更多信息:. - 在当前的软件源中查找一个软件包: diff --git a/pages.zh/linux/apt-file.md b/pages.zh/linux/apt-file.md index aba0df23d..e76cf64be 100644 --- a/pages.zh/linux/apt-file.md +++ b/pages.zh/linux/apt-file.md @@ -1,7 +1,7 @@ # apt-file -> 在 apt 软件包中查找文件,其中也包括未安装的软件。 -> 更多信息:. +> 在 APT 软件包中查找文件,其中也包括未安装的软件。 +> 更多信息:. - 更新元数据的数据库: diff --git a/pages.zh/linux/apt-get.md b/pages.zh/linux/apt-get.md index f39eac4fe..9f18c9773 100644 --- a/pages.zh/linux/apt-get.md +++ b/pages.zh/linux/apt-get.md @@ -2,7 +2,7 @@ > Debian 和 Ubuntu 的软件包管理工具。 > 使用 `apt-cache` 查找包。 -> 更多信息:. +> 更多信息:. - 更新可用软件包及其版本列表(推荐在其他 `apt-get` 命令运行之前使用): diff --git a/pages.zh/linux/apt-key.md b/pages.zh/linux/apt-key.md index 1ca1e5893..fb016ca4b 100644 --- a/pages.zh/linux/apt-key.md +++ b/pages.zh/linux/apt-key.md @@ -1,7 +1,7 @@ # apt-key > Debian 和 Ubuntu 上的 APT 软件包管理器的密钥管理工具。 -> 更多信息:. +> 更多信息:. - 列出可信密钥: diff --git a/pages.zh/linux/apt-mark.md b/pages.zh/linux/apt-mark.md index 745cf32aa..c70a08d13 100644 --- a/pages.zh/linux/apt-mark.md +++ b/pages.zh/linux/apt-mark.md @@ -1,7 +1,7 @@ # apt-mark > 修改已安装软件包状态的工具。 -> 更多信息:. +> 更多信息:. - 将一个软件包标记为自动安装: diff --git a/pages.zh/linux/apt.md b/pages.zh/linux/apt.md index 1ec335891..41df3dd80 100644 --- a/pages.zh/linux/apt.md +++ b/pages.zh/linux/apt.md @@ -2,9 +2,9 @@ > 基于 Debian 的发行版上的软件包管理工具。 > 在 Ubuntu 16.04 及之后版本推荐用它代替 `apt-get` 。 -> 更多信息:. +> 更多信息:. -- 更新可用软件包及其版本列表(推荐在运行其他 apt 命令前首先运行该命令): +- 更新可用软件包及其版本列表(推荐在运行其他 APT 命令前首先运行该命令): `sudo apt update` diff --git a/pages.zh/linux/aptitude.md b/pages.zh/linux/aptitude.md index e3fc4bef4..b68afbdac 100644 --- a/pages.zh/linux/aptitude.md +++ b/pages.zh/linux/aptitude.md @@ -1,7 +1,7 @@ # aptitude > Debian 和 Ubuntu 上的软件包管理工具。 -> 更多信息:. +> 更多信息:. - 同步可用软件包及其版本列表,在运行后续 aptitude 命令前,应该首先运行该命令: diff --git a/pages.zh/linux/arch-chroot.md b/pages.zh/linux/arch-chroot.md index 73e157a8a..fb2ad7182 100644 --- a/pages.zh/linux/arch-chroot.md +++ b/pages.zh/linux/arch-chroot.md @@ -3,7 +3,7 @@ > 辅助 Arch Linux 安装流程的更强 `chroot` 命令。 > 更多信息:. -- 在新的根目录下开启一个交互外壳程序(默认是 `bash`): +- 在新的根目录下开启一个交互外壳程序(默认是 Bash): `arch-chroot {{新根目录}}` @@ -11,10 +11,10 @@ `arch-chroot -u {{用户名}} {{新根目录}}` -- 在新的根目录下运行一个自定义命令(取代默认的 `bash`): +- 在新的根目录下运行一个自定义命令(取代默认的 Bash): `arch-chroot {{新根目录}} {{命令}} {{命令参数}}` -- 指定除默认的 `bash` 以外的外壳程序(以下例子需要现在目标系统中先安装 `zsh`): +- 指定除默认的 Bash 以外的外壳程序(以下例子需要现在目标系统中先安装 `zsh`): `arch-chroot {{新根目录}} {{zsh}}` diff --git a/pages.zh/linux/arithmetic.md b/pages.zh/linux/arithmetic.md index 2df162374..05d0b22c3 100644 --- a/pages.zh/linux/arithmetic.md +++ b/pages.zh/linux/arithmetic.md @@ -1,7 +1,7 @@ # arithmetic > 测试见到你的算术问题。 -> 更多信息:. +> 更多信息:. - 开始算术测试: diff --git a/pages.zh/linux/as.md b/pages.zh/linux/as.md index 0211d09de..0d83de42d 100644 --- a/pages.zh/linux/as.md +++ b/pages.zh/linux/as.md @@ -6,16 +6,16 @@ - 汇编一个文件,输出为 a.out: -`as {{文件.s}}` +`as {{路径/到/文件.s}}` - 汇编文件,并指定输出文件: -`as {{文件.s}} -o {{输出.o}}` +`as {{路径/到/文件.s}} -o {{路径/到/输出.o}}` - 通过跳过空格和注释的预处理过程来更快的产生输出文件(只应该用于可信任的编译器的输出): -`as -f {{文件.s}}` +`as -f {{路径/到/文件.s}}` - 将给定路径添加到目录列表,来搜索.include 指令指定的文件: -`as -I {{目录路径}} {{文件.s}}` +`as -I {{目标文件夹}} {{路径/到/文件.s}}` diff --git a/pages.zh/linux/asterisk.md b/pages.zh/linux/asterisk.md index 40637ba3f..19dafc634 100644 --- a/pages.zh/linux/asterisk.md +++ b/pages.zh/linux/asterisk.md @@ -2,7 +2,7 @@ > 电话和交换(手机)服务器。 > 用于管理服务器自身和管理已经在运行的实例。 -> 更多信息:. +> 更多信息:. - 重新连接一个正在运行的服务器,并打开 3 级的日志详细度: diff --git a/pages.zh/linux/blkdiscard.md b/pages.zh/linux/blkdiscard.md index fa4cf4207..3b59c8f82 100644 --- a/pages.zh/linux/blkdiscard.md +++ b/pages.zh/linux/blkdiscard.md @@ -5,12 +5,12 @@ - 丢弃设备上的所有扇区,删除所有数据: -`blkdiscard /dev/{{设备名}}` +`blkdiscard {{/dev/设备名}}` - 安全地丢弃设备上的所有块,删除所有数据: -`blkdiscard --secure /dev/{{设备名}}` +`blkdiscard --secure {{/dev/设备名}}` - 丢弃设备的前 100 MB: -`blkdiscard --length {{100MB}} /dev/{{设备名}}` +`blkdiscard --length {{100MB}} {{/dev/设备名}}` diff --git a/pages.zh/linux/bootctl.md b/pages.zh/linux/bootctl.md index 52f9d2ec9..4ce177a36 100644 --- a/pages.zh/linux/bootctl.md +++ b/pages.zh/linux/bootctl.md @@ -1,7 +1,7 @@ # bootctl > 控制EFI固件启动设置并管理启动加载器。 -> 更多信息:。 +> 更多信息:. - 显示系统固件和启动加载器的信息: diff --git a/pages.zh/linux/debuild.md b/pages.zh/linux/debuild.md index cccf305fc..84d6587e7 100644 --- a/pages.zh/linux/debuild.md +++ b/pages.zh/linux/debuild.md @@ -1,7 +1,7 @@ # debuild > 从源代码构建 `Debian` 软件包的工具。 -> 更多信息:. +> 更多信息:. - 在当前目录中生成软件包: diff --git a/pages.zh/linux/dnf.md b/pages.zh/linux/dnf.md new file mode 100644 index 000000000..f32c58712 --- /dev/null +++ b/pages.zh/linux/dnf.md @@ -0,0 +1,37 @@ +# dnf + +> RHEL, Fedora 和 CentOS 的软件包管理工具(yum 的替代品)。 +> 对于其他包管理器中的等效命令,请见 . +> 更多信息:. + +- 更新已安装的包到最新可用版本: + +`sudo dnf upgrade` + +- 通过关键词搜索包: + +`dnf search {{关键词1 关键词2 ...}}` + +- 显示软件包的描述: + +`dnf info {{包}}` + +- 安装软件包(使用 `-y` 自动确认所有提示): + +`sudo dnf install {{包1 包2 ...}}` + +- 删除软件包: + +`sudo dnf remove {{包1 包2 ...}}` + +- 列出已安装的包: + +`dnf list --installed` + +- 查找哪些包提供给定命令: + +`dnf provides {{命令}}` + +- 查看所有过去的操作: + +`dnf history` diff --git a/pages.zh/linux/ip-route-list.md b/pages.zh/linux/ip-route-list.md index 930ed6d8b..7fd9c0431 100644 --- a/pages.zh/linux/ip-route-list.md +++ b/pages.zh/linux/ip-route-list.md @@ -1,6 +1,6 @@ -# ip-route-list +# ip route list -> 这是 `ip-route-show` 命令的一个别名。 +> 这是 `ip route show`.命令的一个别名。 - 原命令的文档在: diff --git a/pages.zh/linux/lvs.md b/pages.zh/linux/lvs.md index 8c522f99e..7a80eb891 100644 --- a/pages.zh/linux/lvs.md +++ b/pages.zh/linux/lvs.md @@ -2,7 +2,7 @@ > 显示逻辑卷信息。 > 另见:`lvm`. -> 更多信息:. +> 更多信息:. - 显示逻辑卷信息: diff --git a/pages.zh/linux/mkfs.btrfs.md b/pages.zh/linux/mkfs.btrfs.md new file mode 100644 index 000000000..e47121fd6 --- /dev/null +++ b/pages.zh/linux/mkfs.btrfs.md @@ -0,0 +1,17 @@ +# mkfs.btrfs + +> 创建一个 BTRFS 文件系统。 +> 默认情况下是 `raid1`,指定了数据块的两份拷贝分布在两个不同的设备上。 +> 更多信息:. + +- 在单个设备上创建一个 btrfs 文件系统: + +`sudo mkfs.btrfs --metadata single --data single {{/dev/sda}}` + +- 在多个设备上使用 raid1 创建一个 btrfs 文件系统: + +`sudo mkfs.btrfs --metadata raid1 --data raid1 {{/dev/sda}} {{/dev/sdb}} {{/dev/sdN}}` + +- 为文件系统设置一个标签(可选): + +`sudo mkfs.btrfs --label "{{label}}" {{/dev/sda}} [{{/dev/sdN}}]` diff --git a/pages.zh/linux/mkfs.cramfs.md b/pages.zh/linux/mkfs.cramfs.md new file mode 100644 index 000000000..dc1cc80db --- /dev/null +++ b/pages.zh/linux/mkfs.cramfs.md @@ -0,0 +1,12 @@ +# mkfs.cramfs + +> 创建一个 ROM 文件系统,放置在分区内。 +> 更多信息:. + +- 在设备 b 的第 1 个分区内创建一个 ROM 文件系统(`sdb1`): + +`mkfs.cramfs {{/dev/sdb1}}` + +- 创建一个带有卷名的 ROM 文件系统: + +`mkfs.cramfs -n {{volume_name}} {{/dev/sdb1}}` diff --git a/pages.zh/linux/mkfs.exfat.md b/pages.zh/linux/mkfs.exfat.md new file mode 100644 index 000000000..befe10bf5 --- /dev/null +++ b/pages.zh/linux/mkfs.exfat.md @@ -0,0 +1,16 @@ +# mkfs.exfat + +> 在分区内创建一个 exFAT 文件系统。 +> 更多信息:. + +- 在设备 b 的分区 1 内创建一个 exFAT 文件系统(`sdb1`): + +`mkfs.exfat {{/dev/sdb1}}` + +- 创建一个带有卷名的文件系统: + +`mkfs.exfat -n {{volume_name}} {{/dev/sdb1}}` + +- 创建一个带有卷 ID 的文件系统: + +`mkfs.exfat -i {{volume_id}} {{/dev/sdb1}}` diff --git a/pages.zh/linux/mkfs.ext4.md b/pages.zh/linux/mkfs.ext4.md new file mode 100644 index 000000000..18a8cabbd --- /dev/null +++ b/pages.zh/linux/mkfs.ext4.md @@ -0,0 +1,12 @@ +# mkfs.ext4 + +> 在分区内创建一个 ext4 文件系统。 +> 更多信息:. + +- 在设备 b 的分区 1 内创建一个 ext4 文件系统(`sdb1`): + +`sudo mkfs.ext4 {{/dev/sdb1}}` + +- 创建一个带有卷标签的 ext4 文件系统: + +`sudo mkfs.ext4 -L {{volume_label}} {{/dev/sdb1}}` diff --git a/pages.zh/linux/mkfs.f2fs.md b/pages.zh/linux/mkfs.f2fs.md new file mode 100644 index 000000000..cc7a5690a --- /dev/null +++ b/pages.zh/linux/mkfs.f2fs.md @@ -0,0 +1,12 @@ +# mkfs.f2fs + +> 在分区内创建一个 F2FS 文件系统。 +> 更多信息:. + +- 在设备 b 的第 1 个分区内创建一个 F2FS 文件系统(`sdb1`): + +`sudo mkfs.f2fs {{/dev/sdb1}}` + +- 创建一个带有卷标签的 F2FS 文件系统: + +`sudo mkfs.f2fs -l {{volume_label}} {{/dev/sdb1}}` diff --git a/pages.zh/linux/mkfs.fat.md b/pages.zh/linux/mkfs.fat.md new file mode 100644 index 000000000..b66de538b --- /dev/null +++ b/pages.zh/linux/mkfs.fat.md @@ -0,0 +1,20 @@ +# mkfs.fat + +> 在分区内创建一个 MS-DOS 文件系统。 +> 更多信息:. + +- 在设备 b 的分区 1 内创建一个 FAT 文件系统(`sdb1`): + +`mkfs.fat {{/dev/sdb1}}` + +- 创建一个带有卷名的文件系统: + +`mkfs.fat -n {{volume_name}} {{/dev/sdb1}}` + +- 创建一个带有卷 ID 的文件系统: + +`mkfs.fat -i {{volume_id}} {{/dev/sdb1}}` + +- 使用 5 个而不是 2 个文件分配表: + +`mkfs.fat -f 5 {{/dev/sdb1}}` diff --git a/pages.zh/linux/mkfs.md b/pages.zh/linux/mkfs.md new file mode 100644 index 000000000..a1c31af36 --- /dev/null +++ b/pages.zh/linux/mkfs.md @@ -0,0 +1,17 @@ +# mkfs + +> 在硬盘分区上建立一个 Linux 文件系统。 +> 该命令已被废弃,建议使用特定文件系统的 mkfs. 工具。 +> 更多信息:. + +- 在分区上建立一个 Linux ext2 文件系统: + +`mkfs {{path/to/partition}}` + +- 建立指定类型的文件系统: + +`mkfs -t {{ext4}} {{path/to/partition}}` + +- 建立指定类型的文件系统并检查坏块: + +`mkfs -c -t {{ntfs}} {{path/to/partition}}` diff --git a/pages.zh/linux/mkfs.minix.md b/pages.zh/linux/mkfs.minix.md new file mode 100644 index 000000000..1dab3970a --- /dev/null +++ b/pages.zh/linux/mkfs.minix.md @@ -0,0 +1,8 @@ +# mkfs.minix + +> 在分区内创建一个 Minix 文件系统。 +> 更多信息:. + +- 在设备 b 的分区 1 内创建一个 Minix 文件系统(`sdb1`): + +`mkfs.minix {{/dev/sdb1}}` diff --git a/pages.zh/linux/mkfs.ntfs.md b/pages.zh/linux/mkfs.ntfs.md new file mode 100644 index 000000000..c9903bb15 --- /dev/null +++ b/pages.zh/linux/mkfs.ntfs.md @@ -0,0 +1,16 @@ +# mkfs.ntfs + +> 在分区内创建一个 NTFS 文件系统。 +> 更多信息:. + +- 在设备 b 的分区 1 内创建一个 NTFS 文件系统(`sdb1`): + +`mkfs.ntfs {{/dev/sdb1}}` + +- 创建一个带有卷标签的文件系统: + +`mkfs.ntfs -L {{volume_label}} {{/dev/sdb1}}` + +- 创建一个带有特定 UUID 的文件系统: + +`mkfs.ntfs -U {{UUID}} {{/dev/sdb1}}` diff --git a/pages.zh/linux/mkfs.vfat.md b/pages.zh/linux/mkfs.vfat.md new file mode 100644 index 000000000..04ad841fd --- /dev/null +++ b/pages.zh/linux/mkfs.vfat.md @@ -0,0 +1,20 @@ +# mkfs.vfat + +> 在分区内创建一个 MS-DOS 文件系统。 +> 更多信息:. + +- 在设备 b 的分区 1 内创建一个 vfat 文件系统(`sdb1`): + +`mkfs.vfat {{/dev/sdb1}}` + +- 创建一个带有卷名的文件系统: + +`mkfs.vfat -n {{volume_name}} {{/dev/sdb1}}` + +- 创建一个带有卷 ID 的文件系统: + +`mkfs.vfat -i {{volume_id}} {{/dev/sdb1}}` + +- 使用 5 个而不是 2 个文件分配表: + +`mkfs.vfat -f 5 {{/dev/sdb1}}` diff --git a/pages.zh/linux/poweroff.md b/pages.zh/linux/poweroff.md index 72ed7b764..b4663067f 100644 --- a/pages.zh/linux/poweroff.md +++ b/pages.zh/linux/poweroff.md @@ -1,7 +1,7 @@ # poweroff > 关闭系统。 -> 更多信息:. +> 更多信息:. - 关闭系统电源: diff --git a/pages.zh/linux/readelf.md b/pages.zh/linux/readelf.md index ec13133dc..f5ed432b4 100644 --- a/pages.zh/linux/readelf.md +++ b/pages.zh/linux/readelf.md @@ -1,7 +1,7 @@ # readelf > 显示 EFI 文件信息。 -> 更多信息:. +> 更多信息:. - 显示 ELF 所有文件信息: diff --git a/pages.zh/linux/sed.md b/pages.zh/linux/sed.md new file mode 100644 index 000000000..13d16ece2 --- /dev/null +++ b/pages.zh/linux/sed.md @@ -0,0 +1,33 @@ +# sed + +> 以脚本方式编辑文本。 +> 参见:`awk`, `ed`. +> 更多信息:. + +- 将所有输入行中出现的 `apple`(基本正则语法)替换为 `mango`(基本正则语法),并将结果打印到 `stdout`: + +`{{命令}} | sed 's/apple/mango/g'` + +- 将所有输入行中出现的 `apple`(扩展正则语法)替换为 `APPLE` (扩展正则语法),并将结果打印到 `stdout`: + +`{{命令}} | sed -E 's/(apple)/\U\1/g'` + +- 用 `mango`(基本正则语法)替换特定文件中出现的所有 `apple`(基本正则语法),并覆盖原文件: + +`sed -i 's/apple/mango/g' {{路径/到/文件}}` + +- 执行特定的脚本,并将结果打印到 `stdout`: + +`{{命令}} | sed -f {{路径/到/脚本.sed}}` + +- 打印第一行到 `stdout`: + +`{{命令}} | sed -n '1p'` + +- 删除文件第一行: + +`sed -i 1d {{路径/到/文件}}` + +- 插入新行到文件的第一行: + +`sed -i '1i\your new line text\' {{路径/到/文件}}` diff --git a/pages.zh/linux/sleep.md b/pages.zh/linux/sleep.md new file mode 100644 index 000000000..a025c861d --- /dev/null +++ b/pages.zh/linux/sleep.md @@ -0,0 +1,20 @@ +# sleep + +> 延迟指定的一段时间。 +> 更多信息:. + +- 按秒数延迟: + +`sleep {{seconds}}` + +- 延迟 [m]分钟(其他元素 [d]天,[h]小时,[s]秒,[inf]无穷 也可以使用): + +`sleep {{minutes}}m` + +- 延迟 1 [d]天 3 [h]小时: + +`sleep 1d 3h` + +- 在 20 [m]分钟 延迟后执行指定命令: + +`sleep 20m && {{command}}` diff --git a/pages.zh/linux/systemctl.md b/pages.zh/linux/systemctl.md new file mode 100644 index 000000000..0b885b696 --- /dev/null +++ b/pages.zh/linux/systemctl.md @@ -0,0 +1,36 @@ +# systemctl + +> 控制 systemd 系统和服务管理器。 +> 更多信息:. + +- 显示所有正在运行的服务: + +`systemctl status` + +- 列出失败的单元: + +`systemctl --failed` + +- 启动/停止/重启/重新加载/显示服务的状态: + +`systemctl {{start|stop|restart|reload|status}} {{单元}}` + +- 启用/禁用开机时启动的单元: + +`systemctl {{enable/disable}} {{单元}}` + +- 重新加载 systemd,扫描新的或更改的单元: + +`systemctl daemon-reload` + +- 检查单元是否激活/启用/失败: + +`systemctl {{is-active|is-enabled|is-failed}} {{单元}}` + +- 按运行/失败状态过滤列出所有服务/套接字/自动挂载单元: + +`systemctl list-units --type={{service|socket|automount}} --state={{failed|running}}` + +- 显示单元文件的内容和绝对路径: + +`systemctl cat {{单元}}` diff --git a/pages.zh/linux/wg.md b/pages.zh/linux/wg.md new file mode 100644 index 000000000..13c8eeaff --- /dev/null +++ b/pages.zh/linux/wg.md @@ -0,0 +1,24 @@ +# wg + +> 管理 WireGuard 接口配置。 +> 更多信息:. + +- 检查当前激活接口的状态: + +`sudo wg` + +- 生成新的私钥: + +`wg genkey` + +- 从私钥生成公钥: + +`wg pubkey < {{路径/到/私钥}} > {{路径/到/公钥}}` + +- 同时生成公钥和私钥: + +`wg genkey | tee {{路径/到/私钥}} | wg pubkey > {{路径/到/公钥}}` + +- 展示 WireGuard 接口的当前配置: + +`sudo wg showconf {{wg0}}` diff --git a/pages.zh/osx/as.md b/pages.zh/osx/as.md index 7bd81686b..6eede9bb5 100644 --- a/pages.zh/osx/as.md +++ b/pages.zh/osx/as.md @@ -6,16 +6,16 @@ - 汇编文件,将输出写入 a.out: -`as {{文件.s}}` +`as {{路径/到/文件.s}}` - 将输出汇编到给定文件: -`as {{文件.s}} -o {{输出.o}}` +`as {{路径/到/文件.s}} -o {{路径/到/输出.o}}` - 通过跳过空白和注释预处理来更快地生成输出.(应该只用于受信任的编译器): -`as -f {{文件.s}}` +`as -f {{路径/到/文件.s}}` - 在目录列表中包含一个给定路径,以搜索 .include 指令中指定的文件: -`as -I {{目标文件夹}} {{文件.s}}` +`as -I {{目标文件夹}} {{路径/到/文件.s}}` diff --git a/pages.zh/osx/date.md b/pages.zh/osx/date.md index c8d61a344..b3c86996d 100644 --- a/pages.zh/osx/date.md +++ b/pages.zh/osx/date.md @@ -17,4 +17,4 @@ - 使用默认格式显示特定日期(格式化指定 UNIX 时间戳): -`date -r 1473305798` +`date -r {{1473305798}}` diff --git a/pages.zh/osx/dd.md b/pages.zh/osx/dd.md index d5abbbcd3..d1194baad 100644 --- a/pages.zh/osx/dd.md +++ b/pages.zh/osx/dd.md @@ -5,16 +5,16 @@ - 从 isohybrid 文件(如 archlinux-xxx.iso)制作可用于引导系统启动的 USB 驱动器: -`dd if={{文件.iso}} of=/dev/{{usb 设备}}` +`dd if={{文件.iso}} of={{/dev/usb 设备}}` - 将驱动器克隆到具有 4MB 块的另一个驱动器并忽略错误: -`dd if=/dev/{{源设备}} of=/dev/{{目标设备}} bs=4m conv=noerror` +`dd bs=4m conv=noerror if={{/dev/源设备}} of={{/dev/目标设备}}` -- 使用内核随机驱动程序生成 100 个随机字节的文件: +- 使用内核随机驱动程序生成指定数量个随机字节的文件: -`dd if=/dev/urandom of={{目标驱动器,接收随机数据文件名}} bs=100 count=1` +`dd bs={{100}} count={{1}} if=/dev/urandom of={{目标驱动器,接收随机数据文件名}}` - 对磁盘的写入性能进行基准测试: -`dd if=/dev/zero of={{1GB 的文件名}} bs=1024 count=1000000` +`dd bs={{1024}} count={{1000000}} if=/dev/zero of={{1GB 的文件名}}` diff --git a/pages.zh/osx/ping.md b/pages.zh/osx/ping.md index 899a79043..64fc54b5c 100644 --- a/pages.zh/osx/ping.md +++ b/pages.zh/osx/ping.md @@ -11,18 +11,18 @@ `ping -c {{次数}} "{{主机}}"` -- Ping `主机` , 指定请求之间的间隔(以`秒`为单位)(默认为 1 秒): +- Ping 主机 , 指定请求之间的间隔(以秒为单位)(默认为 1 秒): `ping -i {{秒}} "{{主机}}"` -- Ping `主机`, 但不尝试查找地址的符号名: +- Ping 主机, 但不尝试查找地址的符号名: `ping -n "{{主机}}"` -- Ping `主机` 并在收到数据包时响铃(如果您的终端支持): +- Ping 主机 并在收到数据包时响铃(如果您的终端支持): `ping -a "{{主机}}"` -- Ping `主机` 并打印接收数据包的时间(此选项是 Apple 的附加项): +- Ping 主机 并打印接收数据包的时间(此选项是 Apple 的附加项): `ping --apple-time "{{主机}}"` diff --git a/pages.zh/osx/qlmanage.md b/pages.zh/osx/qlmanage.md index 0559ef1c2..cfa1d83d4 100644 --- a/pages.zh/osx/qlmanage.md +++ b/pages.zh/osx/qlmanage.md @@ -7,7 +7,7 @@ `qlmanage -p {{路径/到/文件1 路径/到/文件2 ...}}` -- 计算生成当前目录中所有 jpeg 文件的缩略图,300px 宽 png 格式,并将它们放在一个指定目录中: +- 计算生成当前目录中所有 JPEG 文件的缩略图,300px 宽 PNG 格式,并将它们放在一个指定目录中: `qlmanage {{*.jpg}} -t -s {{300}} {{指定目录}}` diff --git a/pages.zh/osx/shuf.md b/pages.zh/osx/shuf.md index c2997180a..c57554684 100644 --- a/pages.zh/osx/shuf.md +++ b/pages.zh/osx/shuf.md @@ -9,12 +9,12 @@ - 只输出结果的前 5 条: -`shuf --head-count={{5}} {{文件名}}` +`shuf --head-count=5 {{路径/到/文件}}` - 将结果输出写入另一个文件: -`shuf {{文件名}} --output={{输出_文件名}}` +`shuf {{路径/到/输入文件}} --output={{路径/到/输出文件}}` - 生成范围(1-10)内的随机数: -`shuf --input-range={{1-10}}` +`shuf --input-range=1-10` diff --git a/pages.zh/osx/split.md b/pages.zh/osx/split.md index 456f00e50..0a699da56 100644 --- a/pages.zh/osx/split.md +++ b/pages.zh/osx/split.md @@ -5,12 +5,12 @@ - 分割一个文件,每个分割部分有 10 行(除了最后一个): -`split -l {{10}} {{文件名}}` +`split -l 10 {{路径/到/文件}}` - 用正则表达式拆分文件。匹配行将是下一个输出文件的第一行: -`split -p {{cat|^[dh]og}} {{文件名}}` +`split -p {{cat|^[dh]og}} {{路径/到/文件}}` - 拆分一个文件,每个拆分中有 512 个字节(除了最后一个文件,使用 512K 表示 Kb,512M 表示 Mb): -`split -b {{512}} {{文件名}}` +`split -b 512 {{路径/到/文件}}` diff --git a/pages.zh/osx/uptime.md b/pages.zh/osx/uptime.md new file mode 100644 index 000000000..b29f0b962 --- /dev/null +++ b/pages.zh/osx/uptime.md @@ -0,0 +1,8 @@ +# uptime + +> 告知当前系统运行多长时间和其他信息。 +> 更多信息:. + +- 打印当前时间,运行时间,登录用户数量和其他信息: + +`uptime` diff --git a/pages.zh/windows/logoff.md b/pages.zh/windows/logoff.md index 8e18a386b..13d45fd07 100644 --- a/pages.zh/windows/logoff.md +++ b/pages.zh/windows/logoff.md @@ -7,7 +7,7 @@ `logoff` -- 通过名称和 id 注销会话: +- 通过名称和 ID 注销会话: `logoff {{会话名|会话 id}}` diff --git a/pages.zh/windows/taskkill.md b/pages.zh/windows/taskkill.md index d2102e1ef..2be89d59e 100644 --- a/pages.zh/windows/taskkill.md +++ b/pages.zh/windows/taskkill.md @@ -1,9 +1,9 @@ # taskkill -> 按进程 id 或进程名终止进程。 +> 按进程 ID 或进程名终止进程。 > 更多信息:. -- 通过进程 id 终止进程: +- 通过进程 ID 终止进程: `taskkill /pid {{进程 id}}` diff --git a/pages.zh_TW/common/cat.md b/pages.zh_TW/common/cat.md index 35257f44f..3c7dda332 100644 --- a/pages.zh_TW/common/cat.md +++ b/pages.zh_TW/common/cat.md @@ -1,7 +1,7 @@ # cat > 連接檔案並印出檔案的內容。 -> 更多資訊:. +> 更多資訊:. - 將檔案的內容印在標準輸出: diff --git a/pages.zh_TW/common/clamav.md b/pages.zh_TW/common/clamav.md index 1d2ba878c..8716aa09f 100644 --- a/pages.zh_TW/common/clamav.md +++ b/pages.zh_TW/common/clamav.md @@ -1,4 +1,4 @@ -# clamav +# ClamAV > 這是 `clamdscan` 命令的一個別名。 > 更多資訊:. diff --git a/pages.zh_TW/common/diff.md b/pages.zh_TW/common/diff.md index 5d8610b2a..036df6e47 100644 --- a/pages.zh_TW/common/diff.md +++ b/pages.zh_TW/common/diff.md @@ -1,7 +1,7 @@ # diff > 比較兩個檔案或目錄間的差異。 -> 更多資訊:. +> 更多資訊:. - 比較兩檔案,列出 `舊檔案` 相異於 `新檔案` 而需更改之處,以讓兩者相同: diff --git a/pages.zh_TW/common/docker.md b/pages.zh_TW/common/docker.md index ab917c0c2..b9ed1d3ee 100644 --- a/pages.zh_TW/common/docker.md +++ b/pages.zh_TW/common/docker.md @@ -4,7 +4,7 @@ > 此命令也有關於其子命令的文件,例如:`docker run`. > 更多資訊:. -- 列出所有 docker 容器(包括停止的容器): +- 列出所有 Docker 容器(包括停止的容器): `docker ps --all` @@ -16,7 +16,7 @@ `docker {{start|stop}} {{容器名稱}}` -- 從 docker registry 中拉取映像檔: +- 從 Docker registry 中拉取映像檔: `docker pull {{映像檔}}` diff --git a/pages.zh_TW/common/fossil-ci.md b/pages.zh_TW/common/fossil-ci.md index 826beb646..8150523b3 100644 --- a/pages.zh_TW/common/fossil-ci.md +++ b/pages.zh_TW/common/fossil-ci.md @@ -1,6 +1,6 @@ -# fossil-ci +# fossil ci -> 這是 `fossil-commit` 命令的一個別名。 +> 這是 `fossil commit`.命令的一個別名。 > 更多資訊:. - 原命令的文件在: diff --git a/pages.zh_TW/common/fossil-delete.md b/pages.zh_TW/common/fossil-delete.md index b277c2000..3a330d6a3 100644 --- a/pages.zh_TW/common/fossil-delete.md +++ b/pages.zh_TW/common/fossil-delete.md @@ -1,4 +1,4 @@ -# fossil-delete +# fossil delete > 這是 `fossil rm` 命令的一個別名。 > 更多資訊:. diff --git a/pages.zh_TW/common/fossil-forget.md b/pages.zh_TW/common/fossil-forget.md index c539cea45..23035a603 100644 --- a/pages.zh_TW/common/fossil-forget.md +++ b/pages.zh_TW/common/fossil-forget.md @@ -1,4 +1,4 @@ -# fossil-forget +# fossil forget > 這是 `fossil rm` 命令的一個別名。 > 更多資訊:. diff --git a/pages.zh_TW/common/fossil-new.md b/pages.zh_TW/common/fossil-new.md index 92a4dec43..414e7005c 100644 --- a/pages.zh_TW/common/fossil-new.md +++ b/pages.zh_TW/common/fossil-new.md @@ -1,6 +1,6 @@ -# fossil-new +# fossil new -> 這是 `fossil-init` 命令的一個別名。 +> 這是 `fossil init`.命令的一個別名。 > 更多資訊:. - 原命令的文件在: diff --git a/pages.zh_TW/common/gh-cs.md b/pages.zh_TW/common/gh-cs.md index c9dd4dff5..469e974d1 100644 --- a/pages.zh_TW/common/gh-cs.md +++ b/pages.zh_TW/common/gh-cs.md @@ -1,6 +1,6 @@ -# gh-cs +# gh cs -> 這是 `gh-codespace` 命令的一個別名。 +> 這是 `gh codespace`.命令的一個別名。 > 更多資訊:. - 原命令的文件在: diff --git a/pages.zh_TW/common/gnmic-sub.md b/pages.zh_TW/common/gnmic-sub.md index 009229d25..bc7257c0b 100644 --- a/pages.zh_TW/common/gnmic-sub.md +++ b/pages.zh_TW/common/gnmic-sub.md @@ -1,4 +1,4 @@ -# gnmic-sub +# gnmic sub > 這是 `gnmic subscribe` 命令的一個別名。 > 更多資訊:. diff --git a/pages.zh_TW/common/mkdir.md b/pages.zh_TW/common/mkdir.md index d8e610ec8..0a1921ee5 100644 --- a/pages.zh_TW/common/mkdir.md +++ b/pages.zh_TW/common/mkdir.md @@ -9,8 +9,8 @@ - 遞迴建立目錄,若上層目錄尚未被建立則會一併建立: -`mkdir -p {{目錄/完整/路徑}}` +`mkdir {{-p|--parents} {{目錄/完整/路徑}}` - 使用指定的權限建立新目錄: -`mkdir -m {{rwxrw-r--}} {{目錄/完整/路徑}}` +`mkdir {{-m|--mode}} {{rwxrw-r--}} {{目錄/完整/路徑}}` diff --git a/pages.zh_TW/common/pio-init.md b/pages.zh_TW/common/pio-init.md index b4809a7cc..131130a63 100644 --- a/pages.zh_TW/common/pio-init.md +++ b/pages.zh_TW/common/pio-init.md @@ -1,4 +1,4 @@ -# pio-init +# pio init > 這是 `pio project` 命令的一個別名。 diff --git a/pages.zh_TW/common/tlmgr-arch.md b/pages.zh_TW/common/tlmgr-arch.md index fa2405ab6..0c5e3a185 100644 --- a/pages.zh_TW/common/tlmgr-arch.md +++ b/pages.zh_TW/common/tlmgr-arch.md @@ -1,4 +1,4 @@ -# tlmgr-arch +# tlmgr arch > 這是 `tlmgr platform` 命令的一個別名。 > 更多資訊:. diff --git a/pages.zh_TW/common/touch.md b/pages.zh_TW/common/touch.md index c5271284b..298cab84f 100644 --- a/pages.zh_TW/common/touch.md +++ b/pages.zh_TW/common/touch.md @@ -1,7 +1,7 @@ # touch > 改變檔案的存取與修改時間。 -> 更多資訊:. +> 更多資訊:. - 建立新檔案,或更新現存檔案的存取與修改時間: diff --git a/pages.zh_TW/linux/ip-route-list.md b/pages.zh_TW/linux/ip-route-list.md index e5e8d16eb..3fe42024f 100644 --- a/pages.zh_TW/linux/ip-route-list.md +++ b/pages.zh_TW/linux/ip-route-list.md @@ -1,6 +1,6 @@ -# ip-route-list +# ip route list -> 這是 `ip-route-show` 命令的一個別名。 +> 這是 `ip route show`.命令的一個別名。 - 原命令的文件在: diff --git a/pages/android/dumpsys.md b/pages/android/dumpsys.md index 712748a48..531ddc698 100644 --- a/pages/android/dumpsys.md +++ b/pages/android/dumpsys.md @@ -1,6 +1,6 @@ # dumpsys -> Provide information about Android system services. +> Get information about Android system services. > This command can only be used through `adb shell`. > More information: . diff --git a/pages/android/logcat.md b/pages/android/logcat.md index f934bc45d..82fd3d6ac 100644 --- a/pages/android/logcat.md +++ b/pages/android/logcat.md @@ -17,8 +17,8 @@ - Display logs for a specific PID: -`logcat --pid={{pid}}` +`logcat --pid {{pid}}` - Display logs for the process of a specific package: -`logcat --pid=$(pidof -s {{package}})` +`logcat --pid $(pidof -s {{package}})` diff --git a/pages/common/!.md b/pages/common/!.md index dd5d880c2..7f98faddf 100644 --- a/pages/common/!.md +++ b/pages/common/!.md @@ -1,7 +1,7 @@ # Exclamation mark > Bash builtin to substitute with a command found in history. -> More information: . +> More information: . - Substitute with the previous command and run it with `sudo`: diff --git a/pages/common/2to3.md b/pages/common/2to3.md index b50154e3a..19f168656 100644 --- a/pages/common/2to3.md +++ b/pages/common/2to3.md @@ -13,11 +13,11 @@ - Convert specific Python 2 language features to Python 3: -`2to3 --write {{path/to/file.py}} --fix={{raw_input}} --fix={{print}}` +`2to3 --write {{path/to/file.py}} --fix {{raw_input}} --fix {{print}}` - Convert all Python 2 language features except the specified ones to Python 3: -`2to3 --write {{path/to/file.py}} --nofix={{has_key}} --nofix={{isinstance}}` +`2to3 --write {{path/to/file.py}} --nofix {{has_key}} --nofix {{isinstance}}` - List all available language features that can be converted from Python 2 to Python 3: @@ -25,8 +25,8 @@ - Convert all Python 2 files in a directory to Python 3: -`2to3 --output-dir={{path/to/python3_directory}} --write-unchanged-files --nobackups {{path/to/python2_directory}}` +`2to3 --output-dir {{path/to/python3_directory}} --write-unchanged-files --nobackups {{path/to/python2_directory}}` - Run 2to3 with multiple threads: -`2to3 --processes={{4}} --output-dir={{path/to/python3_directory}} --write --nobackups --no-diff {{path/to/python2_directory}}` +`2to3 --processes {{4}} --output-dir {{path/to/python3_directory}} --write --nobackups --no-diff {{path/to/python2_directory}}` diff --git a/pages/common/7zr.md b/pages/common/7zr.md index d7d73688f..e09db78e1 100644 --- a/pages/common/7zr.md +++ b/pages/common/7zr.md @@ -1,7 +1,7 @@ # 7zr > File archiver with a high compression ratio. -> Similar to `7z` except that it only supports `.7z` files. +> Similar to `7z` except that it only supports 7z files. > More information: . - [a]rchive a file or directory: diff --git a/pages/common/[.md b/pages/common/[.md index 4a5f1383a..79459de04 100644 --- a/pages/common/[.md +++ b/pages/common/[.md @@ -2,7 +2,7 @@ > Check file types and compare values. > Returns a status of 0 if the condition evaluates to true, 1 if it evaluates to false. -> More information: . +> More information: . - Test if a given variable is equal/not equal to the specified string: diff --git a/pages/common/[[.md b/pages/common/[[.md index 23ebe7572..ff6d3f8f5 100644 --- a/pages/common/[[.md +++ b/pages/common/[[.md @@ -2,7 +2,7 @@ > Check file types and compare values. > Returns a status of 0 if the condition evaluates to true, 1 if it evaluates to false. -> More information: . +> More information: . - Test if a given variable is equal/not equal to the specified string: diff --git a/pages/common/^.md b/pages/common/^.md index 443a46081..1f0824463 100644 --- a/pages/common/^.md +++ b/pages/common/^.md @@ -2,7 +2,7 @@ > Bash builtin to quick substitute a string in the previous command and run the result. > Equivalent to `!!:s^string1^string2`. -> More information: . +> More information: . - Run the previous command replacing `string1` with `string2`: diff --git a/pages/common/accelerate.md b/pages/common/accelerate.md index b7ef88b4e..623adb53d 100644 --- a/pages/common/accelerate.md +++ b/pages/common/accelerate.md @@ -1,4 +1,4 @@ -# Accelerate +# accelerate > A library that enables the same PyTorch code to be run across any distributed configuration. > More information: . diff --git a/pages/common/ack.md b/pages/common/ack.md index 1ca3690ec..a58bba6e6 100644 --- a/pages/common/ack.md +++ b/pages/common/ack.md @@ -18,11 +18,11 @@ - Limit search to files of a specific type: -`ack --type={{ruby}} "{{search_pattern}}"` +`ack --type {{ruby}} "{{search_pattern}}"` - Do not search in files of a specific type: -`ack --type=no{{ruby}} "{{search_pattern}}"` +`ack --type no{{ruby}} "{{search_pattern}}"` - Count the total number of matches found: diff --git a/pages/common/adb-logcat.md b/pages/common/adb-logcat.md index dfb658282..8e2b9e6f3 100644 --- a/pages/common/adb-logcat.md +++ b/pages/common/adb-logcat.md @@ -25,11 +25,11 @@ - Display logs for a specific PID: -`adb logcat --pid={{pid}}` +`adb logcat --pid {{pid}}` - Display logs for the process of a specific package: -`adb logcat --pid=$(adb shell pidof -s {{package}})` +`adb logcat --pid $(adb shell pidof -s {{package}})` - Color the log (usually use with filters): diff --git a/pages/common/age-keygen.md b/pages/common/age-keygen.md index e52e582a4..c6e2eac19 100644 --- a/pages/common/age-keygen.md +++ b/pages/common/age-keygen.md @@ -1,7 +1,7 @@ # age-keygen > Generate `age` key pairs. -> See `age` for how to encrypt/decrypt files. +> See also: `age` for encrypting/decrypting files. > More information: . - Generate a key pair, save it to an unencrypted file, and print the public key to `stdout`: diff --git a/pages/common/age.md b/pages/common/age.md index a2b5f9609..460d013e5 100644 --- a/pages/common/age.md +++ b/pages/common/age.md @@ -1,7 +1,7 @@ # age > A simple, modern and secure file encryption tool. -> See `age-keygen` for how to generate key pairs. +> See also: `age-keygen` for generating key pairs. > More information: . - Generate an encrypted file that can be decrypted with a passphrase: diff --git a/pages/common/ajson.md b/pages/common/ajson.md index 54da01cf0..9d70fc011 100644 --- a/pages/common/ajson.md +++ b/pages/common/ajson.md @@ -1,6 +1,6 @@ # ajson -> Executes JSONPath on JSON objects. +> Execute JSONPath on JSON objects. > More information: . - Read JSON from a file and execute a specified JSONPath expression: diff --git a/pages/common/alacritty.md b/pages/common/alacritty.md index dbc67ebe5..58a5cb981 100644 --- a/pages/common/alacritty.md +++ b/pages/common/alacritty.md @@ -15,10 +15,10 @@ `alacritty -e {{command}}` -- Use an alternative configuration file (defaults to `$XDG_CONFIG_HOME/alacritty/alacritty.yml`): +- Use an alternative configuration file (defaults to `$XDG_CONFIG_HOME/alacritty/alacritty.toml`): -`alacritty --config-file {{path/to/config.yml}}` +`alacritty --config-file {{path/to/config.toml}}` -- Run with live configuration reload enabled (can also be enabled by default in `alacritty.yml`): +- Run with live configuration reload enabled (can also be enabled by default in `alacritty.toml`): -`alacritty --live-config-reload --config-file {{path/to/config.yml}}` +`alacritty --live-config-reload --config-file {{path/to/config.toml}}` diff --git a/pages/common/alias.md b/pages/common/alias.md index af01ccf83..cf59fd154 100644 --- a/pages/common/alias.md +++ b/pages/common/alias.md @@ -1,6 +1,6 @@ # alias -> Creates aliases -- words that are replaced by a command string. +> Create aliases - words that are replaced by a command string. > Aliases expire with the current shell session unless defined in the shell's configuration file, e.g. `~/.bashrc`. > More information: . diff --git a/pages/common/amass-db.md b/pages/common/amass-db.md deleted file mode 100644 index 78185cbd5..000000000 --- a/pages/common/amass-db.md +++ /dev/null @@ -1,20 +0,0 @@ -# amass db - -> Interact with an Amass database. -> More information: . - -- List all performed enumerations in the database: - -`amass db -dir {{path/to/database_directory}} -list` - -- Show results for a specified enumeration index and [d]omain name: - -`amass db -dir {{path/to/database_directory}} -d {{domain_name}} -enum {{index_from_list}} -show` - -- List all found subdomains of a [d]omain within an enumeration: - -`amass db -dir {{path/to/database_directory}} -d {{domain_name}} -enum {{index_from_list}} -names` - -- Show a summary of the found subdomains within an enumeration: - -`amass db -dir {{path/to/database_directory}} -d {{domain_name}} -enum {{index_from_list}} -summary` diff --git a/pages/common/amass-enum.md b/pages/common/amass-enum.md index f7be6935b..af850d0e4 100644 --- a/pages/common/amass-enum.md +++ b/pages/common/amass-enum.md @@ -1,17 +1,17 @@ # amass enum > Find subdomains of a domain. -> More information: . +> More information: . -- Passively find subdomains of a [d]omain: +- Find (passively) subdomains of a [d]omain: -`amass enum -passive -d {{domain_name}}` +`amass enum -d {{domain_name}}` - Find subdomains of a [d]omain and actively verify them attempting to resolve the found subdomains: `amass enum -active -d {{domain_name}} -p {{80,443,8080}}` -- Do a brute force search for subdomains: +- Do a brute force search for sub[d]omains: `amass enum -brute -d {{domain_name}}` @@ -19,6 +19,10 @@ `amass enum -o {{output_file}} -d {{domain_name}}` -- Save the results to a database: +- Save terminal output to a file and other detailed output to a directory: -`amass enum -o {{output_file}} -dir {{path/to/database_directory}}` +`amass enum -o {{output_file}} -dir {{path/to/directory}} -d {{domain_name}}` + +- List all available data sources: + +`amass enum -list` diff --git a/pages/common/amass-intel.md b/pages/common/amass-intel.md index 63f2b29a1..f9ef04e6c 100644 --- a/pages/common/amass-intel.md +++ b/pages/common/amass-intel.md @@ -1,9 +1,9 @@ # amass intel > Collect open source intel on an organisation like root domains and ASNs. -> More information: . +> More information: . -- Find root domains in an IP address range: +- Find root domains in an IP [addr]ess range: `amass intel -addr {{192.168.0.1-254}}` @@ -15,7 +15,7 @@ `amass intel -whois -d {{domain_name}}` -- Find ASNs belonging to an organisation: +- Find ASNs belonging to an [org]anisation: `amass intel -org {{organisation_name}}` @@ -26,3 +26,7 @@ - Save results to a text file: `amass intel -o {{output_file}} -whois -d {{domain_name}}` + +- List all available data sources: + +`amass intel -list` diff --git a/pages/common/amass.md b/pages/common/amass.md index b3b87e9bd..aae7b17b8 100644 --- a/pages/common/amass.md +++ b/pages/common/amass.md @@ -1,20 +1,20 @@ # amass > In-depth Attack Surface Mapping and Asset Discovery tool. -> Some subcommands such as `amass db` have their own usage documentation. -> More information: . +> Some subcommands such as `amass intel` have their own usage documentation. +> More information: . - Execute an Amass subcommand: -`amass {{subcommand}}` +`amass {{intel|enum}} {{options}}` - Display help: `amass -help` -- Display help on an Amass subcommand (like `intel`, `enum`, etc.): +- Display help on an Amass subcommand: -`amass -help {{subcommand}}` +`amass {{intel|enum}} -help` - Display version: diff --git a/pages/common/ansible-playbook.md b/pages/common/ansible-playbook.md index c7b338452..8d3e0a38f 100644 --- a/pages/common/ansible-playbook.md +++ b/pages/common/ansible-playbook.md @@ -26,3 +26,7 @@ - Run tasks in a playbook starting at a specific task: `ansible-playbook {{playbook}} --start-at {{task_name}}` + +- Run tasks in a playbook without making any changes (dry-run): + +`ansible-playbook {{playbook}} --check --diff` diff --git a/pages/common/ansible-vault.md b/pages/common/ansible-vault.md index 66c242f58..27573b5c5 100644 --- a/pages/common/ansible-vault.md +++ b/pages/common/ansible-vault.md @@ -1,6 +1,6 @@ # ansible-vault -> Encrypts & decrypts values, data structures and files within Ansible projects. +> Encrypt and decrypt values, data structures and files within Ansible projects. > More information: . - Create a new encrypted vault file with a prompt for a password: @@ -9,11 +9,11 @@ - Create a new encrypted vault file using a vault key file to encrypt it: -`ansible-vault create --vault-password-file={{password_file}} {{vault_file}}` +`ansible-vault create --vault-password-file {{password_file}} {{vault_file}}` - Encrypt an existing file using an optional password file: -`ansible-vault encrypt --vault-password-file={{password_file}} {{vault_file}}` +`ansible-vault encrypt --vault-password-file {{password_file}} {{vault_file}}` - Encrypt a string using Ansible's encrypted string format, displaying interactive prompts: @@ -21,8 +21,8 @@ - View an encrypted file, using a password file to decrypt: -`ansible-vault view --vault-password-file={{password_file}} {{vault_file}}` +`ansible-vault view --vault-password-file {{password_file}} {{vault_file}}` - Re-key already encrypted vault file with a new password file: -`ansible-vault rekey --vault-password-file={{old_password_file}} --new-vault-password-file={{new_password_file}} {{vault_file}}` +`ansible-vault rekey --vault-password-file {{old_password_file}} --new-vault-password-file {{new_password_file}} {{vault_file}}` diff --git a/pages/common/ansiweather.md b/pages/common/ansiweather.md index 49ae96e0e..4f30a1597 100644 --- a/pages/common/ansiweather.md +++ b/pages/common/ansiweather.md @@ -1,6 +1,6 @@ # ansiweather -> A shell script for displaying the current weather conditions in your terminal. +> Display the current weather conditions in your terminal. > More information: . - Display a [f]orecast using metric [u]nits for the next seven days for a specific [l]ocation: diff --git a/pages/common/anytopnm.md b/pages/common/anytopnm.md index af7381906..e3f4c805d 100644 --- a/pages/common/anytopnm.md +++ b/pages/common/anytopnm.md @@ -1,6 +1,6 @@ # anytopnm -> Converts an arbitrary type of image file to common image formats. +> Convert an arbitrary type of image file to common image formats. > More information: . - Convert an input image to PBM, PGM, or PPM format irrespective of the input type: diff --git a/pages/common/apg.md b/pages/common/apg.md index 8778068ca..59902940e 100644 --- a/pages/common/apg.md +++ b/pages/common/apg.md @@ -1,6 +1,6 @@ # apg -> Creates arbitrarily complex random passwords. +> Create arbitrarily complex random passwords. > More information: . - Create random passwords (default password length is 8): diff --git a/pages/common/apkleaks.md b/pages/common/apkleaks.md new file mode 100644 index 000000000..17c57fef7 --- /dev/null +++ b/pages/common/apkleaks.md @@ -0,0 +1,17 @@ +# apkleaks + +> Expose URIs, endpoints, and secrets from APK files. +> Note: APKLeaks utilizes the `jadx` disassembler to decompile APK files. +> More information: . + +- Scan an APK [f]ile for URIs, endpoints, and secrets: + +`apkleaks --file {{path/to/file.apk}}` + +- Scan and save the [o]utput to a specific file: + +`apkleaks --file {{path/to/file.apk}} --output {{path/to/output.txt}}` + +- Pass `jadx` disassembler [a]rguments: + +`apkleaks --file {{path/to/file.apk}} --args "{{--threads-count 5 --deobf}}"` diff --git a/pages/common/apm.md b/pages/common/apm.md index 793af24ed..1b35576be 100644 --- a/pages/common/apm.md +++ b/pages/common/apm.md @@ -1,7 +1,7 @@ # apm > Atom editor Package Manager. -> See `atom`. +> See also: `atom`. > More information: . - Install a package from or a theme from : diff --git a/pages/common/archwiki-rs.md b/pages/common/archwiki-rs.md new file mode 100644 index 000000000..9d4a4305e --- /dev/null +++ b/pages/common/archwiki-rs.md @@ -0,0 +1,20 @@ +# archwiki-rs + +> Read, search and download pages from the ArchWiki. +> More information: . + +- Read a page from the ArchWiki: + +`archwiki-rs read-page {{page_title}}` + +- Read a page from the ArchWiki in the specified format: + +`archwiki-rs read-page {{page_title}} --format {{plain-text|markdown|html}}` + +- Search the ArchWiki for pages containing the provided text: + +`archwiki-rs search "{{search_text}}" --text-search` + +- Download a local copy of all ArchWiki pages into a specific directory: + +`archwiki-rs local-wiki {{/path/to/local_wiki}} --format {{plain-text|markdown|html}}` diff --git a/pages/common/arduino-builder.md b/pages/common/arduino-builder.md index 8b7695adf..d31e7d1e4 100644 --- a/pages/common/arduino-builder.md +++ b/pages/common/arduino-builder.md @@ -16,7 +16,7 @@ `arduino-builder -build-path {{path/to/build_directory}}` -- Use a build option file, instead of specifying `--hardware`, `--tools`, etc. manually every time: +- Use a build option file, instead of specifying `-hardware`, `-tools`, etc. manually every time: `arduino-builder -build-options-file {{path/to/build.options.json}}` diff --git a/pages/common/aria2c.md b/pages/common/aria2c.md index 0a5cc6830..a13b70c2e 100644 --- a/pages/common/aria2c.md +++ b/pages/common/aria2c.md @@ -10,7 +10,7 @@ - Download a file from a URI with a specific output name: -`aria2c --out={{path/to/file}} "{{url}}"` +`aria2c --out {{path/to/file}} "{{url}}"` - Download multiple different files in parallel: @@ -18,20 +18,20 @@ - Download the same file from different mirrors and verify the checksum of the downloaded file: -`aria2c --checksum={{sha-256}}={{hash}} "{{url1}}" "{{url2}}" "{{urlN}}"` +`aria2c --checksum {{sha-256}}={{hash}} "{{url1}}" "{{url2}}" "{{urlN}}"` - Download the URIs listed in a file with a specific number of parallel downloads: -`aria2c --input-file={{path/to/file}} --max-concurrent-downloads={{number_of_downloads}}` +`aria2c --input-file {{path/to/file}} --max-concurrent-downloads {{number_of_downloads}}` - Download with multiple connections: -`aria2c --split={{number_of_connections}} "{{url}}"` +`aria2c --split {{number_of_connections}} "{{url}}"` - FTP download with username and password: -`aria2c --ftp-user={{username}} --ftp-passwd={{password}} "{{url}}"` +`aria2c --ftp-user {{username}} --ftp-passwd {{password}} "{{url}}"` - Limit download speed in bytes/s: -`aria2c --max-download-limit={{speed}} "{{url}}"` +`aria2c --max-download-limit {{speed}} "{{url}}"` diff --git a/pages/common/asciidoctor.md b/pages/common/asciidoctor.md index c5e939372..8c1b46d6d 100644 --- a/pages/common/asciidoctor.md +++ b/pages/common/asciidoctor.md @@ -9,7 +9,7 @@ - Convert a specific `.adoc` file to HTML and link a CSS stylesheet: -`asciidoctor -a stylesheet={{path/to/stylesheet.css}} {{path/to/file.adoc}}` +`asciidoctor -a stylesheet {{path/to/stylesheet.css}} {{path/to/file.adoc}}` - Convert a specific `.adoc` file to embeddable HTML, removing everything except the body: @@ -17,4 +17,4 @@ - Convert a specific `.adoc` file to a PDF using the `asciidoctor-pdf` library: -`asciidoctor --backend={{pdf}} --require={{asciidoctor-pdf}} {{path/to/file.adoc}}` +`asciidoctor --backend {{pdf}} --require {{asciidoctor-pdf}} {{path/to/file.adoc}}` diff --git a/pages/linux/aspell.md b/pages/common/aspell.md similarity index 100% rename from pages/linux/aspell.md rename to pages/common/aspell.md diff --git a/pages/common/atom.md b/pages/common/atom.md index 11d503b0b..42daa1260 100644 --- a/pages/common/atom.md +++ b/pages/common/atom.md @@ -2,6 +2,7 @@ > A cross-platform pluggable text editor. > Plugins are managed by `apm`. +> Note: Atom has been sunsetted and is no longer actively maintained. > More information: . - Open a file or directory: diff --git a/pages/common/audacious.md b/pages/common/audacious.md index 2ce42e669..08fbd1ac7 100755 --- a/pages/common/audacious.md +++ b/pages/common/audacious.md @@ -1,6 +1,7 @@ # audacious > An open-source audio player. Indirectly based on XMMS. +> See also: `audtool`, `clementine`, `mpc`, `ncmpcpp`. > More information: . - Launch the GUI: diff --git a/pages/common/audtool.md b/pages/common/audtool.md new file mode 100755 index 000000000..29b39451b --- /dev/null +++ b/pages/common/audtool.md @@ -0,0 +1,37 @@ +# audtool + +> Control Audacious using commands. +> See also: `audacious`. +> More information: . + +- Play/pause audio playback: + +`audtool playback-playpause` + +- Print artist, album, and song name of currently playing song: + +`audtool current-song` + +- Set volume of audio playback: + +`audtool set-volume {{100}}` + +- Skip to the next song: + +`audtool playlist-advance` + +- Print the bitrate of the current song in kilobits: + +`audtool current-song-bitrate-kbps` + +- Open Audacious in full-screen if hidden: + +`audtool mainwin-show` + +- Display help: + +`audtool help` + +- Display settings: + +`audtool preferences-show` diff --git a/pages/common/autoconf.md b/pages/common/autoconf.md index 701d007d5..d8b18e956 100644 --- a/pages/common/autoconf.md +++ b/pages/common/autoconf.md @@ -13,4 +13,4 @@ - Generate a configuration script from the specified template (even if the input file has not changed) and write the output to a file: -`autoconf --force --output={{outfile}} {{template-file}}` +`autoconf --force --output {{outfile}} {{template-file}}` diff --git a/pages/common/autossh.md b/pages/common/autossh.md index 7a9c04f4c..c967934d1 100644 --- a/pages/common/autossh.md +++ b/pages/common/autossh.md @@ -1,7 +1,7 @@ # autossh > Run, monitor and restart SSH connections. -> Auto-reconnects to keep port forwarding tunnels up. Accepts all `ssh` flags. +> Auto-reconnects to keep port forwarding tunnels up. Accepts all SSH flags. > More information: . - Start an SSH session, restarting when the [M]onitoring port fails to return data: @@ -12,7 +12,7 @@ `autossh -M {{monitor_port}} -L {{local_port}}:localhost:{{remote_port}} {{user}}@{{host}}` -- Fork `autossh` into the background before executing `ssh` and do [N]ot open a remote shell: +- Fork `autossh` into the background before executing SSH and do [N]ot open a remote shell: `autossh -f -M {{monitor_port}} -N "{{ssh_command}}"` @@ -24,6 +24,6 @@ `autossh -f -M 0 -N -o "ServerAliveInterval 10" -o "ServerAliveCountMax 3" -o ExitOnForwardFailure=yes -L {{local_port}}:localhost:{{remote_port}} {{user}}@{{host}}` -- Run in the background, logging `autossh` debug output and `ssh` verbose output to files: +- Run in the background, logging `autossh` debug output and SSH verbose output to files: `AUTOSSH_DEBUG=1 AUTOSSH_LOGFILE={{path/to/autossh_log_file.log}} autossh -f -M {{monitor_port}} -v -E {{path/to/ssh_log_file.log}} {{ssh_command}}` diff --git a/pages/common/avrdude.md b/pages/common/avrdude.md index 7480b2c15..0e96950dd 100644 --- a/pages/common/avrdude.md +++ b/pages/common/avrdude.md @@ -3,7 +3,7 @@ > Driver program for Atmel AVR microcontrollers programming. > More information: . -- [r]ead the flash ROM of a AVR microcontroller with a specific [p]art id: +- [r]ead the flash ROM of a AVR microcontroller with a specific [p]art ID: `avrdude -p {{part_no}} -c {{programmer_id}} -U flash:r:{{file.hex}}:i` diff --git a/pages/common/awk.md b/pages/common/awk.md index f8bf29b0c..fc1346bd2 100644 --- a/pages/common/awk.md +++ b/pages/common/awk.md @@ -27,10 +27,10 @@ `awk '{if ($1 == "foo") print "Exact match foo"; else if ($1 ~ "bar") print "Partial match bar"; else print "Baz"}' {{path/to/file}}` -- Print all lines where the 10th column value equals the specified value: - -`awk '($10 == {{value}})'` - - Print all the lines which the 10th column value is between a min and a max: `awk '($10 >= {{min_value}} && $10 <= {{max_value}})'` + +- Print table of users with UID >=1000 with header and formatted output, using colon as separator (`%-20s` mean: 20 left-align string characters, `%6s` means: 6 right-align string characters): + +`awk 'BEGIN {FS=":";printf "%-20s %6s %25s\n", "Name", "UID", "Shell"} $4 >= 1000 {printf "%-20s %6d %25s\n", $1, $4, $7}' /etc/passwd` diff --git a/pages/common/aws-accessanalyzer.md b/pages/common/aws-accessanalyzer.md new file mode 100644 index 000000000..6415dca97 --- /dev/null +++ b/pages/common/aws-accessanalyzer.md @@ -0,0 +1,36 @@ +# aws accessanalyzer + +> Analyze and review resource policies to identify potential security risks. +> More information: . + +- Create a new Access Analyzer: + +`aws accessanalyzer create-analyzer --analyzer-name {{analyzer_name}} --type {{type}} --tags {{tags}}` + +- Delete an existing Access Analyzer: + +`aws accessanalyzer delete-analyzer --analyzer-arn {{analyzer_arn}}` + +- Get details of a specific Access Analyzer: + +`aws accessanalyzer get-analyzer --analyzer-arn {{analyzer_arn}}` + +- List all Access Analyzers: + +`aws accessanalyzer list-analyzers` + +- Update settings of an Access Analyzer: + +`aws accessanalyzer update-analyzer --analyzer-arn {{analyzer_arn}} --tags {{new_tags}}` + +- Create a new Access Analyzer archive rule: + +`aws accessanalyzer create-archive-rule --analyzer-arn {{analyzer_arn}} --rule-name {{rule_name}} --filter {{filter}}` + +- Delete an Access Analyzer archive rule: + +`aws accessanalyzer delete-archive-rule --analyzer-arn {{analyzer_arn}} --rule-name {{rule_name}}` + +- List all Access Analyzer archive rules: + +`aws accessanalyzer list-archive-rules --analyzer-arn {{analyzer_arn}}` diff --git a/pages/common/aws-acm-pca.md b/pages/common/aws-acm-pca.md new file mode 100644 index 000000000..8f372a278 --- /dev/null +++ b/pages/common/aws-acm-pca.md @@ -0,0 +1,36 @@ +# aws acm-pca + +> AWS Certificate Manager Private Certificate Authority. +> More information: . + +- Create a private certificate authority: + +`aws acm-pca create-certificate-authority --certificate-authority-configuration {{ca_config}} --idempotency-token {{token}} --permanent-deletion-time-in-days {{number}}` + +- Describe a private certificate authority: + +`aws acm-pca describe-certificate-authority --certificate-authority-arn {{ca_arn}}` + +- List private certificate authorities: + +`aws acm-pca list-certificate-authorities` + +- Update a certificate authority: + +`aws acm-pca update-certificate-authority --certificate-authority-arn {{ca_arn}} --certificate-authority-configuration {{ca_config}} --status {{status}}` + +- Delete a private certificate authority: + +`aws acm-pca delete-certificate-authority --certificate-authority-arn {{ca_arn}}` + +- Issue a certificate: + +`aws acm-pca issue-certificate --certificate-authority-arn {{ca_arn}} --certificate-signing-request {{cert_signing_request}} --signing-algorithm {{algorithm}} --validity {{validity}}` + +- Revoke a certificate: + +`aws acm-pca revoke-certificate --certificate-authority-arn {{ca_arn}} --certificate-serial {{serial}} --reason {{reason}}` + +- Get certificate details: + +`aws acm-pca get-certificate --certificate-authority-arn {{ca_arn}} --certificate-arn {{cert_arn}}` diff --git a/pages/common/aws-acm.md b/pages/common/aws-acm.md new file mode 100644 index 000000000..6f06d0b5a --- /dev/null +++ b/pages/common/aws-acm.md @@ -0,0 +1,36 @@ +# aws acm + +> AWS Certificate Manager. +> More information: . + +- Import a certificate: + +`aws acm import-certificate --certificate-arn {{certificate_arn}} --certificate {{certificate}} --private-key {{private_key}} --certificate-chain {{certificate_chain}}` + +- List certificates: + +`aws acm list-certificates` + +- Describe a certificate: + +`aws acm describe-certificate --certificate-arn {{certificate_arn}}` + +- Request a certificate: + +`aws acm request-certificate --domain-name {{domain_name}} --validation-method {{validation_method}}` + +- Delete a certificate: + +`aws acm delete-certificate --certificate-arn {{certificate_arn}}` + +- List certificate validations: + +`aws acm list-certificates --certificate-statuses {{status}}` + +- Get certificate details: + +`aws acm get-certificate --certificate-arn {{certificate_arn}}` + +- Update certificate options: + +`aws acm update-certificate-options --certificate-arn {{certificate_arn}} --options {{options}}` diff --git a/pages/common/aws-amplify.md b/pages/common/aws-amplify.md new file mode 100644 index 000000000..389a9d381 --- /dev/null +++ b/pages/common/aws-amplify.md @@ -0,0 +1,36 @@ +# aws amplify + +> Development platform for building secure, scalable mobile and web applications. +> More information: . + +- Create a new Amplify app: + +`aws amplify create-app --name {{app_name}} --description {{description}} --repository {{repo_url}} --platform {{platform}} --environment-variables {{env_vars}} --tags {{tags}}` + +- Delete an existing Amplify app: + +`aws amplify delete-app --app-id {{app_id}}` + +- Get details of a specific Amplify app: + +`aws amplify get-app --app-id {{app_id}}` + +- List all Amplify apps: + +`aws amplify list-apps` + +- Update settings of an Amplify app: + +`aws amplify update-app --app-id {{app_id}} --name {{new_name}} --description {{new_description}} --repository {{new_repo_url}} --environment-variables {{new_env_vars}} --tags {{new_tags}}` + +- Add a new backend environment to an Amplify app: + +`aws amplify create-backend-environment --app-id {{app_id}} --environment-name {{env_name}} --deployment-artifacts {{artifacts}}` + +- Remove a backend environment from an Amplify app: + +`aws amplify delete-backend-environment --app-id {{app_id}} --environment-name {{env_name}}` + +- List all backend environments in an Amplify app: + +`aws amplify list-backend-environments --app-id {{app_id}}` diff --git a/pages/common/aws-ce.md b/pages/common/aws-ce.md new file mode 100644 index 000000000..f558b5f48 --- /dev/null +++ b/pages/common/aws-ce.md @@ -0,0 +1,36 @@ +# aws-ce + +> Analyze and manage access controls and security settings within your Cloud Environment. +> More information: . + +- Create a new Access Control Analyzer: + +`awe-ce create-analyzer --analyzer-name {{analyzer_name}} --type {{type}} --tags {{tags}}` + +- Delete an existing Access Control Analyzer: + +`awe-ce delete-analyzer --analyzer-arn {{analyzer_arn}}` + +- Get details of a specific Access Control Analyzer: + +`awe-ce get-analyzer --analyzer-arn {{analyzer_arn}}` + +- List all Access Control Analyzers: + +`awe-ce list-analyzers` + +- Update settings of an Access Control Analyzer: + +`awe-ce update-analyzer --analyzer-arn {{analyzer_arn}} --tags {{new_tags}}` + +- Create a new Access Control Analyzer archive rule: + +`awe-ce create-archive-rule --analyzer-arn {{analyzer_arn}} --rule-name {{rule_name}} --filter {{filter}}` + +- Delete an Access Control Analyzer archive rule: + +`awe-ce delete-archive-rule --analyzer-arn {{analyzer_arn}} --rule-name {{rule_name}}` + +- List all Access Control Analyzer archive rules: + +`awe-ce list-archive-rules --analyzer-arn {{analyzer_arn}}` diff --git a/pages/common/aws-glue.md b/pages/common/aws-glue.md index 3d35dafc1..ea16204a7 100644 --- a/pages/common/aws-glue.md +++ b/pages/common/aws-glue.md @@ -1,7 +1,7 @@ # aws glue > CLI for AWS Glue. -> Defines the public endpoint for the AWS Glue service. +> Define the public endpoint for the AWS Glue service. > More information: . - List jobs: diff --git a/pages/common/aws-kendra.md b/pages/common/aws-kendra.md new file mode 100644 index 000000000..d43b4496a --- /dev/null +++ b/pages/common/aws-kendra.md @@ -0,0 +1,28 @@ +# aws kendra + +> CLI for AWS Kendra. +> More information: . + +- Create an index: + +`aws kendra create-index --name {{name}} --role-arn {{role_arn}}` + +- List indexes: + +`aws kendra list-indexes` + +- Describe an index: + +`aws kendra describe-index --id {{index_id}}` + +- List data sources: + +`aws kendra list-data-sources` + +- Describe a data source: + +`aws kendra describe-data-source --id {{data_source_id}}` + +- List search queries: + +`aws kendra list-query-suggestions --index-id {{index_id}} --query-text {{query_text}}` diff --git a/pages/common/az-serial-console.md b/pages/common/az-serial-console.md new file mode 100644 index 000000000..ea094142d --- /dev/null +++ b/pages/common/az-serial-console.md @@ -0,0 +1,13 @@ +# az serial-console + +> Connect to the serial console of a Virtual Machine. +> Part of `azure-cli` (also known as `az`). +> More information: . + +- Connect to a serial console: + +`az serial-console connect --resource-group {{Resource_Group_Name}} --name {{Virtual_Machine_Name}}` + +- Terminate the connection: + +`-]` diff --git a/pages/common/az-sshkey.md b/pages/common/az-sshkey.md index 4a83735f7..e07eb6c14 100644 --- a/pages/common/az-sshkey.md +++ b/pages/common/az-sshkey.md @@ -1,6 +1,6 @@ # az sshkey -> Manage ssh public keys with virtual machines. +> Manage SSH public keys with virtual machines. > Part of `azure-cli` (also known as `az`). > More information: . diff --git a/pages/common/az-vm.md b/pages/common/az-vm.md index 686f66f02..e6d7d3dd0 100644 --- a/pages/common/az-vm.md +++ b/pages/common/az-vm.md @@ -4,11 +4,11 @@ > Part of `azure-cli` (also known as `az`). > More information: . -- List details of available Virtual Machines: +- Display a table of available Virtual Machines: -`az vm list` +`az vm list --output table` -- Create a virtual machine using the default Ubuntu image and generate ssh keys: +- Create a virtual machine using the default Ubuntu image and generate SSH keys: `az vm create --resource-group {{rg}} --name {{vm_name}} --image {{UbuntuLTS}} --admin-user {{azureuser}} --generate-ssh-keys` diff --git a/pages/common/az.md b/pages/common/az.md index f8e11fcce..4cff0f4c4 100644 --- a/pages/common/az.md +++ b/pages/common/az.md @@ -27,3 +27,11 @@ - Manage Azure Network resources: `az network` + +- Start in interactive mode: + +`az interactive` + +- Display help: + +`az --help` diff --git a/pages/common/azurite.md b/pages/common/azurite.md index d2a7d2ca0..15bde6661 100644 --- a/pages/common/azurite.md +++ b/pages/common/azurite.md @@ -3,7 +3,7 @@ > Azure Storage API compatible server (emulator) in local environment. > More information: . -- Use an existing [l]ocation as workspace path: +- Use an existing location as workspace path: `azurite {{-l|--location}} {{path/to/directory}}` @@ -11,7 +11,7 @@ `azurite {{-s|--silent}}` -- Enable [d]ebug log by providing a file path as log destination: +- Enable debug log by providing a file path as log destination: `azurite {{-d|--debug}} {{path/to/debug.log}}` diff --git a/pages/common/b2-tools.md b/pages/common/b2-tools.md new file mode 100644 index 000000000..79e4ec96b --- /dev/null +++ b/pages/common/b2-tools.md @@ -0,0 +1,36 @@ +# b2-tools + +> Access all features of Backblaze B2 Cloud Storage easily. +> More information: . + +- Access your account: + +`b2 authorize_account {{key_id}}` + +- List the existing buckets in your account: + +`b2 list_buckets` + +- Create a bucket, provide the bucket name, and access type (e.g. allPublic or allPrivate): + +`b2 create_bucket {{bucket_name}} {{allPublic|allPrivate}}` + +- Upload a file. Choose a file, bucket, and a folder: + +`b2 upload_file {{bucket_name}} {{path/to/file}} {{folder_name}}` + +- Upload a source directory to a Backblaze B2 bucket destination: + +`b2 sync {{path/to/source_file}} {{bucket_name}}` + +- Copy a file from one bucket to another bucket: + +`b2 copy-file-by-id {{path/to/source_file_id}} {{destination_bucket_name}} {{path/to/b2_file}}` + +- Show the files in your bucket: + +`b2 ls {{bucket_name}}` + +- Remove a "folder" or a set of files matching a pattern: + +`b2 rm {{path/to/folder|pattern}}` diff --git a/pages/common/base32.md b/pages/common/base32.md index 561f9a3cb..9186f0dcc 100644 --- a/pages/common/base32.md +++ b/pages/common/base32.md @@ -7,6 +7,10 @@ `base32 {{path/to/file}}` +- Wrap encoded output at a specific width (`0` disables wrapping): + +`base32 --wrap {{0|76|...}} {{path/to/file}}` + - Decode a file: `base32 --decode {{path/to/file}}` diff --git a/pages/common/base64.md b/pages/common/base64.md index db38de926..40de5afa5 100644 --- a/pages/common/base64.md +++ b/pages/common/base64.md @@ -7,6 +7,10 @@ `base64 {{path/to/file}}` +- Wrap encoded output at a specific width (`0` disables wrapping): + +`base64 --wrap {{0|76|...}} {{path/to/file}}` + - Decode the base64 contents of a file and write the result to `stdout`: `base64 --decode {{path/to/file}}` diff --git a/pages/common/bat.md b/pages/common/bat.md index 23fd84dbd..161cfed87 100644 --- a/pages/common/bat.md +++ b/pages/common/bat.md @@ -18,20 +18,20 @@ - Highlight a specific line or a range of lines with a different background color: -`bat {{--highlight-line|-H}} {{10|5:10|:10|10:|10:+5}} {{path/to/file}}` +`bat {{-H|--highlight-line}} {{10|5:10|:10|10:|10:+5}} {{path/to/file}}` - Show non-printable characters like space, tab or newline: -`bat {{--show-all|-A}} {{path/to/file}}` +`bat {{-A|--show-all}} {{path/to/file}}` - Remove all decorations except line numbers in the output: -`bat {{--number|-n}} {{path/to/file}}` +`bat {{-n|--number}} {{path/to/file}}` - Syntax highlight a JSON file by explicitly setting the language: -`bat {{--language|-l}} json {{path/to/file.json}}` +`bat {{-l|--language}} json {{path/to/file.json}}` - Display all supported languages: -`bat {{--list-languages|-L}}` +`bat {{-L|--list-languages}}` diff --git a/pages/common/bats.md b/pages/common/bats.md index 3ae6262b5..adf5367fb 100644 --- a/pages/common/bats.md +++ b/pages/common/bats.md @@ -3,18 +3,26 @@ > Bash Automated Testing System: a TAP () compliant testing framework for Bash. > More information: . -- Run a BATS test script and output results in the TAP (Test Anything Protocol) format: +- Run a BATS test script and output results in the [t]AP (Test Anything Protocol) format: `bats --tap {{path/to/test.bats}}` -- Count test cases of a test script without running any tests: +- [c]ount test cases of a test script without running any tests: `bats --count {{path/to/test.bats}}` -- Run BATS test cases contained in a directory and its subdirectories (files with a `.bats` extension): +- Run BATS test cases [r]ecursively (files with a `.bats` extension): `bats --recursive {{path/to/directory}}` -- Output results in a specific format: +- Output results in a specific [F]ormat: -`bats --formatter {{pretty|tap|junit}} {{path/to/test.bats}}` +`bats --formatter {{pretty|tap|tap13|junit}} {{path/to/test.bats}}` + +- Add [T]iming information to tests: + +`bats --timing {{path/to/test.bats}}` + +- Run specific number of [j]obs in parallel (requires GNU `parallel` to be installed): + +`bats --jobs {{number}} {{path/to/test.bats}}` diff --git a/pages/common/bc.md b/pages/common/bc.md index e6abc6992..87e03a927 100644 --- a/pages/common/bc.md +++ b/pages/common/bc.md @@ -1,16 +1,16 @@ # bc > An arbitrary precision calculator language. -> See also: `dc`. -> More information: . +> See also: `dc`, `qalc`. +> More information: . - Start an interactive session: `bc` -- Start an interactive session with the standard math library enabled: +- Start an [i]nteractive session with the standard math [l]ibrary enabled: -`bc --mathlib` +`bc --interactive --mathlib` - Calculate an expression: @@ -27,3 +27,7 @@ - Calculate a sine/cosine/arctangent/natural logarithm/exponential function using `mathlib`: `echo '{{s|c|a|l|e}}({{1}})' | bc --mathlib` + +- Execute an inline factorial script: + +`echo "define factorial(n) { if (n <= 1) return 1; return n*factorial(n-1); }; factorial({{10}})" | bc` diff --git a/pages/common/behat.md b/pages/common/behat.md index a39cb0d08..74ff33fce 100644 --- a/pages/common/behat.md +++ b/pages/common/behat.md @@ -13,7 +13,7 @@ - Run all tests from the specified suite: -`behat --suite={{suite_name}}` +`behat --suite {{suite_name}}` - Run tests with a specific output formatter: diff --git a/pages/common/bfs.md b/pages/common/bfs.md new file mode 100644 index 000000000..7b97ed4da --- /dev/null +++ b/pages/common/bfs.md @@ -0,0 +1,36 @@ +# bfs + +> Breadth-first search for your files. +> More information: . + +- Find files by extension: + +`bfs {{root_path}} -name '{{*.ext}}'` + +- Find files matching multiple path/name patterns: + +`bfs {{root_path}} -path '{{**/path/**/*.ext}}' -or -name '{{*pattern*}}'` + +- Find directories matching a given name, in case-insensitive mode: + +`bfs {{root_path}} -type d -iname '{{*lib*}}'` + +- Find files matching a given pattern, excluding specific paths: + +`bfs {{root_path}} -name '{{*.py}}' -not -path '{{*/site-packages/*}}'` + +- Find files matching a given size range, limiting the recursive depth to "1": + +`bfs {{root_path}} -maxdepth 1 -size {{+500k}} -size {{-10M}}` + +- Run a command for each file (use `{}` within the command to access the filename): + +`bfs {{root_path}} -name '{{*.ext}}' -exec {{wc -l}} {} \;` + +- Find all files modified today and pass the results to a single command as arguments: + +`bfs {{root_path}} -daystart -mtime {{-1}} -exec {{tar -cvf archive.tar}} {} \+` + +- Find empty files (0 byte) or directories and delete them verbosely: + +`bfs {{root_path}} -type {{f|d}} -empty -delete -print` diff --git a/pages/common/bitcoin-cli.md b/pages/common/bitcoin-cli.md index d8566090b..5108fe511 100644 --- a/pages/common/bitcoin-cli.md +++ b/pages/common/bitcoin-cli.md @@ -1,6 +1,6 @@ # bitcoin-cli -> Command-line client to interact with the Bitcoin daemon via RPC calls. +> Command-line client to interact with the Bitcoin Core daemon via RPC calls. > Uses the configuration defined in `bitcoin.conf`. > More information: . @@ -23,3 +23,15 @@ - Export the wallet information to a text file: `bitcoin-cli dumpwallet "{{path/to/file}}"` + +- Get blockchain information: + +`bitcoin-cli getblockchaininfo` + +- Get network information: + +`bitcoin-cli getnetworkinfo` + +- Stop the Bitcoin Core daemon: + +`bitcoin-cli stop` diff --git a/pages/common/bitcoind.md b/pages/common/bitcoind.md new file mode 100644 index 000000000..68df9514f --- /dev/null +++ b/pages/common/bitcoind.md @@ -0,0 +1,21 @@ +# bitcoind + +> Bitcoin Core daemon. +> Uses the configuration defined in `bitcoin.conf`. +> More information: . + +- Start the Bitcoin Core daemon (in the foreground): + +`bitcoind` + +- Start the Bitcoin Core daemon in the background (use `bitcoin-cli stop` to stop): + +`bitcoind -daemon` + +- Start the Bitcoin Core daemon on a specific network: + +`bitcoind -chain={{main|test|signet|regtest}}` + +- Start the Bitcoin Core daemon using specific config file and data directory: + +`bitcoind -conf={{path/to/bitcoin.conf}} -datadir={{path/to/directory}}` diff --git a/pages/common/black.md b/pages/common/black.md index 9384454dc..84c8729a6 100644 --- a/pages/common/black.md +++ b/pages/common/black.md @@ -1,6 +1,6 @@ # black -> A Python auto code formatter. +> Format Python code automatically. > More information: . - Auto-format a file or entire directory: diff --git a/pages/common/blackfire.md b/pages/common/blackfire.md index 45d254a10..d80bf674f 100644 --- a/pages/common/blackfire.md +++ b/pages/common/blackfire.md @@ -21,7 +21,7 @@ - Run the profiler and collect 10 samples: -`blackfire --samples={{10}} run {{php path/to/file.php}}` +`blackfire --samples {{10}} run {{php path/to/file.php}}` - Run the profiler and output results as JSON: diff --git a/pages/common/borg.md b/pages/common/borg.md index b9829f78d..54eae49c4 100644 --- a/pages/common/borg.md +++ b/pages/common/borg.md @@ -1,7 +1,7 @@ # borg > Deduplicating backup tool. -> Creates local or remote backups that are mountable as filesystems. +> Create local or remote backups that are mountable as filesystems. > More information: . - Initialize a (local) repository: diff --git a/pages/common/bpkg.md b/pages/common/bpkg.md new file mode 100644 index 000000000..9004424e8 --- /dev/null +++ b/pages/common/bpkg.md @@ -0,0 +1,28 @@ +# bpkg + +> A package manager for Bash scripts. +> More information: . + +- Update the local index: + +`bpkg update` + +- Install a package globally: + +`bpkg install --global {{package}}` + +- Install a package in a subdirectory of the current directory: + +`bpkg install {{package}}` + +- Install a specific version of a package globally: + +`bpkg install {{package}}@{{version}} -g` + +- Show details about a specific package: + +`bpkg show {{package}}` + +- Run a command, optionally specifying its arguments: + +`bpkg run {{command}} {{argument1 argument2 ...}}` diff --git a/pages/common/bq.md b/pages/common/bq.md index 053ddc80f..5a620e093 100644 --- a/pages/common/bq.md +++ b/pages/common/bq.md @@ -21,7 +21,7 @@ - Batch load data from a specific file in formats such as CSV, JSON, Parquet, and Avro to a table: -`bq load --location={{location}} --source_format={{CSV|JSON|PARQUET|AVRO}} {{dataset}}.{{table}} {{path_to_source}}` +`bq load --location {{location}} --source_format {{CSV|JSON|PARQUET|AVRO}} {{dataset}}.{{table}} {{path_to_source}}` - Copy one table to another: diff --git a/pages/common/brew-bundle.md b/pages/common/brew-bundle.md index fa79b897b..bebbfa594 100644 --- a/pages/common/brew-bundle.md +++ b/pages/common/brew-bundle.md @@ -9,7 +9,7 @@ - Install packages from a specific Brewfile at a specific path: -`brew bundle --file={{path/to/file}}` +`brew bundle --file {{path/to/file}}` - Create a Brewfile from all installed packages: diff --git a/pages/common/bru.md b/pages/common/bru.md index f2df97edc..799fe5c1f 100644 --- a/pages/common/bru.md +++ b/pages/common/bru.md @@ -1,7 +1,7 @@ # bru > CLI for Bruno, an Opensource IDE for exploring and testing APIs. -> More information: . +> More information: . - Run all request files from the current directory: diff --git a/pages/common/bshell.md b/pages/common/bshell.md index 55d1f9182..cd9938283 100644 --- a/pages/common/bshell.md +++ b/pages/common/bshell.md @@ -18,4 +18,4 @@ - Browse for both SSH and VNC servers in a specified domain: -`bshell --domain={{domain}}` +`bshell --domain {{domain}}` diff --git a/pages/common/bssh.md b/pages/common/bssh.md index f20b27136..63e284a17 100644 --- a/pages/common/bssh.md +++ b/pages/common/bssh.md @@ -18,4 +18,4 @@ - Browse for SSH servers in a specified domain: -`bssh --domain={{domain}}` +`bssh --domain {{domain}}` diff --git a/pages/common/bundletool-dump.md b/pages/common/bundletool-dump.md index c0419e704..4c331834f 100644 --- a/pages/common/bundletool-dump.md +++ b/pages/common/bundletool-dump.md @@ -5,28 +5,28 @@ - Display the `AndroidManifest.xml` of the base module: -`bundletool dump manifest --bundle={{path/to/bundle.aab}}` +`bundletool dump manifest --bundle {{path/to/bundle.aab}}` - Display a specific value from the `AndroidManifest.xml` using XPath: -`bundletool dump manifest --bundle={{path/to/bundle.aab}} --xpath={{/manifest/@android:versionCode}}` +`bundletool dump manifest --bundle {{path/to/bundle.aab}} --xpath {{/manifest/@android:versionCode}}` - Display the `AndroidManifest.xml` of a specific module: -`bundletool dump manifest --bundle={{path/to/bundle.aab}} --module={{name}}` +`bundletool dump manifest --bundle {{path/to/bundle.aab}} --module {{name}}` - Display all the resources in the application bundle: -`bundletool dump resources --bundle={{path/to/bundle.aab}}` +`bundletool dump resources --bundle {{path/to/bundle.aab}}` - Display the configuration for a specific resource: -`bundletool dump resources --bundle={{path/to/bundle.aab}} --resource={{type/name}}` +`bundletool dump resources --bundle {{path/to/bundle.aab}} --resource {{type/name}}` - Display the configuration and values for a specific resource using the ID: -`bundletool dump resources --bundle={{path/to/bundle.aab}} --resource={{0x7f0e013a}} --values` +`bundletool dump resources --bundle {{path/to/bundle.aab}} --resource {{0x7f0e013a}} --values` - Display the contents of the bundle configuration file: -`bundletool dump config --bundle={{path/to/bundle.aab}}` +`bundletool dump config --bundle {{path/to/bundle.aab}}` diff --git a/pages/common/bundletool-validate.md b/pages/common/bundletool-validate.md index 82b585758..52e7e7d09 100644 --- a/pages/common/bundletool-validate.md +++ b/pages/common/bundletool-validate.md @@ -5,4 +5,4 @@ - Verify a bundle and display detailed information about it: -`bundletool validate --bundle={{path/to/bundle.aab}}` +`bundletool validate --bundle {{path/to/bundle.aab}}` diff --git a/pages/common/bundletool.md b/pages/common/bundletool.md index c7df744a0..9d3448355 100644 --- a/pages/common/bundletool.md +++ b/pages/common/bundletool.md @@ -10,28 +10,28 @@ - Generate APKs from an application bundle (prompts for keystore password): -`bundletool build-apks --bundle={{path/to/bundle.aab}} --ks={{path/to/key.keystore}} --ks-key-alias={{key_alias}} --output={{path/to/file.apks}}` +`bundletool build-apks --bundle {{path/to/bundle.aab}} --ks {{path/to/key.keystore}} --ks-key-alias {{key_alias}} --output {{path/to/file.apks}}` - Generate APKs from an application bundle giving the keystore password: -`bundletool build-apks --bundle={{path/to/bundle.aab}} --ks={{path/to/key.keystore}} --ks-key-alias={{key_alias}} –ks-pass={{pass:the_password}} --output={{path/to/file.apks}}` +`bundletool build-apks --bundle {{path/to/bundle.aab}} --ks {{path/to/key.keystore}} --ks-key-alias {{key_alias}} –ks-pass {{pass:the_password}} --output {{path/to/file.apks}}` - Generate APKs including only one single APK for universal usage: -`bundletool build-apks --bundle={{path/to/bundle.aab}} --mode={{universal}} --ks={{path/to/key.keystore}} --ks-key-alias={{key_alias}} --output={{path/to/file.apks}}` +`bundletool build-apks --bundle {{path/to/bundle.aab}} --mode {{universal}} --ks {{path/to/key.keystore}} --ks-key-alias {{key_alias}} --output {{path/to/file.apks}}` - Install the right combination of APKs to an emulator or device: -`bundletool install-apks --apks={{path/to/file.apks}}` +`bundletool install-apks --apks {{path/to/file.apks}}` - Estimate the download size of an application: -`bundletool get-size total --apks={{path/to/file.apks}}` +`bundletool get-size total --apks {{path/to/file.apks}}` - Generate a device specification JSON file for an emulator or device: -`bundletool get-device-spec --output={{path/to/file.json}}` +`bundletool get-device-spec --output {{path/to/file.json}}` - Verify a bundle and display detailed information about it: -`bundletool validate --bundle={{path/to/bundle.aab}}` +`bundletool validate --bundle {{path/to/bundle.aab}}` diff --git a/pages/common/bvnc.md b/pages/common/bvnc.md index a8a26ff69..63e3f60a3 100644 --- a/pages/common/bvnc.md +++ b/pages/common/bvnc.md @@ -18,4 +18,4 @@ - Browse for VNC servers in a specified domain: -`bvnc --domain={{domain}}` +`bvnc --domain {{domain}}` diff --git a/pages/common/bzegrep.md b/pages/common/bzegrep.md index 020e3f76e..c09fe7f0f 100644 --- a/pages/common/bzegrep.md +++ b/pages/common/bzegrep.md @@ -23,6 +23,6 @@ `bzegrep --only-matching "{{search_pattern}}" {{path/to/file}}` -- Recursively search files in a `bzip2` compressed `tar` archive for a pattern: +- Recursively search files in a bzip2 compressed tar archive for a pattern: `bzegrep --recursive "{{search_pattern}}" {{path/to/file}}` diff --git a/pages/common/bzfgrep.md b/pages/common/bzfgrep.md index 32363f427..9a79a764c 100644 --- a/pages/common/bzfgrep.md +++ b/pages/common/bzfgrep.md @@ -23,6 +23,6 @@ `bzfgrep --only-matching "{{search_string}}" {{path/to/file}}` -- Recursively search files in a `bzip2` compressed `tar` archive for the given list of strings: +- Recursively search files in a bzip2 compressed tar archive for the given list of strings: `bzfgrep --recursive "{{search_string}}" {{path/to/file}}` diff --git a/pages/common/bzgrep.md b/pages/common/bzgrep.md index a32a6c8e8..e5581f868 100644 --- a/pages/common/bzgrep.md +++ b/pages/common/bzgrep.md @@ -23,7 +23,7 @@ `bzgrep --only-matching "{{search_pattern}}" {{path/to/file}}` -- Recursively search files in a `bzip2` compressed `tar` archive for a pattern: +- Recursively search files in a bzip2 compressed tar archive for a pattern: `bzgrep --recursive "{{search_pattern}}" {{path/to/tar/file}}` diff --git a/pages/common/c99.md b/pages/common/c99.md index ff34631f4..86d8c4444 100644 --- a/pages/common/c99.md +++ b/pages/common/c99.md @@ -1,6 +1,6 @@ # c99 -> Compiles C programs according to the ISO C standard. +> Compile C programs according to the ISO C standard. > More information: . - Compile source file(s) and create an executable: diff --git a/pages/common/cabal.md b/pages/common/cabal.md index 927a5d39a..bec058ee4 100644 --- a/pages/common/cabal.md +++ b/pages/common/cabal.md @@ -2,7 +2,7 @@ > Command-line interface to the Haskell package infrastructure (Cabal). > Manage Haskell projects and Cabal packages from the Hackage package repository. -> More information: . +> More information: . - Search and list packages from Hackage: diff --git a/pages/common/cal.md b/pages/common/cal.md index fb520c6aa..6bcf8e45b 100644 --- a/pages/common/cal.md +++ b/pages/common/cal.md @@ -1,6 +1,7 @@ # cal > Display a calendar with the current day highlighted. +> See also: `gcal`. > More information: . - Display a calendar for the current month: diff --git a/pages/common/cargo-clippy.md b/pages/common/cargo-clippy.md index ca361ed62..aa8846f86 100644 --- a/pages/common/cargo-clippy.md +++ b/pages/common/cargo-clippy.md @@ -19,6 +19,10 @@ `cargo clippy --package {{package}}` +- Run checks for a lint group (see ): + +`cargo clippy -- --warn clippy::{{lint_group}}` + - Treat warnings as errors: `cargo clippy -- --deny warnings` diff --git a/pages/common/cargo-init.md b/pages/common/cargo-init.md index f5af6bb53..d829d2ec6 100644 --- a/pages/common/cargo-init.md +++ b/pages/common/cargo-init.md @@ -1,7 +1,7 @@ # cargo init > Create a new Cargo package. -> Equivalent of `cargo new`, but specifiying a directory is optional. +> Equivalent of `cargo new`, but specifying a directory is optional. > More information: . - Initialize a Rust project with a binary target in the current directory: diff --git a/pages/common/cargo-new.md b/pages/common/cargo-new.md index e46ad0a04..688e56d20 100644 --- a/pages/common/cargo-new.md +++ b/pages/common/cargo-new.md @@ -1,7 +1,7 @@ # cargo new > Create a new Cargo package. -> Equivalent of `cargo init`, but specifiying a directory is required. +> Equivalent of `cargo init`, but specifying a directory is required. > More information: . - Create a new Rust project with a binary target: diff --git a/pages/common/cargo-report.md b/pages/common/cargo-report.md index 80f8dea2f..ebe24cfb2 100644 --- a/pages/common/cargo-report.md +++ b/pages/common/cargo-report.md @@ -7,7 +7,7 @@ `cargo report {{future-incompatibilities|...}}` -- Display a report with the specified Cargo-generated id: +- Display a report with the specified Cargo-generated ID: `cargo report {{future-incompatibilities|...}} --id {{id}}` diff --git a/pages/linux/chatgpt.md b/pages/common/chatgpt.md similarity index 100% rename from pages/linux/chatgpt.md rename to pages/common/chatgpt.md diff --git a/pages/common/cheatshh.md b/pages/common/cheatshh.md new file mode 100644 index 000000000..761162744 --- /dev/null +++ b/pages/common/cheatshh.md @@ -0,0 +1,33 @@ +# cheatshh + +> CLI cheatsheet with customized descriptions, tldr and groups, to look into for your reference. +> Press Enter to a command to copy it to your clipboard and exit. +> More information: . + +- [a]dd a new command to the cheatshheet: + +`cheatshh --add` + +- Edit ([ec]) an existing command's description or group in the cheatshheet: + +`cheatshh --edit-command` + +- Delete ([dc]) an existing command from the cheatshheet: + +`cheatshh --delete-command` + +- Create a new [g]roup: + +`cheatshh --group` + +- Edit ([eg]) an existing group's name or description in the cheatsheet: + +`cheatshh --edit-group` + +- Delete ([dg]) an existing group and it's sub commands from commands.json file: + +`cheatshh --delete-group` + +- Display [m]an pages after tldr in the preview: + +`cheatshh --man` diff --git a/pages/common/chezmoi.md b/pages/common/chezmoi.md index e3ba86132..937574742 100644 --- a/pages/common/chezmoi.md +++ b/pages/common/chezmoi.md @@ -1,16 +1,25 @@ # Chezmoi > A multi-machine dotfile manager, written in Go. +> See also: `stow`, `tuckr`, `vcsh`, `homeshick`. > More information: . - Setup up `chezmoi`, creating a Git repository in `~/.local/share/chezmoi`: `chezmoi init` +- Set up `chezmoi` from existing dotfiles of a Git repository: + +`chezmoi init {{repository_url}}` + - Start tracking one or more dotfiles: `chezmoi add {{path/to/dotfile1 path/to/dotfile2 ...}}` +- Update repository with local changes: + +`chezmoi re-add {{path/to/dotfile1 path/to/dotfile2 ...}}` + - Edit the source state of a tracked dotfile: `chezmoi edit {{path/to/dotfile_or_symlink}}` @@ -23,10 +32,6 @@ `chezmoi -v apply` -- Set up `chezmoi` from existing dotfiles of a Git repository: - -`chezmoi init {{repository_url}}` - - Pull changes from a remote repository and apply them: `chezmoi update` diff --git a/pages/common/chgrp.md b/pages/common/chgrp.md index 5ee185ceb..3d641be6f 100644 --- a/pages/common/chgrp.md +++ b/pages/common/chgrp.md @@ -17,4 +17,4 @@ - Change the owner group of a file/directory to match a reference file: -`chgrp --reference={{path/to/reference_file}} {{path/to/file_or_directory}}` +`chgrp --reference {{path/to/reference_file}} {{path/to/file_or_directory}}` diff --git a/pages/common/chisel.md b/pages/common/chisel.md index d941e823d..5cd51d6ad 100644 --- a/pages/common/chisel.md +++ b/pages/common/chisel.md @@ -1,6 +1,7 @@ # chisel -> Create TCP tunnels. Includes both client and server. +> Create TCP/UDP tunnels, transported over HTTP, secured via SSH. +> Includes both client and server in the same `chisel` executable. > More information: . - Run a Chisel server: @@ -26,3 +27,11 @@ - Connect to a Chisel server using username and password authentication: `chisel client --auth {{username}}:{{password}} {{server_ip}}:{{server_port}} {{local_port}}:{{remote_server}}:{{remote_port}}` + +- Initialize a Chisel server in reverse mode on a specific port, also enabling SOCKS5 proxy (on port 1080) functionality: + +`chisel server -p {{server_port}} --reverse --socks5` + +- Connect to a Chisel server at specific IP and port, creating a reverse tunnel mapped to a local SOCKS proxy: + +`chisel client {{server_ip}}:{{server_port}} R:socks` diff --git a/pages/common/chown.md b/pages/common/chown.md index e89512a1e..0a3dc20e9 100644 --- a/pages/common/chown.md +++ b/pages/common/chown.md @@ -25,4 +25,4 @@ - Change the owner of a file/directory to match a reference file: -`chown --reference={{path/to/reference_file}} {{path/to/file_or_directory}}` +`chown --reference {{path/to/reference_file}} {{path/to/file_or_directory}}` diff --git a/pages/common/circo.md b/pages/common/circo.md index 19ec88dbf..17b132d79 100644 --- a/pages/common/circo.md +++ b/pages/common/circo.md @@ -4,19 +4,19 @@ > Layouts: `dot`, `neato`, `twopi`, `circo`, `fdp`, `sfdp`, `osage` & `patchwork`. > More information: . -- Render a `png` image with a filename based on the input filename and output format (uppercase -O): +- Render a PNG image with a filename based on the input filename and output format (uppercase -O): `circo -T {{png}} -O {{path/to/input.gv}}` -- Render a `svg` image with the specified output filename (lowercase -o): +- Render a SVG image with the specified output filename (lowercase -o): `circo -T {{svg}} -o {{path/to/image.svg}} {{path/to/input.gv}}` -- Render the output in `ps`, `pdf`, `svg`, `fig`, `png`, `gif`, `jpg`, `json`, or `dot` format: +- Render the output in PS, PDF, SVG, Fig, PNG, GIF, JPEG, JSON, or DOT format: `circo -T {{format}} -O {{path/to/input.gv}}` -- Render a `gif` image using `stdin` and `stdout`: +- Render a GIF image using `stdin` and `stdout`: `echo "{{digraph {this -> that} }}" | circo -T {{gif}} > {{path/to/image.gif}}` diff --git a/pages/common/cjxl.md b/pages/common/cjxl.md new file mode 100644 index 000000000..fd2fa7e31 --- /dev/null +++ b/pages/common/cjxl.md @@ -0,0 +1,17 @@ +# cjxl + +> Compress images to JPEG XL. +> Accepted input extensions are PNG, APNG, GIF, JPEG, EXR, PPM, PFM, PAM, PGX, and JXL. +> More information: . + +- Convert an image to JPEG XL: + +`cjxl {{path/to/image.ext}} {{path/to/output.jxl}}` + +- Set quality to lossless and maximize compression of the resulting image: + +`cjxl --distance 0 --effort 9 {{path/to/image.ext}} {{path/to/output.jxl}}` + +- Display an extremely detailed help page: + +`cjxl --help --verbose --verbose --verbose --verbose` diff --git a/pages/common/clamdscan.md b/pages/common/clamdscan.md index a12e4586a..49da6c608 100644 --- a/pages/common/clamdscan.md +++ b/pages/common/clamdscan.md @@ -1,6 +1,6 @@ # clamdscan -> A command-line virus scanner using the ClamAV Daemon. +> Scan for viruses using the ClamAV Daemon. > More information: . - Scan a file or directory for vulnerabilities: diff --git a/pages/common/clang++.md b/pages/common/clang++.md index 532a1a4cf..1f51051ca 100644 --- a/pages/common/clang++.md +++ b/pages/common/clang++.md @@ -1,6 +1,6 @@ # clang++ -> Compiles C++ source files. +> Compile C++ source files. > Part of LLVM. > More information: . diff --git a/pages/common/clang-format.md b/pages/common/clang-format.md index d542af5eb..e955c869b 100644 --- a/pages/common/clang-format.md +++ b/pages/common/clang-format.md @@ -13,7 +13,7 @@ - Format a file using a predefined coding style: -`clang-format --style={{LLVM|GNU|Google|Chromium|Microsoft|Mozilla|WebKit}} {{path/to/file}}` +`clang-format --style {{LLVM|GNU|Google|Chromium|Microsoft|Mozilla|WebKit}} {{path/to/file}}` - Format a file using the `.clang-format` file in one of the parent directories of the source file: @@ -21,4 +21,4 @@ - Generate a custom `.clang-format` file: -`clang-format --style={{LLVM|GNU|Google|Chromium|Microsoft|Mozilla|WebKit}} --dump-config > {{.clang-format}}` +`clang-format --style {{LLVM|GNU|Google|Chromium|Microsoft|Mozilla|WebKit}} --dump-config > {{.clang-format}}` diff --git a/pages/common/clash.md b/pages/common/clash.md deleted file mode 100644 index 922c19c23..000000000 --- a/pages/common/clash.md +++ /dev/null @@ -1,12 +0,0 @@ -# clash - -> A rule-based tunnel in Go. -> More information: . - -- Specify a configuration [d]irectory: - -`clash -d {{path/to/directory}}` - -- Specify a configuration [f]ile: - -`clash -f {{path/to/configuration_file}}` diff --git a/pages/common/clementine.md b/pages/common/clementine.md index 86b3a5928..efe5acd18 100644 --- a/pages/common/clementine.md +++ b/pages/common/clementine.md @@ -1,6 +1,7 @@ # clementine > A modern music player and library organizer. +> See also: `audacious`, `qmmp`, `cmus`, `mpv`. > More information: . - Start the GUI or bring it to front: diff --git a/pages/common/clifm.md b/pages/common/clifm.md index 1ebe0c85d..b8466ed21 100644 --- a/pages/common/clifm.md +++ b/pages/common/clifm.md @@ -1,6 +1,7 @@ # clifm > The command-line file manager. +> See also: `vifm`, `ranger`, `mc`, `nautilus`. > More information: . - Start CliFM: diff --git a/pages/common/cmark.md b/pages/common/cmark.md index 2fb2a1ca1..cc56aae9e 100644 --- a/pages/common/cmark.md +++ b/pages/common/cmark.md @@ -1,6 +1,6 @@ # cmark -> Converts CommonMark Markdown formatted text to other formats. +> Convert CommonMark Markdown formatted text to other formats. > More information: . - Render a CommonMark Markdown file to HTML: diff --git a/pages/common/codecrafters.md b/pages/common/codecrafters.md new file mode 100644 index 000000000..284bcba5e --- /dev/null +++ b/pages/common/codecrafters.md @@ -0,0 +1,16 @@ +# codecrafters + +> Practice writing complex software. +> More information: . + +- Run tests without committing changes: + +`codecrafters test` + +- Run tests for all previous stages and the current stage without committing changes: + +`codecrafters test --previous` + +- Commit changes and submit, to move to the next stage: + +`codecrafters submit` diff --git a/pages/common/coffee.md b/pages/common/coffee.md index 40e367f5e..eca2d3d72 100644 --- a/pages/common/coffee.md +++ b/pages/common/coffee.md @@ -1,6 +1,6 @@ # coffee -> Executes CoffeeScript scripts or compiles them into JavaScript. +> Execute CoffeeScript scripts or compiles them into JavaScript. > More information: . - Run a script: diff --git a/pages/common/colima.md b/pages/common/colima.md new file mode 100644 index 000000000..ffafaea9c --- /dev/null +++ b/pages/common/colima.md @@ -0,0 +1,36 @@ +# colima + +> Container runtimes for macOS and Linux with minimal setup. +> More information: . + +- Start the daemon in the background: + +`colima start` + +- Create a configuration file and use it: + +`colima start --edit` + +- Start and setup containerd (install `nerdctl` to use containerd via `nerdctl`): + +`colima start --runtime containerd` + +- Start with Kubernetes (`kubectl` is required): + +`colima start --kubernetes` + +- Customize CPU count, RAM memory and disk space (in GiB): + +`colima start --cpu {{number}} --memory {{memory}} --disk {{storage_space}}` + +- Use Docker via Colima (Docker is required): + +`colima start` + +- List containers with their information and status: + +`colima list` + +- Show runtime status: + +`colima status` diff --git a/pages/common/compare.md b/pages/common/compare.md index fad9b0580..8c11516d5 100644 --- a/pages/common/compare.md +++ b/pages/common/compare.md @@ -1,13 +1,7 @@ # compare -> Create a comparison image to visually annotate the difference between two images. -> Part of ImageMagick. -> More information: . +> This command is an alias of `magick compare`. -- Compare two images: +- View documentation for the original command: -`compare {{path/to/image1.png}} {{path/to/image2.png}} {{path/to/diff.png}}` - -- Compare two images using the specified metric: - -`compare -verbose -metric {{PSNR}} {{path/to/image1.png}} {{path/to/image2.png}} {{path/to/diff.png}}` +`tldr magick compare` diff --git a/pages/common/complete.md b/pages/common/complete.md index 1bbfee8e3..b97d0b9d9 100644 --- a/pages/common/complete.md +++ b/pages/common/complete.md @@ -1,6 +1,6 @@ # complete -> Provides argument autocompletion to shell commands. +> Get argument autocompletion to shell commands. > More information: . - Apply a function that performs autocompletion to a command: diff --git a/pages/common/conan-frogarian.md b/pages/common/conan-frogarian.md index 504156941..c0635cee3 100644 --- a/pages/common/conan-frogarian.md +++ b/pages/common/conan-frogarian.md @@ -1,6 +1,6 @@ # conan frogarian -> Displays the conan frogarian. +> Display the conan frogarian. > More information: . - Display the conan frogarian: diff --git a/pages/common/convert.md b/pages/common/convert.md index a180a4863..510dfdd6c 100644 --- a/pages/common/convert.md +++ b/pages/common/convert.md @@ -1,37 +1,9 @@ # convert -> Convert between image formats, scale, join, and create images, and much more. -> Part of ImageMagick. -> More information: . +> This command is an alias of `magick convert`. +> Note: this alias is deprecated since ImageMagick 7. It has been replaced by `magick`. +> Use `magick convert` if you need to use the old tool in versions 7+. -- Convert an image from JPG to PNG: +- View documentation for the original command: -`convert {{path/to/input_image.jpg}} {{path/to/output_image.png}}` - -- Scale an image to 50% of its original size: - -`convert {{path/to/input_image.png}} -resize 50% {{path/to/output_image.png}}` - -- Scale an image keeping the original aspect ratio to a maximum dimension of 640x480: - -`convert {{path/to/input_image.png}} -resize 640x480 {{path/to/output_image.png}}` - -- Horizontally append images: - -`convert {{path/to/image1.png path/to/image2.png ...}} +append {{path/to/output_image.png}}` - -- Vertically append images: - -`convert {{path/to/image1.png path/to/image2.png ...}} -append {{path/to/output_image.png}}` - -- Create a GIF from a series of images with 100ms delay between them: - -`convert {{path/to/image1.png path/to/image2.png ...}} -delay {{10}} {{path/to/animation.gif}}` - -- Create an image with nothing but a solid red background: - -`convert -size {{800x600}} "xc:{{#ff0000}}" {{path/to/image.png}}` - -- Create a favicon from several images of different sizes: - -`convert {{path/to/image1.png path/to/image2.png ...}} {{path/to/favicon.ico}}` +`tldr magick convert` diff --git a/pages/common/cpio.md b/pages/common/cpio.md index 13f2ecd9d..459669a6d 100644 --- a/pages/common/cpio.md +++ b/pages/common/cpio.md @@ -1,6 +1,6 @@ # cpio -> Copies files in and out of archives. +> Copy files in and out of archives. > Supports the following archive formats: cpio's custom binary, old ASCII, new ASCII, crc, HPUX binary, HPUX old ASCII, old tar, and POSIX.1 tar. > More information: . diff --git a/pages/common/cppcheck.md b/pages/common/cppcheck.md index 5f4e308e8..995614d79 100644 --- a/pages/common/cppcheck.md +++ b/pages/common/cppcheck.md @@ -14,7 +14,7 @@ - Check a given file, specifying which tests to perform (by default only errors are shown): -`cppcheck --enable={{error|warning|style|performance|portability|information|all}} {{path/to/file.cpp}}` +`cppcheck --enable {{error|warning|style|performance|portability|information|all}} {{path/to/file.cpp}}` - List available tests: @@ -22,7 +22,7 @@ - Check a given file, ignoring specific tests: -`cppcheck --suppress={{test_id1}} --suppress={{test_id2}} {{path/to/file.cpp}}` +`cppcheck --suppress {{test_id1}} --suppress {{test_id2}} {{path/to/file.cpp}}` - Check the current directory, providing paths for include files located outside it (e.g. external libraries): @@ -30,4 +30,4 @@ - Check a Microsoft Visual Studio project (`*.vcxproj`) or solution (`*.sln`): -`cppcheck --project={{path/to/project.sln}}` +`cppcheck --project {{path/to/project.sln}}` diff --git a/pages/common/cppclean.md b/pages/common/cppclean.md index 3e7361607..cc1309d9b 100644 --- a/pages/common/cppclean.md +++ b/pages/common/cppclean.md @@ -9,7 +9,7 @@ - Run on a project where the headers are in the `inc1/` and `inc2/` directories: -`cppclean {{path/to/project}} --include-path={{inc1}} --include-path={{inc2}}` +`cppclean {{path/to/project}} --include-path {{inc1}} --include-path {{inc2}}` - Run on a specific file `main.cpp`: @@ -17,4 +17,4 @@ - Run on the current directory, excluding the "build" directory: -`cppclean {{.}} --exclude={{build}}` +`cppclean {{.}} --exclude {{build}}` diff --git a/pages/common/crackle.md b/pages/common/crackle.md new file mode 100644 index 000000000..8b0ec0e62 --- /dev/null +++ b/pages/common/crackle.md @@ -0,0 +1,16 @@ +# crackle + +> Crack and decrypt Bluetooth Low Energy (BLE) encryption. +> More information: . + +- Check whether the recorded BLE communications contain the packets necessary for recovering temporary keys (TKs): + +`crackle -i {{path/to/input.pcap}}` + +- Use brute force to recover the TK of the recorded pairing events and use it to decrypt all subsequent communications: + +`crackle -i {{path/to/input.pcap}} -o {{path/to/decrypted.pcap}}` + +- Use the specified long-term key (LTK) to decrypt the recorded communication: + +`crackle -i {{path/to/input.pcap}} -o {{path/to/decrypted.pcap}} -l {{81b06facd90fe7a6e9bbd9cee59736a7}}` diff --git a/pages/common/cradle-install.md b/pages/common/cradle-install.md index 811ff4fcd..bb6a06804 100644 --- a/pages/common/cradle-install.md +++ b/pages/common/cradle-install.md @@ -1,6 +1,6 @@ # cradle install -> Installs the Cradle PHP framework components. +> Install the Cradle PHP framework components. > More information: . - Install Cradle's components (User will be prompted for further details): diff --git a/pages/common/createdb.md b/pages/common/createdb.md index 79371bab9..3926e4090 100644 --- a/pages/common/createdb.md +++ b/pages/common/createdb.md @@ -9,8 +9,8 @@ - Create a database owned by a specific user with a description: -`createdb --owner={{username}} {{database_name}} '{{description}}'` +`createdb --owner {{username}} {{database_name}} '{{description}}'` - Create a database from a template: -`createdb --template={{template_name}} {{database_name}}` +`createdb --template {{template_name}} {{database_name}}` diff --git a/pages/common/crystal.md b/pages/common/crystal.md index 2ae31abff..318403eab 100644 --- a/pages/common/crystal.md +++ b/pages/common/crystal.md @@ -11,7 +11,7 @@ `crystal build {{path/to/file.cr}}` -- Read Crystal source code from the command line or `stdin`, and execute it: +- Read Crystal source code from the command-line or `stdin`, and execute it: `crystal eval '{{code}}'` diff --git a/pages/common/csslint.md b/pages/common/csslint.md index 9086f5c3c..e58f94063 100644 --- a/pages/common/csslint.md +++ b/pages/common/csslint.md @@ -1,6 +1,6 @@ # csslint -> A linter for CSS code. +> Lint CSS code. > More information: . - Lint a single CSS file: diff --git a/pages/common/csv-diff.md b/pages/common/csv-diff.md index 733957d33..02629da71 100644 --- a/pages/common/csv-diff.md +++ b/pages/common/csv-diff.md @@ -5,12 +5,12 @@ - Display a human-readable summary of differences between files using a specific column as a unique identifier: -`csv-diff {{path/to/file1.csv}} {{path/to/file2.csv}} --key={{column_name}}` +`csv-diff {{path/to/file1.csv}} {{path/to/file2.csv}} --key {{column_name}}` - Display a human-readable summary of differences between files that includes unchanged values in rows with at least one change: -`csv-diff {{path/to/file1.csv}} {{path/to/file2.csv}} --key={{column_name}} --show-unchanged` +`csv-diff {{path/to/file1.csv}} {{path/to/file2.csv}} --key {{column_name}} --show-unchanged` - Display a summary of differences between files in JSON format using a specific column as a unique identifier: -`csv-diff {{path/to/file1.csv}} {{path/to/file2.csv}} --key={{column_name}} --json` +`csv-diff {{path/to/file1.csv}} {{path/to/file2.csv}} --key {{column_name}} --json` diff --git a/pages/common/csvclean.md b/pages/common/csvclean.md index fb2839466..e48382c38 100644 --- a/pages/common/csvclean.md +++ b/pages/common/csvclean.md @@ -1,6 +1,6 @@ # csvclean -> Finds and cleans common syntax errors in CSV files. +> Find and clean common syntax errors in CSV files. > Included in csvkit. > More information: . diff --git a/pages/common/csvpy.md b/pages/common/csvpy.md index d7eca3900..1eafd1107 100644 --- a/pages/common/csvpy.md +++ b/pages/common/csvpy.md @@ -1,6 +1,6 @@ # csvpy -> Loads a CSV file into a Python shell. +> Load a CSV file into a Python shell. > Included in csvkit. > More information: . diff --git a/pages/common/csvsort.md b/pages/common/csvsort.md index 10392985a..48418438c 100644 --- a/pages/common/csvsort.md +++ b/pages/common/csvsort.md @@ -1,6 +1,6 @@ # csvsort -> Sorts CSV files. +> Sort CSV files. > Included in csvkit. > More information: . diff --git a/pages/common/ctags.md b/pages/common/ctags.md index 425816f1b..2455c21d3 100644 --- a/pages/common/ctags.md +++ b/pages/common/ctags.md @@ -1,6 +1,6 @@ # ctags -> Generates an index (or tag) file of language objects found in source files for many popular programming languages. +> Generate an index (or tag) file of language objects found in source files for many popular programming languages. > More information: . - Generate tags for a single file, and output them to a file named "tags" in the current directory, overwriting the file if it exists: diff --git a/pages/common/curl.md b/pages/common/curl.md index 15be264a1..aeca58fc8 100644 --- a/pages/common/curl.md +++ b/pages/common/curl.md @@ -1,37 +1,37 @@ # curl > Transfers data from or to a server. -> Supports most protocols, including HTTP, FTP, and POP3. +> Supports most protocols, including HTTP, HTTPS, FTP, SCP, etc. > More information: . -- Download the contents of a URL to a file: +- Make an HTTP GET request and dump the contents in `stdout`: -`curl {{http://example.com}} --output {{path/to/file}}` +`curl {{https://example.com}}` -- Download a file, saving the output under the filename indicated by the URL: +- Make an HTTP GET request, fo[L]low any `3xx` redirects, and [D]ump the reply headers and contents to `stdout`: -`curl --remote-name {{http://example.com/filename}}` +`curl --location --dump-header - {{https://example.com}}` -- Download a file, following location redirects, and automatically continuing (resuming) a previous file transfer and return an error on server error: +- Download a file, saving the [O]utput under the filename indicated by the URL: -`curl --fail --remote-name --location --continue-at - {{http://example.com/filename}}` +`curl --remote-name {{https://example.com/filename.zip}}` -- Send form-encoded data (POST request of type `application/x-www-form-urlencoded`). Use `--data @file_name` or `--data @'-'` to read from STDIN: +- Send form-encoded [d]ata (POST request of type `application/x-www-form-urlencoded`). Use `--data @file_name` or `--data @'-'` to read from `stdin`: -`curl --data {{'name=bob'}} {{http://example.com/form}}` +`curl -X POST --data {{'name=bob'}} {{http://example.com/form}}` -- Send a request with an extra header, using a custom HTTP method: +- Send a request with an extra header, using a custom HTTP method and over a pro[x]y (such as BurpSuite), ignoring insecure self-signed certificates: -`curl --header {{'X-My-Header: 123'}} --request {{PUT}} {{http://example.com}}` +`curl -k --proxy {{http://127.0.0.1:8080}} --header {{'Authorization: Bearer token'}} --request {{GET|PUT|POST|DELETE|PATCH|...}} {{https://example.com}}` -- Send data in JSON format, specifying the appropriate content-type header: +- Send data in JSON format, specifying the appropriate Content-Type [H]eader: `curl --data {{'{"name":"bob"}'}} --header {{'Content-Type: application/json'}} {{http://example.com/users/1234}}` -- Pass a username and prompt for a password to authenticate to the server: - -`curl --user {{username}} {{http://example.com}}` - - Pass client certificate and key for a resource, skipping certificate validation: `curl --cert {{client.pem}} --key {{key.pem}} --insecure {{https://example.com}}` + +- Resolve a hostname to a custom IP address, with [v]erbose output (similar to editing the `/etc/hosts` file for custom DNS resolution): + +`curl --verbose --resolve {{example.com}}:{{80}}:{{127.0.0.1}} {{http://example.com}}` diff --git a/pages/common/cut.md b/pages/common/cut.md index 95b010c09..08f58d723 100644 --- a/pages/common/cut.md +++ b/pages/common/cut.md @@ -3,14 +3,18 @@ > Cut out fields from `stdin` or files. > More information: . -- Print a specific character/field range of each line: +- Print a specific [c]haracter/[f]ield range of each line: -`{{command}} | cut --{{characters|fields}}={{1|1,10|1-10|1-|-10}}` +`{{command}} | cut --{{characters|fields}} {{1|1,10|1-10|1-|-10}}` -- Print a field range of each line with a specific delimiter: +- Print a [f]ield range of each line with a specific [d]elimiter: -`{{command}} | cut --delimiter="{{,}}" --fields={{1}}` +`{{command}} | cut --delimiter "{{,}}" --fields {{1}}` -- Print a character range of each line of the specific file: +- Print a [c]haracter range of each line of the specific file: -`cut --characters={{1}} {{path/to/file}}` +`cut --characters {{1}} {{path/to/file}}` + +- Print specific [f]ields of `NUL` terminated lines (e.g. as in `find . -print0`) instead of newlines: + +`{{command}} | cut --zero-terminated --fields {{1}}` diff --git a/pages/common/cypher-shell.md b/pages/common/cypher-shell.md new file mode 100644 index 000000000..5d5bf5ba7 --- /dev/null +++ b/pages/common/cypher-shell.md @@ -0,0 +1,33 @@ +# cypher-shell + +> Open an interactive session and run Cypher queries against a Neo4j instance. +> See also: `neo4j-admin`, `mysql`. +> More information: . + +- Connect to a local instance on the default port (`neo4j://localhost:7687`): + +`cypher-shell` + +- Connect to a remote instance: + +`cypher-shell --address neo4j://{{host}}:{{port}}` + +- Connect and supply security credentials: + +`cypher-shell --username {{username}} --password {{password}}` + +- Connect to a specific database: + +`cypher-shell --database {{database_name}}` + +- Execute Cypher statements in a file and close: + +`cypher-shell --file {{path/to/file.cypher}}` + +- Enable logging to a file: + +`cypher-shell --log {{path/to/file.log}}` + +- Display help: + +`cypher-shell --help` diff --git a/pages/common/d2.md b/pages/common/d2.md new file mode 100644 index 000000000..8fa519234 --- /dev/null +++ b/pages/common/d2.md @@ -0,0 +1,29 @@ +# d2 + +> A modern diagram scripting language that turns text to diagrams. +> Note: the output file supports SVG and PNG file formats. +> More information: . + +- Compile and render a D2 source file into an output file: + +`d2 {{path/to/input_file.d2}} {{path/to/output_file.ext}}` + +- [w]atch live changes made to a D2 source file in the default web browser: + +`d2 --watch {{path/to/input_file.d2}} {{path/to/output_file.ext}}` + +- Format a D2 source file: + +`d2 fmt {{path/to/input_file.d2}}` + +- List available themes: + +`d2 themes` + +- Use a different [t]heme for the output file (list available themes first to get the desired `theme_id`): + +`d2 --theme {{theme_id}} {{path/to/input_file.d2}} {{path/to/output_file.ext}}` + +- Make rendered diagrams look like hand [s]ketches: + +`d2 --sketch true {{path/to/input_file.d2}} {{path/to/output_file.ext}}` diff --git a/pages/common/dart.md b/pages/common/dart.md index 7d596055e..05f121442 100644 --- a/pages/common/dart.md +++ b/pages/common/dart.md @@ -26,3 +26,7 @@ - Compile a Dart file to a native binary: `dart compile exe {{path/to/file.dart}}` + +- Apply automated fixes to the current project: + +`dart fix --apply` diff --git a/pages/common/datashader_cli.md b/pages/common/datashader_cli.md index aaa204638..cbf4568f1 100644 --- a/pages/common/datashader_cli.md +++ b/pages/common/datashader_cli.md @@ -3,7 +3,7 @@ > Quick visualization of large datasets using CLI based on datashader. > More information: . -- Create a shaded scatter plot of points and save it to a png file and set the background color: +- Create a shaded scatter plot of points and save it to a PNG file and set the background color: `datashader_cli points {{path/to/input.parquet}} --x {{pickup_x}} --y {{pickup_y}} {{path/to/output.png}} --background {{black|white|#rrggbb}}` diff --git a/pages/common/date.md b/pages/common/date.md index f5f22b29b..aec1b8cdc 100644 --- a/pages/common/date.md +++ b/pages/common/date.md @@ -25,7 +25,7 @@ - Display the current date using the RFC-3339 format (`YYYY-MM-DD hh:mm:ss TZ`): -`date --rfc-3339=s` +`date --rfc-3339 s` - Set the current date using the format `MMDDhhmmYYYY.ss` (`YYYY` and `.ss` are optional): diff --git a/pages/common/dc.md b/pages/common/dc.md index e4cda43b1..2ff5e930d 100644 --- a/pages/common/dc.md +++ b/pages/common/dc.md @@ -1,7 +1,7 @@ # dc > An arbitrary precision calculator. Uses reverse polish notation (RPN). -> See also: `bc`. +> See also: `bc`, `qalc`. > More information: . - Start an interactive session: diff --git a/pages/common/dcfldd.md b/pages/common/dcfldd.md index 48520fc7e..37d1fa422 100644 --- a/pages/common/dcfldd.md +++ b/pages/common/dcfldd.md @@ -5,8 +5,8 @@ - Copy a disk to a raw image file and hash the image using SHA256: -`dcfldd if=/dev/{{disk_device}} of={{file.img}} hash=sha256 hashlog={{file.hash}}` +`dcfldd if={{/dev/disk_device}} of={{file.img}} hash=sha256 hashlog={{file.hash}}` - Copy a disk to a raw image file, hashing each 1 GB chunk: -`dcfldd if=/dev/{{disk_device}} of={{file.img}} hash={{sha512|sha384|sha256|sha1|md5}} hashlog={{file.hash}} hashwindow={{1G}}` +`dcfldd if={{/dev/disk_device}} of={{file.img}} hash={{sha512|sha384|sha256|sha1|md5}} hashlog={{file.hash}} hashwindow={{1G}}` diff --git a/pages/common/dd.md b/pages/common/dd.md index 4f92a4262..0c6b4f622 100644 --- a/pages/common/dd.md +++ b/pages/common/dd.md @@ -1,15 +1,15 @@ # dd > Convert and copy a file. -> More information: . +> More information: . -- Make a bootable USB drive from an isohybrid file (such as `archlinux-xxx.iso`): +- Make a bootable USB drive from an isohybrid file (such as `archlinux-xxx.iso`) and show the progress: -`dd if={{path/to/file.iso}} of=/dev/{{usb_drive}}` +`dd if={{path/to/file.iso}} of={{/dev/usb_drive}} status=progress` - Clone a drive to another drive with 4 MiB block size and flush writes before the command terminates: -`dd bs={{4194304}} conv={{fsync}} if=/dev/{{source_drive}} of=/dev/{{dest_drive}}` +`dd bs=4194304 conv=fsync if={{/dev/source_drive}} of={{/dev/dest_drive}}` - Generate a file with a specific number of random bytes by using kernel random driver: @@ -19,6 +19,6 @@ `dd bs={{1024}} count={{1000000}} if=/dev/zero of={{path/to/file_1GB}}` -- Create a system backup and save it into an IMG file (can be restored later by swapping `if` and `of`): +- Create a system backup, save it into an IMG file (can be restored later by swapping `if` and `of`), and show the progress: -`dd if={{/dev/drive_device}} of={{path/to/file.img}}` +`dd if={{/dev/drive_device}} of={{path/to/file.img}} status=progress` diff --git a/pages/common/deemix.md b/pages/common/deemix.md index 85015771b..38a911125 100644 --- a/pages/common/deemix.md +++ b/pages/common/deemix.md @@ -2,7 +2,7 @@ > A barebone deezer downloader library built from the ashes of Deezloader Remix. > It can be used as a standalone CLI app or implemented in a UI using the API. -> More information: . +> More information: . - Download a track or playlist: diff --git a/pages/common/dep.md b/pages/common/dep.md index c83fc38da..d4df17396 100644 --- a/pages/common/dep.md +++ b/pages/common/dep.md @@ -16,7 +16,7 @@ `dep rollback` -- Connect to a remote host via ssh: +- Connect to a remote host via SSH: `dep ssh {{hostname}}` diff --git a/pages/common/devenv.md b/pages/common/devenv.md new file mode 100644 index 000000000..b77deec02 --- /dev/null +++ b/pages/common/devenv.md @@ -0,0 +1,28 @@ +# devenv + +> Fast, Declarative, Reproducible and Composable Developer Environments using Nix. +> More information: . + +- Initialise the environment: + +`devenv init` + +- Enter the Development Environment with relaxed hermeticity (state of being airtight): + +`devenv shell --impure` + +- Get detailed information about the current environment: + +`devenv info --verbose` + +- Start processes with `devenv`: + +`devenv up --config /{{file}}/{{path}}/` + +- Clean the environment variables and re-enter the shell in offline mode: + +`devenv --clean --offline` + +- Delete the previous shell generations: + +`devenv gc` diff --git a/pages/common/dfc.md b/pages/common/dfc.md index 4b7e63356..08ffcfbf7 100644 --- a/pages/common/dfc.md +++ b/pages/common/dfc.md @@ -1,6 +1,6 @@ # dfc -> Gives an overview of the filesystem disk space usage with colors and graphs. +> Get an overview of the filesystem disk space usage with colors and graphs. > More information: . - Display filesystems and their disk usage in human-readable form with colors and graphs: diff --git a/pages/common/diff.md b/pages/common/diff.md index 57d84d6f9..8315c8866 100644 --- a/pages/common/diff.md +++ b/pages/common/diff.md @@ -1,7 +1,7 @@ # diff > Compare files and directories. -> More information: . +> More information: . - Compare files (lists changes to turn `old_file` into `new_file`): @@ -9,24 +9,28 @@ - Compare files, ignoring white spaces: -`diff --ignore-all-space {{old_file}} {{new_file}}` +`diff {{-w|--ignore-all-space}} {{old_file}} {{new_file}}` - Compare files, showing the differences side by side: -`diff --side-by-side {{old_file}} {{new_file}}` +`diff {{-y|--side-by-side}} {{old_file}} {{new_file}}` - Compare files, showing the differences in unified format (as used by `git diff`): -`diff --unified {{old_file}} {{new_file}}` +`diff {{-u|--unified}} {{old_file}} {{new_file}}` - Compare directories recursively (shows names for differing files/directories as well as changes made to files): -`diff --recursive {{old_directory}} {{new_directory}}` +`diff {{-r|--recursive}} {{old_directory}} {{new_directory}}` - Compare directories, only showing the names of files that differ: -`diff --recursive --brief {{old_directory}} {{new_directory}}` +`diff {{-r|--recursive}} {{-q|--brief}} {{old_directory}} {{new_directory}}` - Create a patch file for Git from the differences of two text files, treating nonexistent files as empty: -`diff --text --unified --new-file {{old_file}} {{new_file}} > {{diff.patch}}` +`diff {{-a|--text}} {{-u|--unified}} {{-N|--new-file}} {{old_file}} {{new_file}} > {{diff.patch}}` + +- Compare files, showing output in color and try hard to find smaller set of changes: + +`diff {{-d|--minimal}} --color=always {{old_file}} {{new_file}}` diff --git a/pages/common/difft.md b/pages/common/difft.md new file mode 100644 index 000000000..968467f34 --- /dev/null +++ b/pages/common/difft.md @@ -0,0 +1,33 @@ +# difft + +> Compare files or directories based on the syntax of the programming language. +> See also: `delta`, `diff`. +> More information: . + +- Compare two files or directories: + +`difft {{path/to/file_or_directory1}} {{path/to/file_or_directory2}}` + +- Only report the presence of differences between the files: + +`difft --check-only {{path/to/file1}} {{path/to/file2}}` + +- Specify the display mode (default is `side-by-side`): + +`difft --display {{side-by-side|side-by-side-show-both|inline|json}} {{path/to/file1}} {{path/to/file2}}` + +- Ignore comments when comparing: + +`difft --ignore-comments {{path/to/file1}} {{path/to/file2}}` + +- Enable/Disable syntax highlighting of source code (default is `on`): + +`difft --syntax-highlight {{on|off}} {{path/to/file1}} {{path/to/file2}}` + +- Do not output anything at all if there are no differences between files: + +`difft --skip-unchanged {{path/to/file_or_directory1}} {{path/to/file_or_directory2}}` + +- Print all programming languages supported by the tool, along with their extensions: + +`difft --list-languages` diff --git a/pages/common/dig.md b/pages/common/dig.md index 301f8dee7..572089c5c 100644 --- a/pages/common/dig.md +++ b/pages/common/dig.md @@ -15,9 +15,9 @@ `dig +short {{example.com}} {{A|MX|TXT|CNAME|NS}}` -- Specify an alternate DNS server to query: +- Specify an alternate DNS server to query and optionally use DNS over TLS (DoT): -`dig @{{8.8.8.8}} {{example.com}}` +`dig {{+tls}} @{{1.1.1.1|8.8.8.8|9.9.9.9|...}} {{example.com}}` - Perform a reverse DNS lookup on an IP address (PTR record): diff --git a/pages/common/dircolors.md b/pages/common/dircolors.md index be785b8b6..414399a1a 100644 --- a/pages/common/dircolors.md +++ b/pages/common/dircolors.md @@ -7,6 +7,10 @@ `dircolors` +- Display each filetype with the color they would appear in `ls`: + +`dircolors --print-ls-colors` + - Output commands to set LS_COLOR using colors from a file: `dircolors {{path/to/file}}` diff --git a/pages/common/dirs.md b/pages/common/dirs.md index dc90cbd11..335869640 100644 --- a/pages/common/dirs.md +++ b/pages/common/dirs.md @@ -1,6 +1,6 @@ # dirs -> Displays or manipulates the directory stack. +> Display or manipulate the directory stack. > The directory stack is a list of recently visited directories that can be manipulated with the `pushd` and `popd` commands. > More information: . diff --git a/pages/common/djxl.md b/pages/common/djxl.md new file mode 100644 index 000000000..a6d39b41b --- /dev/null +++ b/pages/common/djxl.md @@ -0,0 +1,13 @@ +# djxl + +> Decompress JPEG XL images. +> Accepted output extensions are PNG, APNG, JPEG, EXR, PGM, PPM, PNM, PFM, PAM, EXIF, XMP and JUMBF. +> More information: . + +- Decompress a JPEG XL image to another format: + +`djxl {{path/to/image.jxl}} {{path/to/output.ext}}` + +- Display an extremely detailed help page: + +`djxl --help --verbose --verbose --verbose --verbose` diff --git a/pages/common/dnsx.md b/pages/common/dnsx.md new file mode 100644 index 000000000..ef2b6b74a --- /dev/null +++ b/pages/common/dnsx.md @@ -0,0 +1,38 @@ +# dnsx + +> A fast and multi-purpose DNS toolkit to run multiple DNS queries. +> Note: input to `dnsx` needs to be passed through `stdin` (pipe `|`) in some cases. +> See also: `dig`, `dog`, `dnstracer`. +> More information: . + +- Query the A record of a (sub)domain and show [re]sponse received: + +`echo {{example.com}} | dnsx -a -re` + +- Query all the DNS records (A, AAAA, CNAME, NS, TXT, SRV, PTR, MX, SOA, AXFR, CAA): + +`dnsx -recon -re <<< {{example.com}}` + +- Query a specific type of DNS record: + +`echo {{example.com}} | dnsx -re -{{a|aaaa|cname|ns|txt|srv|ptr|mx|soa|any|axfr|caa}}` + +- Output [r]esponse [o]nly (do not show the queried domain or subdomain): + +`echo {{example.com}} | dnsx -ro` + +- Display raw response of a query, specifying [r]esolvers to use and retry attempts for failures: + +`echo {{example.com}} | dnsx -{{debug|raw}} -resolver {{1.1.1.1,8.8.8.8,...}} -retry {{number}}` + +- Brute force DNS records using a placeholder: + +`dnsx -domain {{FUZZ.example.com}} -wordlist {{path/to/wordlist.txt}} -re` + +- Brute force DNS records from a list of [d]omains and wordlists, appending [o]utput to a file with [n]o [c]olor codes: + +`dnsx -domain {{path/to/domain.txt}} -wordlist {{path/to/wordlist.txt}} -re -output {{path/to/output.txt}} -no-color` + +- Extract `CNAME` records for the given list of subdomains, with [r]ate [l]imiting DNS queries per second: + +`subfinder -silent -d {{example.com}} | dnsx -cname -re -rl {{number}}` diff --git a/pages/common/docker-build.md b/pages/common/docker-build.md index d8a7aad9e..77415bfcd 100644 --- a/pages/common/docker-build.md +++ b/pages/common/docker-build.md @@ -1,21 +1,21 @@ # docker build > Build an image from a Dockerfile. -> More information: . +> More information: . -- Build a docker image using the Dockerfile in the current directory: +- Build a Docker image using the Dockerfile in the current directory: `docker build .` -- Build a docker image from a Dockerfile at a specified URL: +- Build a Docker image from a Dockerfile at a specified URL: `docker build {{github.com/creack/docker-firefox}}` -- Build a docker image and tag it: +- Build a Docker image and tag it: `docker build --tag {{name:tag}} .` -- Build a docker image with no build context: +- Build a Docker image with no build context: `docker build --tag {{name:tag}} - < {{Dockerfile}}` @@ -23,7 +23,7 @@ `docker build --no-cache --tag {{name:tag}} .` -- Build a docker image using a specific Dockerfile: +- Build a Docker image using a specific Dockerfile: `docker build --file {{Dockerfile}} .` diff --git a/pages/common/docker-commit.md b/pages/common/docker-commit.md index df58346f2..566fc197b 100644 --- a/pages/common/docker-commit.md +++ b/pages/common/docker-commit.md @@ -1,7 +1,7 @@ # docker commit > Create a new image from a container’s changes. -> More information: . +> More information: . - Create an image from a specific container: @@ -9,23 +9,23 @@ - Apply a `CMD` Dockerfile instruction to the created image: -`docker commit --change="CMD {{command}}" {{container}} {{image}}:{{tag}}` +`docker commit --change "CMD {{command}}" {{container}} {{image}}:{{tag}}` - Apply an `ENV` Dockerfile instruction to the created image: -`docker commit --change="ENV {{name}}={{value}}" {{container}} {{image}}:{{tag}}` +`docker commit --change "ENV {{name}}={{value}}" {{container}} {{image}}:{{tag}}` - Create an image with a specific author in the metadata: -`docker commit --author="{{author}}" {{container}} {{image}}:{{tag}}` +`docker commit --author "{{author}}" {{container}} {{image}}:{{tag}}` - Create an image with a specific comment in the metadata: -`docker commit --message="{{comment}}" {{container}} {{image}}:{{tag}}` +`docker commit --message "{{comment}}" {{container}} {{image}}:{{tag}}` - Create an image without pausing the container during commit: -`docker commit --pause={{false}} {{container}} {{image}}:{{tag}}` +`docker commit --pause {{false}} {{container}} {{image}}:{{tag}}` - Display help: diff --git a/pages/common/docker-compose.md b/pages/common/docker-compose.md index b82f73def..117a9b801 100644 --- a/pages/common/docker-compose.md +++ b/pages/common/docker-compose.md @@ -1,7 +1,7 @@ # docker compose -> Run and manage multi container docker applications. -> More information: . +> Run and manage multi container Docker applications. +> More information: . - List all running containers: diff --git a/pages/common/docker-container-diff.md b/pages/common/docker-container-diff.md index 2a642cfa7..7eae22f61 100644 --- a/pages/common/docker-container-diff.md +++ b/pages/common/docker-container-diff.md @@ -1,7 +1,7 @@ # docker container diff > This command is an alias of `docker diff`. -> More information: . +> More information: . - View documentation for the original command: diff --git a/pages/common/docker-container-remove.md b/pages/common/docker-container-remove.md index c7b78345b..8cb04d669 100644 --- a/pages/common/docker-container-remove.md +++ b/pages/common/docker-container-remove.md @@ -1,7 +1,7 @@ # docker container remove > This command is an alias of `docker rm`. -> More information: . +> More information: . - View documentation for the original command: diff --git a/pages/common/docker-container-rm.md b/pages/common/docker-container-rm.md index 586c7c8c8..78789489a 100644 --- a/pages/common/docker-container-rm.md +++ b/pages/common/docker-container-rm.md @@ -1,7 +1,7 @@ # docker container rm > This command is an alias of `docker rm`. -> More information: . +> More information: . - View documentation for the original command: diff --git a/pages/common/docker-container.md b/pages/common/docker-container.md index f88f95235..4c5bedc26 100644 --- a/pages/common/docker-container.md +++ b/pages/common/docker-container.md @@ -27,7 +27,7 @@ `docker container inspect {{container_name}}` -- Export a container's filesystem as a `tar` archive: +- Export a container's filesystem as a tar archive: `docker container export {{container_name}}` diff --git a/pages/common/docker-diff.md b/pages/common/docker-diff.md index bf6c2d445..8916da67d 100644 --- a/pages/common/docker-diff.md +++ b/pages/common/docker-diff.md @@ -1,7 +1,7 @@ # docker diff > Inspect changes to files or directories on a container's filesystem. -> More information: . +> More information: . - Inspect the changes to a container since it was created: diff --git a/pages/common/docker-login.md b/pages/common/docker-login.md index 3e368fbd8..ff9b06a19 100644 --- a/pages/common/docker-login.md +++ b/pages/common/docker-login.md @@ -1,6 +1,6 @@ # docker login -> Log into a docker registry. +> Log into a Docker registry. > More information: . - Interactively log into a registry: diff --git a/pages/common/docker-machine.md b/pages/common/docker-machine.md index c7bd20f83..4d75974f9 100644 --- a/pages/common/docker-machine.md +++ b/pages/common/docker-machine.md @@ -1,13 +1,13 @@ # docker-machine > Create and manage machines running Docker. -> More information: . +> More information: . -- List currently running docker machines: +- List currently running Docker machines: `docker-machine ls` -- Create a new docker machine with specific name: +- Create a new Docker machine with specific name: `docker-machine create {{name}}` diff --git a/pages/common/docker-network.md b/pages/common/docker-network.md index 2ea97963c..0f9772cb8 100644 --- a/pages/common/docker-network.md +++ b/pages/common/docker-network.md @@ -1,9 +1,9 @@ # docker network -> Create and manage docker networks. +> Create and manage Docker networks. > More information: . -- List all available and configured networks on docker daemon: +- List all available and configured networks on Docker daemon: `docker network ls` diff --git a/pages/common/docker-ps.md b/pages/common/docker-ps.md index 9e629e1f9..9e9f14aae 100644 --- a/pages/common/docker-ps.md +++ b/pages/common/docker-ps.md @@ -1,13 +1,13 @@ # docker ps > List Docker containers. -> More information: . +> More information: . -- List currently running docker containers: +- List currently running Docker containers: `docker ps` -- List all docker containers (running and stopped): +- List all Docker containers (running and stopped): `docker ps --all` @@ -17,7 +17,7 @@ - Filter containers that contain a substring in their name: -`docker ps --filter="name={{name}}"` +`docker ps --filter "name={{name}}"` - Filter containers that share a given image as an ancestor: @@ -29,8 +29,8 @@ - Filter containers by status (created, running, removing, paused, exited and dead): -`docker ps --filter="status={{status}}"` +`docker ps --filter "status={{status}}"` - Filter containers that mount a specific volume or have a volume mounted in a specific path: -`docker ps --filter="volume={{path/to/directory}}" --format "table {{.ID}}\t{{.Image}}\t{{.Names}}\t{{.Mounts}}"` +`docker ps --filter "volume={{path/to/directory}}" --format "table {{.ID}}\t{{.Image}}\t{{.Names}}\t{{.Mounts}}"` diff --git a/pages/common/docker-rm.md b/pages/common/docker-rm.md index 2b8f074d2..d46ff4d2c 100644 --- a/pages/common/docker-rm.md +++ b/pages/common/docker-rm.md @@ -1,7 +1,7 @@ # docker rm > Remove containers. -> More information: . +> More information: . - Remove containers: diff --git a/pages/common/docker-rmi.md b/pages/common/docker-rmi.md index 0a810065e..4ad244570 100644 --- a/pages/common/docker-rmi.md +++ b/pages/common/docker-rmi.md @@ -1,7 +1,7 @@ # docker rmi > Remove Docker images. -> More information: . +> More information: . - Display help: diff --git a/pages/common/docker-save.md b/pages/common/docker-save.md index d7865713f..645146755 100644 --- a/pages/common/docker-save.md +++ b/pages/common/docker-save.md @@ -3,11 +3,11 @@ > Export Docker images to archive. > More information: . -- Save an image by redirecting `stdout` to a `tar` archive: +- Save an image by redirecting `stdout` to a tar archive: `docker save {{image}}:{{tag}} > {{path/to/file.tar}}` -- Save an image to a `tar` archive: +- Save an image to a tar archive: `docker save --output {{path/to/file.tar}} {{image}}:{{tag}}` diff --git a/pages/common/docker-service.md b/pages/common/docker-service.md index 05ced4e00..ea86ea9a7 100644 --- a/pages/common/docker-service.md +++ b/pages/common/docker-service.md @@ -1,9 +1,9 @@ # docker service -> Manage the services on a docker daemon. +> Manage the services on a Docker daemon. > More information: . -- List the services on a docker daemon: +- List the services on a Docker daemon: `docker service ls` diff --git a/pages/common/docker-start.md b/pages/common/docker-start.md index 8d8145b2d..4518c70a4 100644 --- a/pages/common/docker-start.md +++ b/pages/common/docker-start.md @@ -7,7 +7,7 @@ `docker start` -- Start a docker container: +- Start a Docker container: `docker start {{container}}` diff --git a/pages/common/docker-system.md b/pages/common/docker-system.md index 97a435291..512da533f 100644 --- a/pages/common/docker-system.md +++ b/pages/common/docker-system.md @@ -7,7 +7,7 @@ `docker system` -- Show docker disk usage: +- Show Docker disk usage: `docker system df` @@ -21,7 +21,7 @@ - Remove unused data created more than a specified amount of time in the past: -`docker system prune --filter="until={{hours}}h{{minutes}}m"` +`docker system prune --filter "until={{hours}}h{{minutes}}m"` - Display real-time events from the Docker daemon: diff --git a/pages/common/docker.md b/pages/common/docker.md index 66cd595ce..8ed706d77 100644 --- a/pages/common/docker.md +++ b/pages/common/docker.md @@ -4,7 +4,7 @@ > Some subcommands such as `docker run` have their own usage documentation. > More information: . -- List all docker containers (running and stopped): +- List all Docker containers (running and stopped): `docker ps --all` @@ -16,7 +16,7 @@ `docker {{start|stop}} {{container_name}}` -- Pull an image from a docker registry: +- Pull an image from a Docker registry: `docker pull {{image}}` @@ -24,7 +24,7 @@ `docker images` -- Open a shell inside a running container: +- Open an [i]nteractive [t]ty with Bourne shell (`sh`) inside a running container: `docker exec -it {{container_name}} {{sh}}` diff --git a/pages/common/doctl-kubernetes-options.md b/pages/common/doctl-kubernetes-options.md index 3dadefac9..d4900a405 100644 --- a/pages/common/doctl-kubernetes-options.md +++ b/pages/common/doctl-kubernetes-options.md @@ -1,6 +1,6 @@ # doctl kubernetes options -> Provides values available for use with doctl's Kubernetes commands. +> Get values available for use with `doctl`'s Kubernetes commands. > More information: . - List regions that support Kubernetes clusters: diff --git a/pages/common/doctum.md b/pages/common/doctum.md index 541b40271..7afd9862e 100644 --- a/pages/common/doctum.md +++ b/pages/common/doctum.md @@ -1,6 +1,6 @@ # doctum -> A PHP API documentation generator. +> Generate documentation for a PHP API. > More information: . - Parse a project: diff --git a/pages/common/doggo.md b/pages/common/doggo.md new file mode 100644 index 000000000..8a19ffbff --- /dev/null +++ b/pages/common/doggo.md @@ -0,0 +1,25 @@ +# doggo + +> DNS client for Humans. +> Written in Golang. +> More information: . + +- Perform a simple DNS lookup: + +`doggo {{example.com}}` + +- Query MX records using a specific nameserver: + +`doggo MX {{codeberg.org}} @{{1.1.1.2}}` + +- Use DNS over HTTPS: + +`doggo {{example.com}} @{{https://dns.quad9.net/dns-query}}` + +- Output in the JSON format: + +`doggo {{example.com}} --json | jq '{{.responses[0].answers[].address}}'` + +- Perform a reverse DNS lookup: + +`doggo --reverse {{8.8.4.4}} --short` diff --git a/pages/common/dolt-blame.md b/pages/common/dolt-blame.md index be8b6e8bb..2185c4277 100644 --- a/pages/common/dolt-blame.md +++ b/pages/common/dolt-blame.md @@ -1,6 +1,6 @@ # dolt blame -> Displays commit information for each row of a Dolt table. +> Display commit information for each row of a Dolt table. > More information: . - Display the latest commit for each row of a table: diff --git a/pages/common/dolt-version.md b/pages/common/dolt-version.md index 553689247..a7df647a0 100644 --- a/pages/common/dolt-version.md +++ b/pages/common/dolt-version.md @@ -1,6 +1,6 @@ # dolt version -> Displays the current dolt CLI version. +> Display the current dolt CLI version. > More information: . - Display version: diff --git a/pages/common/doppler-projects.md b/pages/common/doppler-projects.md new file mode 100644 index 000000000..a11a30280 --- /dev/null +++ b/pages/common/doppler-projects.md @@ -0,0 +1,24 @@ +# doppler projects + +> Manage Doppler Projects. +> More information: . + +- Get all projects: + +`doppler projects` + +- Get info for a project: + +`doppler projects get {{name|project_id}}` + +- Create a project: + +`doppler projects create {{name}}` + +- Update a project's name and description: + +`doppler projects update {{name|project_id}} --name "{{new_name}}" --description "{{new_description}}"` + +- Delete a project: + +`doppler projects delete {{name|project_id}}` diff --git a/pages/common/doppler-run.md b/pages/common/doppler-run.md new file mode 100644 index 000000000..f79cc2a22 --- /dev/null +++ b/pages/common/doppler-run.md @@ -0,0 +1,24 @@ +# doppler run + +> Run a command with Doppler secrets injected into the environment. +> More information: . + +- Run a command: + +`doppler run --command {{command}}` + +- Run multiple commands: + +`doppler run --command {{command1 && command2}}` + +- Run a script: + +`doppler run {{path/to/command.sh}}` + +- Run command with specified project and config: + +`doppler run -p {{project_name}} -c {{config_name}} -- {{command}}` + +- Automatically restart process when secrets change: + +`doppler run --watch {{command}}` diff --git a/pages/common/doppler-secrets.md b/pages/common/doppler-secrets.md new file mode 100644 index 000000000..b1c985b01 --- /dev/null +++ b/pages/common/doppler-secrets.md @@ -0,0 +1,24 @@ +# doppler secrets + +> Manage your Doppler project's secrets. +> More information: . + +- Get all secrets: + +`doppler secrets` + +- Get value(s) of one or more secrets: + +`doppler secrets get {{secrets}}` + +- Upload a secrets file: + +`doppler secrets upload {{path/to/file.env}}` + +- Delete value(s) of one or more secrets: + +`doppler secrets delete {{secrets}}` + +- Download secrets as `.env`: + +`doppler secrets download --format=env --no-file > {{path/to/.env}}` diff --git a/pages/common/doppler.md b/pages/common/doppler.md new file mode 100644 index 000000000..3c710df89 --- /dev/null +++ b/pages/common/doppler.md @@ -0,0 +1,29 @@ +# doppler + +> Manage environment variables across different environments using Doppler. +> Some subcommands such as `doppler run` and `doppler secrets` have their own usage documentation. +> More information: . + +- Setup Doppler CLI in the current directory: + +`doppler setup` + +- Setup Doppler project and config in current directory: + +`doppler setup` + +- Run a command with secrets injected into the environment: + +`doppler run --command {{command}}` + +- View your project list: + +`doppler projects` + +- View your secrets for current project: + +`doppler secrets` + +- Open Doppler dashboard in browser: + +`doppler open` diff --git a/pages/common/dot.md b/pages/common/dot.md index 179ae9a99..c914ae1d2 100644 --- a/pages/common/dot.md +++ b/pages/common/dot.md @@ -4,19 +4,19 @@ > Layouts: `dot`, `neato`, `twopi`, `circo`, `fdp`, `sfdp`, `osage` & `patchwork`. > More information: . -- Render a `png` image with a filename based on the input filename and output format (uppercase -O): +- Render a PNG image with a filename based on the input filename and output format (uppercase -O): `dot -T {{png}} -O {{path/to/input.gv}}` -- Render a `svg` image with the specified output filename (lowercase -o): +- Render a SVG image with the specified output filename (lowercase -o): `dot -T {{svg}} -o {{path/to/image.svg}} {{path/to/input.gv}}` -- Render the output in `ps`, `pdf`, `svg`, `fig`, `png`, `gif`, `jpg`, `json`, or `dot` format: +- Render the output in PS, PDF, SVG, Fig, PNG, GIF, JPEG, JSON, or DOT format: `dot -T {{format}} -O {{path/to/input.gv}}` -- Render a `gif` image using `stdin` and `stdout`: +- Render a GIF image using `stdin` and `stdout`: `echo "{{digraph {this -> that} }}" | dot -T {{gif}} > {{path/to/image.gif}}` diff --git a/pages/common/dotnet-add-reference.md b/pages/common/dotnet-add-reference.md index d4c231218..2f64f023d 100644 --- a/pages/common/dotnet-add-reference.md +++ b/pages/common/dotnet-add-reference.md @@ -7,6 +7,14 @@ `dotnet add reference {{path/to/reference.csproj}}` +- Add multiple references to the project in the current directory: + +`dotnet add reference {{path/to/reference1.csproj path/to/reference2.csproj ...}}` + - Add a reference to the specific project: `dotnet add {{path/to/project.csproj}} reference {{path/to/reference.csproj}}` + +- Add multiple references to the specific project: + +`dotnet add {{path/to/project.csproj}} reference {{path/to/reference1.csproj path/to/reference2.csproj ...}}` diff --git a/pages/common/dotnet-test.md b/pages/common/dotnet-test.md new file mode 100644 index 000000000..21aa4e375 --- /dev/null +++ b/pages/common/dotnet-test.md @@ -0,0 +1,17 @@ +# dotnet test + +> Execute tests for a .NET application. +> Note: View for supported filter expressions. +> More information: . + +- Execute tests for a .NET project/solution in the current directory: + +`dotnet test` + +- Execute tests for a .NET project/solution in a specific location: + +`dotnet test {{path/to/project_or_solution}}` + +- Execute tests matching the given filter expression: + +`dotnet test --filter {{Name~TestMethod1}}` diff --git a/pages/common/du.md b/pages/common/du.md index 6e0a5279c..1061c806f 100644 --- a/pages/common/du.md +++ b/pages/common/du.md @@ -26,3 +26,7 @@ - List the human-readable size of all `.jpg` files in subdirectories of the current directory, and show a cumulative total at the end: `du -ch {{*/*.jpg}}` + +- List all files and directories (including hidden ones) above a certain [t]hreshold size (useful for investigating what is actually taking up the space): + +`du --all --human-readable --threshold {{1G|1024M|1048576K}} .[^.]* *` diff --git a/pages/common/duc.md b/pages/common/duc.md index f98b2dcca..4dc73c3bf 100644 --- a/pages/common/duc.md +++ b/pages/common/duc.md @@ -1,6 +1,7 @@ # duc -> Duc is a collection of tools for indexing, inspecting and visualizing disk usage. Duc maintains a database of accumulated sizes of directories of the file system, allowing queries this database, or create fancy graphs to show where data is. +> A collection of tools for indexing, inspecting, and visualizing disk usage. +> Duc maintains a database of accumulated sizes of directories of the file system, allowing queries in this database, or creating fancy graphs to show where data is. > More information: . - Index the /usr directory, writing to the default database location ~/.duc.db: diff --git a/pages/common/duckdb.md b/pages/common/duckdb.md index 7a37fbc82..baabf12dc 100644 --- a/pages/common/duckdb.md +++ b/pages/common/duckdb.md @@ -29,7 +29,7 @@ - Read CSV from `stdin` and write CSV to `stdout`: -`cat {{path/to/source.csv}} | duckdb -c "{{COPY (FROM read_csv_auto('/dev/stdin')) TO '/dev/stdout' WITH (FORMAT CSV, HEADER)}}"` +`cat {{path/to/source.csv}} | duckdb -c "{{COPY (FROM read_csv('/dev/stdin')) TO '/dev/stdout' WITH (FORMAT CSV, HEADER)}}"` - Display help: diff --git a/pages/common/duplicity.md b/pages/common/duplicity.md index e69bdbf05..7bc6cf3a4 100644 --- a/pages/common/duplicity.md +++ b/pages/common/duplicity.md @@ -1,7 +1,8 @@ # duplicity -> Creates incremental, compressed, encrypted and versioned backups. +> Create incremental, compressed, encrypted and versioned backups. > Can also upload the backups to a variety of backend services. +> It is worth mentioning that depending on the version, some options may not be available (e.g. `--gio` in 2.0.0). > More information: . - Backup a directory via FTPS to a remote machine, encrypting it with a password: @@ -20,7 +21,7 @@ `duplicity collection-status "file://{{absolute/path/to/backup/directory}}"` -- List the files in a backup stored on a remote machine, via ssh: +- List the files in a backup stored on a remote machine, via SSH: `duplicity list-current-files --time {{YYYY-MM-DD}} scp://{{user@hostname}}/{{path/to/backup/dir}}` diff --git a/pages/common/dwebp.md b/pages/common/dwebp.md index da29a9455..0dd933028 100644 --- a/pages/common/dwebp.md +++ b/pages/common/dwebp.md @@ -4,26 +4,26 @@ > Animated WebP files are not supported. > More information: . -- Convert a `webp` file into a `png` file: +- Convert a WebP file into a PNG file: `dwebp {{path/to/input.webp}} -o {{path/to/output.png}}` -- Convert a `webp` file into a specific filetype: +- Convert a WebP file into a specific filetype: `dwebp {{path/to/input.webp}} -bmp|-tiff|-pam|-ppm|-pgm|-yuv -o {{path/to/output}}` -- Convert a `webp` file, using multi-threading if possible: +- Convert a WebP file, using multi-threading if possible: `dwebp {{path/to/input.webp}} -o {{path/to/output.png}} -mt` -- Convert a `webp` file, but also crop and scale at the same time: +- Convert a WebP file, but also crop and scale at the same time: `dwebp {{input.webp}} -o {{output.png}} -crop {{x_pos}} {{y_pos}} {{width}} {{height}} -scale {{width}} {{height}}` -- Convert a `webp` file and flip the output: +- Convert a WebP file and flip the output: `dwebp {{path/to/input.webp}} -o {{path/to/output.png}} -flip` -- Convert a `webp` file and don't use in-loop filtering to speed up the decoding process: +- Convert a WebP file and don't use in-loop filtering to speed up the decoding process: `dwebp {{path/to/input.webp}} -o {{path/to/output.png}} -nofilter` diff --git a/pages/common/ect.md b/pages/common/ect.md index 07dc393cc..57c1c1103 100644 --- a/pages/common/ect.md +++ b/pages/common/ect.md @@ -1,7 +1,7 @@ # ect > Efficient Compression Tool. -> File optimizer written in C++. It supports `.png`, `.jpg`, `.gzip` and `.zip` files. +> File optimizer written in C++. It supports PNG, JPEG, gzip and Zip files. > More information: . - Compress a file: diff --git a/pages/common/encfs.md b/pages/common/encfs.md index 857f4ad2e..fd8a9f40f 100644 --- a/pages/common/encfs.md +++ b/pages/common/encfs.md @@ -1,6 +1,6 @@ # encfs -> Mounts or creates encrypted virtual filesystems. +> Mount or create encrypted virtual filesystems. > See also `fusermount`, which can unmount filesystems mounted by this command. > More information: . diff --git a/pages/common/expand.md b/pages/common/expand.md index 7fe100a39..2397846e5 100644 --- a/pages/common/expand.md +++ b/pages/common/expand.md @@ -17,8 +17,8 @@ - Have tabs a certain number of characters apart, not 8: -`expand -t={{number}} {{path/to/file}}` +`expand -t {{number}} {{path/to/file}}` - Use a comma separated list of explicit tab positions: -`expand -t={{1,4,6}}` +`expand -t {{1,4,6}}` diff --git a/pages/common/factor.md b/pages/common/factor.md index f63855cc9..f68eac41d 100644 --- a/pages/common/factor.md +++ b/pages/common/factor.md @@ -1,6 +1,6 @@ # factor -> Prints the prime factorization of a number. +> Print the prime factorization of a number. > More information: . - Display the prime-factorization of a number: diff --git a/pages/common/fastfetch.md b/pages/common/fastfetch.md index f991fab84..2e9f419c6 100644 --- a/pages/common/fastfetch.md +++ b/pages/common/fastfetch.md @@ -7,6 +7,10 @@ `fastfetch` +- Display system information without a logo and escape sequences: + +`fastfetch --pipe` + - Fetch a specific structure: `fastfetch --structure {{structure}}` diff --git a/pages/common/fastmod.md b/pages/common/fastmod.md index 219a9ce92..dbf664ce8 100644 --- a/pages/common/fastmod.md +++ b/pages/common/fastmod.md @@ -16,7 +16,7 @@ `fastmod {{regex}} {{replacement}} --dir {{path/to/directory}} --iglob {{'**/*.{js,json}'}}` -- Replace for an exact string in .js or .json files: +- Replace for an exact string in `.js` or JSON files: `fastmod --fixed-strings {{exact_string}} {{replacement}} --extensions {{json,js}}` diff --git a/pages/common/fclones.md b/pages/common/fclones.md new file mode 100644 index 000000000..93e3cb9b3 --- /dev/null +++ b/pages/common/fclones.md @@ -0,0 +1,32 @@ +# fclones + +> Efficient duplicate file finder and remover. +> More information: . + +- Search for duplicate files in the current directory: + +`fclones group .` + +- Search multiple directories for duplicate files and cache the results: + +`fclones group --cache {{path/to/directory1 path/to/directory2}}` + +- Search only the specified directory for duplicate files, skipping subdirectories and save the results into a file: + +`fclones group {{path/to/directory}} --depth 1 > {{path/to/file.txt}}` + +- Move the duplicate files in a TXT file to a different directory: + +`fclones move {{path/to/target_directory}} < {{path/to/file.txt}}` + +- Perform a dry run for soft links in a TXT file without actually linking: + +`fclones link --soft < {{path/to/file.txt}} --dry-run 2 > /dev/null` + +- Delete the newest duplicates from the current directory without storing them in a file: + +`fclones group . | fclones remove --priority newest` + +- Preprocess JPEG files in the current directory by using an external command to strip their EXIF data before matching for duplicates: + +`fclones group . --name '*.jpg' -i --transform 'exiv2 -d a $IN' --in-place` diff --git a/pages/common/fdp.md b/pages/common/fdp.md index 970e326d0..9330636f7 100644 --- a/pages/common/fdp.md +++ b/pages/common/fdp.md @@ -4,11 +4,11 @@ > Layouts: `dot`, `neato`, `twopi`, `circo`, `fdp`, `sfdp`, `osage` & `patchwork`. > More information: . -- Render a `png` image with a filename based on the input filename and output format (uppercase -O): +- Render a PNG image with a filename based on the input filename and output format (uppercase -O): `fdp -T png -O {{path/to/input.gv}}` -- Render a `svg` image with the specified output filename (lowercase -o): +- Render a SVG image with the specified output filename (lowercase -o): `fdp -T svg -o {{path/to/image.svg}} {{path/to/input.gv}}` diff --git a/pages/common/fdupes.md b/pages/common/fdupes.md index 9f7bb804f..de4bf317a 100644 --- a/pages/common/fdupes.md +++ b/pages/common/fdupes.md @@ -19,7 +19,7 @@ `fdupes {{directory1}} -R {{directory2}}` -- Search recursively and replace duplicates with hardlinks: +- Search recursively, considering hardlinks as duplicates: `fdupes -rH {{path/to/directory}}` diff --git a/pages/common/ffmpeg.md b/pages/common/ffmpeg.md index f8d6ede14..9335be752 100644 --- a/pages/common/ffmpeg.md +++ b/pages/common/ffmpeg.md @@ -7,6 +7,10 @@ `ffmpeg -i {{path/to/video.mp4}} -vn {{path/to/sound.mp3}}` +- Transcode a FLAC file to Red Book CD format (44100kHz, 16bit): + +`ffmpeg -i {{path/to/input_audio.flac}} -ar 44100 -sample_fmt s16 {{path/to/output_audio.wav}}` + - Save a video as GIF, scaling the height to 1000px and setting framerate to 15: `ffmpeg -i {{path/to/video.mp4}} -vf 'scale=-1:{{1000}}' -r {{15}} {{path/to/output.gif}}` @@ -15,13 +19,9 @@ `ffmpeg -i {{path/to/frame_%d.jpg}} -f image2 {{video.mpg|video.gif}}` -- Quickly extract a single frame from a video at time mm:ss and save it as a 128x128 resolution image: - -`ffmpeg -ss {{mm:ss}} -i {{path/to/video.mp4}} -frames 1 -s {{128x128}} -f image2 {{path/to/image.png}}` - - Trim a video from a given start time mm:ss to an end time mm2:ss2 (omit the -to flag to trim till the end): -`ffmpeg -ss {{mm:ss}} -to {{mm2:ss2}} -i {{path/to/video.mp4}} -codec copy {{path/to/output.mp4}}` +`ffmpeg -ss {{mm:ss}} -to {{mm2:ss2}} -i {{path/to/input_video.mp4}} -codec copy {{path/to/output_video.mp4}}` - Convert AVI video to MP4. AAC Audio @ 128kbit, h264 Video @ CRF 23: diff --git a/pages/common/ffuf.md b/pages/common/ffuf.md index cc6f536f9..cd820fe74 100644 --- a/pages/common/ffuf.md +++ b/pages/common/ffuf.md @@ -8,7 +8,7 @@ `ffuf -c -w {{path/to/wordlist.txt}} -u {{http://target/FUZZ}}` -- Enumerate subdomains by changing the position of the keyword: +- Enumerate webservers of subdomains by changing the position of the keyword: `ffuf -w {{path/to/subdomains.txt}} -u {{http://FUZZ.target.com}}` @@ -23,3 +23,11 @@ - Fuzz with specified HTTP method and [d]ata, while [f]iltering out comma separated status [c]odes: `ffuf -w {{path/to/postdata.txt}} -X {{POST}} -d "{{username=admin\&password=FUZZ}}" -u {{http://target/login.php}} -fc {{401,403}}` + +- Fuzz multiple positions with multiple wordlists using different modes: + +`ffuf -w {{path/to/keys:KEY}} -w {{path/to/values:VALUE}} -mode {{pitchfork|clusterbomb}} -u {{http://target.com/id?KEY=VALUE}}` + +- Proxy requests through a HTTP MITM pro[x]y (such as Burp Suite or `mitmproxy`): + +`ffuf -w {{path/to/wordlist}} -x {{http://127.0.0.1:8080}} -u {{http://target.com/FUZZ}}` diff --git a/pages/common/figlet.md b/pages/common/figlet.md index bb9d3ad38..306ee79bb 100644 --- a/pages/common/figlet.md +++ b/pages/common/figlet.md @@ -8,11 +8,11 @@ `figlet {{input_text}}` -- Use a custom font file: +- Use a custom [f]ont file: `figlet {{input_text}} -f {{path/to/font_file.flf}}` -- Use a font from the default font directory (the extension can be omitted): +- Use a [f]ont from the default font directory (the extension can be omitted): `figlet {{input_text}} -f {{font_filename}}` @@ -23,3 +23,11 @@ - Show available FIGlet fonts: `showfigfonts {{optional_string_to_display}}` + +- Use the full width of the [t]erminal and [c]enter the input text: + +`figlet -t -c {{input_text}}` + +- Display all characters at full [W]idth to avoid overlapping: + +`figlet -W {{input_text}}` diff --git a/pages/common/find.md b/pages/common/find.md index 330a63c99..3641bf14d 100644 --- a/pages/common/find.md +++ b/pages/common/find.md @@ -31,6 +31,6 @@ `find {{root_path}} -daystart -mtime {{-1}} -exec {{tar -cvf archive.tar}} {} \+` -- Find empty (0 byte) files and delete them: +- Find empty files (0 byte) or directories and delete them verbosely: -`find {{root_path}} -type {{f}} -empty -delete` +`find {{root_path}} -type {{f|d}} -empty -delete -print` diff --git a/pages/common/from.md b/pages/common/from.md index 95c25d6fc..4212eaa87 100644 --- a/pages/common/from.md +++ b/pages/common/from.md @@ -1,6 +1,6 @@ # from -> Prints mail header lines from the current user's mailbox. +> Print mail header lines from the current user's mailbox. > More information: . - List mail: diff --git a/pages/common/frp.md b/pages/common/frp.md new file mode 100644 index 000000000..8d721293a --- /dev/null +++ b/pages/common/frp.md @@ -0,0 +1,12 @@ +# frp + +> Fast Reverse Proxy: quickly set up network tunnels to expose certain services to the Internet or other external networks. +> More information: . + +- View documentation for `frpc`, the `frp` client component: + +`tldr frpc` + +- View documentation for `frps`, the `frp` server component: + +`tldr frps` diff --git a/pages/common/frpc.md b/pages/common/frpc.md new file mode 100644 index 000000000..afbe78af1 --- /dev/null +++ b/pages/common/frpc.md @@ -0,0 +1,29 @@ +# frpc + +> Connect to a `frps` server to start proxying connections on the current host. +> Part of `frp`. +> More information: . + +- Start the service, using the default configuration file (assumed to be `frps.ini` in the current directory): + +`frpc` + +- Start the service, using the newer TOML configuration file (`frps.toml` instead of `frps.ini`) in the current directory: + +`frpc {{-c|--config}} ./frps.toml` + +- Start the service, using a specific configuration file: + +`frpc {{-c|--config}} {{path/to/file}}` + +- Check if the configuration file is valid: + +`frpc verify {{-c|--config}} {{path/to/file}}` + +- Print autocompletion setup script for Bash, fish, PowerShell, or Zsh: + +`frpc completion {{bash|fish|powershell|zsh}}` + +- Display version: + +`frpc {{-v|--version}}` diff --git a/pages/common/frps.md b/pages/common/frps.md new file mode 100644 index 000000000..6995fc502 --- /dev/null +++ b/pages/common/frps.md @@ -0,0 +1,29 @@ +# frps + +> Quickly set up a reverse proxy service. +> Part of `frp`. +> More information: . + +- Start the service, using the default configuration file (assumed to be `frps.ini` in the current directory): + +`frps` + +- Start the service, using the newer TOML configuration file (`frps.toml` instead of `frps.ini`) in the current directory: + +`frps {{-c|--config}} ./frps.toml` + +- Start the service, using a specified config file: + +`frps {{-c|--config}} {{path/to/file}}` + +- Check if the configuration file is valid: + +`frps verify {{-c|--config}} {{path/to/file}}` + +- Print autocompletion setup script for Bash, fish, PowerShell, or Zsh: + +`frps completion {{bash|fish|powershell|zsh}}` + +- Display version: + +`frps {{-v|--version}}` diff --git a/pages/common/funzip.md b/pages/common/funzip.md index 27e62b0e6..e73e3be4d 100644 --- a/pages/common/funzip.md +++ b/pages/common/funzip.md @@ -3,14 +3,14 @@ > Print the content of the first (non-directory) member in an archive without extraction. > More information: . -- Print the content of the first member in a `.zip` archive: +- Print the content of the first member in a Zip archive: `funzip {{path/to/archive.zip}}` -- Print the content in a `.gz` archive: +- Print the content in a gzip archive: `funzip {{path/to/archive.gz}}` -- Decrypt a `.zip` or `.gz` archive and print the content: +- Decrypt a Zip or gzip archive and print the content: `funzip -password {{password}} {{path/to/archive}}` diff --git a/pages/common/gau.md b/pages/common/gau.md new file mode 100644 index 000000000..f284f39e5 --- /dev/null +++ b/pages/common/gau.md @@ -0,0 +1,32 @@ +# gau + +> Get All URLs: fetch known URLs from AlienVault's Open Threat Exchange, the Wayback Machine, and Common Crawl for any domains. +> More information: . + +- Fetch all URLs of a domain from AlienVault's Open Threat Exchange, the Wayback Machine, Common Crawl, and URLScan: + +`gau {{example.com}}` + +- Fetch URLs of multiple domains: + +`gau {{domain1 domain2 ...}}` + +- Fetch all URLs of several domains from an input file, running multiple threads: + +`gau --threads {{4}} < {{path/to/domains.txt}}` + +- Write [o]utput results to a file: + +`gau {{example.com}} --o {{path/to/found_urls.txt}}` + +- Search for URLs from only one specific provider: + +`gau --providers {{wayback|commoncrawl|otx|urlscan}} {{example.com}}` + +- Search for URLs from multiple providers: + +`gau --providers {{wayback,otx,...}} {{example.com}}` + +- Search for URLs within specific date range: + +`gau --from {{YYYYMM}} --to {{YYYYMM}} {{example.com}}` diff --git a/pages/common/gcal.md b/pages/common/gcal.md index 26ab674c9..18fa357ad 100644 --- a/pages/common/gcal.md +++ b/pages/common/gcal.md @@ -1,6 +1,6 @@ # gcal -> Displays calendar. +> Display calendar. > More information: . - Display calendar for the current month: @@ -9,7 +9,7 @@ - Display calendar for the month of February of the year 2010: -`gcal {{2}} {{2010}}` +`gcal 2 2010` - Provide calendar sheet with week numbers: @@ -17,7 +17,7 @@ - Change starting day of week to 1st day of the week (Monday): -`gcal --starting-day={{1}}` +`gcal --starting-day=1` - Display the previous, current and next month surrounding today: diff --git a/pages/common/gcloud-info.md b/pages/common/gcloud-info.md index 90779a7e3..b50c642e2 100644 --- a/pages/common/gcloud-info.md +++ b/pages/common/gcloud-info.md @@ -1,7 +1,7 @@ # gcloud info > Display information about the current `gcloud` environment. -> More information: . +> More information: . - Display `gcloud` environment information: diff --git a/pages/common/gcloud-topic.md b/pages/common/gcloud-topic.md index 8a5a93ebc..016313dbc 100644 --- a/pages/common/gcloud-topic.md +++ b/pages/common/gcloud-topic.md @@ -1,6 +1,6 @@ # gcloud topic -> Provides supplementary help for topics not directly associated with individual commands. See also `gcloud`. +> Display supplementary help for topics not directly associated with individual commands. See also `gcloud`. > For general help, see `tldr gcloud help`. > More information: . diff --git a/pages/common/gcpdiag.md b/pages/common/gcpdiag.md index e81c23b0a..78ff03c67 100644 --- a/pages/common/gcpdiag.md +++ b/pages/common/gcpdiag.md @@ -1,7 +1,7 @@ # gcpdiag > Google Cloud Platform troubleshooting and diagnostics tool. -> Run in a docker container or in GCP Cloudshell. +> Run in a Docker container or in GCP Cloudshell. > More information: . - Run `gcpdiag` on your project, returning all rules: diff --git a/pages/common/gdown.md b/pages/common/gdown.md new file mode 100644 index 000000000..674f37739 --- /dev/null +++ b/pages/common/gdown.md @@ -0,0 +1,24 @@ +# gdown + +> Download files from Google Drive and other URLs. +> More information: . + +- Download a file from a URL: + +`gdown {{url}}` + +- Download using a file ID: + +`gdown {{file_id}}` + +- Download with fuzzy file ID extraction (also works with links): + +`gdown --fuzzy {{url}}` + +- Download a folder using its ID or the full URL: + +`gdown {{folder_id|url}} -O {{path/to/output_directory}} --folder` + +- Download a tar archive, write it to `stdout` and extract it: + +`gdown {{tar_url}} -O - --quiet | tar xvf -` diff --git a/pages/common/gh-api.md b/pages/common/gh-api.md index 2beedb01b..f7829431c 100644 --- a/pages/common/gh-api.md +++ b/pages/common/gh-api.md @@ -1,6 +1,6 @@ # gh api -> Makes authenticated HTTP requests to the GitHub API and prints the response. +> Make authenticated HTTP requests to the GitHub API and print the response. > More information: . - Display the releases for the current repository in JSON format: diff --git a/pages/common/gist.md b/pages/common/gist.md index 8cb16e836..4a517bcf3 100644 --- a/pages/common/gist.md +++ b/pages/common/gist.md @@ -1,9 +1,9 @@ # gist -> Upload code to https://gist.github.com. +> Upload code to . > More information: . -- Log in in gist on this computer: +- Log in to gist on this computer: `gist --login` diff --git a/pages/common/git-add.md b/pages/common/git-add.md index 910d0c6a2..5dd6dd2ba 100644 --- a/pages/common/git-add.md +++ b/pages/common/git-add.md @@ -9,24 +9,28 @@ - Add all files (tracked and untracked): -`git add -A` +`git add {{-A|--all}}` + +- Add all files in the current folder: + +`git add .` - Only add already tracked files: -`git add -u` +`git add {{-u|--update}}` - Also add ignored files: -`git add -f` +`git add {{-f|--force}}` - Interactively stage parts of files: -`git add -p` +`git add {{-p|--patch}}` - Interactively stage parts of a given file: -`git add -p {{path/to/file}}` +`git add {{-p|--patch}} {{path/to/file}}` - Interactively stage a file: -`git add -i` +`git add {{-i|--interactive}}` diff --git a/pages/common/git-annotate.md b/pages/common/git-annotate.md index d3f03fa1d..2f1d5b90e 100644 --- a/pages/common/git-annotate.md +++ b/pages/common/git-annotate.md @@ -9,9 +9,9 @@ `git annotate {{path/to/file}}` -- Print a file with the author [e]mail and commit hash prepended to each line: +- Print a file with the author email and commit hash prepended to each line: -`git annotate -e {{path/to/file}}` +`git annotate {{-e|--show-email}} {{path/to/file}}` - Print only rows that match a regular expression: diff --git a/pages/common/git-archive-file.md b/pages/common/git-archive-file.md index 0b81a039b..a0e60b258 100644 --- a/pages/common/git-archive-file.md +++ b/pages/common/git-archive-file.md @@ -1,9 +1,9 @@ # git archive-file -> Export all the files of the current Git branch into a `zip` archive. +> Export all the files of the current Git branch into a Zip archive. > Part of `git-extras`. > More information: . -- Pack the currently checked out commit into a `zip` archive: +- Pack the currently checked out commit into a Zip archive: `git archive-file` diff --git a/pages/common/git-archive.md b/pages/common/git-archive.md index 1ac422c58..18d0ad99d 100644 --- a/pages/common/git-archive.md +++ b/pages/common/git-archive.md @@ -1,28 +1,28 @@ # git archive -> Create an archive of files from a named tree. +> Create an archive of files from a tree. > More information: . - Create a tar archive from the contents of the current HEAD and print it to `stdout`: -`git archive --verbose HEAD` +`git archive {{-v|--verbose}} HEAD` -- Create a zip archive from the current HEAD and print it to `stdout`: +- Use the Zip format and report progress verbosely: -`git archive --verbose --format zip HEAD` +`git archive {{-v|--verbose}} --format zip HEAD` -- Same as above, but write the zip archive to file: +- Output the Zip archive to a specific file: -`git archive --verbose --output {{path/to/file.zip}} HEAD` +`git archive {{-v|--verbose}} {{-o|--output}} {{path/to/file.zip}} HEAD` -- Create a tar archive from the contents of the latest commit on a specific branch: +- Create a tar archive from the contents of the latest commit of a specific branch: -`git archive --output {{path/to/file.tar}} {{branch_name}}` +`git archive {{-o|--output}} {{path/to/file.tar}} {{branch_name}}` -- Create a tar archive from the contents of a specific directory: +- Use the contents of a specific directory: -`git archive --output {{path/to/file.tar}} HEAD:{{path/to/directory}}` +`git archive {{-o|--output}} {{path/to/file.tar}} HEAD:{{path/to/directory}}` - Prepend a path to each file to archive it inside a specific directory: -`git archive --output {{path/to/file.tar}} --prefix {{path/to/prepend}}/ HEAD` +`git archive {{-o|--output}} {{path/to/file.tar}} --prefix {{path/to/prepend}}/ HEAD` diff --git a/pages/common/git-blame.md b/pages/common/git-blame.md index 47b19f8b4..b55335af2 100644 --- a/pages/common/git-blame.md +++ b/pages/common/git-blame.md @@ -9,7 +9,7 @@ - Print file with author email and commit hash on each line: -`git blame -e {{path/to/file}}` +`git blame {{-e|--show-email}} {{path/to/file}}` - Print file with author name and commit hash on each line at a specific commit: diff --git a/pages/common/git-branch.md b/pages/common/git-branch.md index 6f49d81e3..7995f4235 100644 --- a/pages/common/git-branch.md +++ b/pages/common/git-branch.md @@ -25,11 +25,11 @@ - Rename a branch (must not have it checked out to do this): -`git branch -m {{old_branch_name}} {{new_branch_name}}` +`git branch {{-m|--move}} {{old_branch_name}} {{new_branch_name}}` - Delete a local branch (must not have it checked out to do this): -`git branch -d {{branch_name}}` +`git branch {{-d|--delete}} {{branch_name}}` - Delete a remote branch: diff --git a/pages/common/git-bug.md b/pages/common/git-bug.md index 2cd7e7e3f..3ba1ca980 100644 --- a/pages/common/git-bug.md +++ b/pages/common/git-bug.md @@ -12,11 +12,11 @@ `git bug add` -- You can push your new entry to a remote: +- Push a new bug entry to a remote: `git bug push` -- You can pull for updates: +- Pull for updates: `git bug pull` diff --git a/pages/common/git-bulk.md b/pages/common/git-bulk.md index d1af4d142..2e3e458b6 100644 --- a/pages/common/git-bulk.md +++ b/pages/common/git-bulk.md @@ -12,13 +12,13 @@ `git bulk --addworkspace {{workspace_name}} {{/absolute/path/to/repository}}` -- Clone a repository inside a specific directory then register the repository as a workspace: +- Clone a repository inside a specific directory, then register the repository as a workspace: `git bulk --addworkspace {{workspace_name}} {{/absolute/path/to/parent_directory}} --from {{remote_repository_location}}` -- Clone repositories from a newline-separated list of remote locations then register them as workspaces: +- Clone repositories from a newline-separated list of remote locations, then register them as workspaces: -`git bulk --addworkspace {{workspace-name}} {{/path/to/root/directory}} --from {{/path/to/file}}` +`git bulk --addworkspace {{workspace_name}} {{/path/to/root/directory}} --from {{/path/to/file}}` - List all registered workspaces: diff --git a/pages/common/git-bundle.md b/pages/common/git-bundle.md index 20d4705ca..992979096 100644 --- a/pages/common/git-bundle.md +++ b/pages/common/git-bundle.md @@ -17,7 +17,7 @@ - Create a bundle file of the latest 7 days: -`git bundle create {{path/to/file.bundle}} --since={{7.days}} {{HEAD}}` +`git bundle create {{path/to/file.bundle}} --since {{7.days}} {{HEAD}}` - Verify that a bundle file is valid and can be applied to the current repository: @@ -30,3 +30,7 @@ - Unbundle a specific branch from a bundle file into the current repository: `git pull {{path/to/file.bundle}} {{branch_name}}` + +- Create a new repository from a bundle: + +`git clone {{path/to/file.bundle}}` diff --git a/pages/common/git-cherry.md b/pages/common/git-cherry.md index 3c851a09b..8375274e9 100644 --- a/pages/common/git-cherry.md +++ b/pages/common/git-cherry.md @@ -5,7 +5,7 @@ - Show commits (and their messages) with equivalent commits upstream: -`git cherry -v` +`git cherry {{-v|--verbose}}` - Specify a different upstream and topic branch: diff --git a/pages/common/git-clean.md b/pages/common/git-clean.md index 7e2465448..d0a8cd550 100644 --- a/pages/common/git-clean.md +++ b/pages/common/git-clean.md @@ -7,21 +7,21 @@ `git clean` -- [i]nteractively delete untracked files: +- Interactively delete untracked files: -`git clean -i` +`git clean {{-i|--interactive}}` - Show which files would be deleted without actually deleting them: `git clean --dry-run` -- [f]orcefully delete untracked files: +- Forcefully delete untracked files: -`git clean -f` +`git clean {{-f|--force}}` -- [f]orcefully delete untracked [d]irectories: +- Forcefully delete untracked [d]irectories: -`git clean -fd` +`git clean {{-f|--force}} -d` - Delete untracked files, including e[x]cluded files (files ignored in `.gitignore` and `.git/info/exclude`): diff --git a/pages/common/git-commit.md b/pages/common/git-commit.md index 61146a5b6..1c5984e2e 100644 --- a/pages/common/git-commit.md +++ b/pages/common/git-commit.md @@ -25,7 +25,7 @@ - Commit only specific (already staged) files: -`git commit {{path/to/file1}} {{path/to/file2}}` +`git commit {{path/to/file1 path/to/file2 ...}}` - Create a commit, even if there are no staged files: diff --git a/pages/common/git-config.md b/pages/common/git-config.md index 86bf7fe42..d383a83ac 100644 --- a/pages/common/git-config.md +++ b/pages/common/git-config.md @@ -4,13 +4,13 @@ > These configurations can be local (for the current repository) or global (for the current user). > More information: . -- List only local configuration entries (stored in `.git/config` in the current repository): +- Globally set your name or email (this information is required to commit to a repository and will be included in all commits): -`git config --list --local` +`git config --global {{user.name|user.email}} "{{Your Name|email@example.com}}"` -- List only global configuration entries (stored in `~/.gitconfig` by default or in `$XDG_CONFIG_HOME/git/config` if such a file exists): +- List local or global configuration entries: -`git config --list --global` +`git config --list --{{local|global}}` - List only system configuration entries (stored in `/etc/gitconfig`), and show their file location: @@ -28,10 +28,10 @@ `git config --global --unset alias.unstage` -- Edit the Git configuration for the current repository in the default editor: +- Edit the local Git configuration (`.git/config`) in the default editor: `git config --edit` -- Edit the global Git configuration in the default editor: +- Edit the global Git configuration (`~/.gitconfig` by default or `$XDG_CONFIG_HOME/git/config` if such a file exists) in the default editor: `git config --global --edit` diff --git a/pages/common/git-contrib.md b/pages/common/git-contrib.md index 895eebee5..439c9d6f2 100644 --- a/pages/common/git-contrib.md +++ b/pages/common/git-contrib.md @@ -1,6 +1,6 @@ # git contrib -> Display commits from a author. +> Display commits from an author. > Part of `git-extras`. > More information: . diff --git a/pages/common/git-diff-tree.md b/pages/common/git-diff-tree.md index 6c234f86d..263758990 100644 --- a/pages/common/git-diff-tree.md +++ b/pages/common/git-diff-tree.md @@ -13,7 +13,7 @@ - Display changes in patch format: -`git diff-tree -p {{tree-ish1}} {{tree-ish2}}` +`git diff-tree {{-p|--patch}} {{tree-ish1}} {{tree-ish2}}` - Filter changes by a specific path: diff --git a/pages/common/git-diff.md b/pages/common/git-diff.md index 1cabf7227..edbd85ca8 100644 --- a/pages/common/git-diff.md +++ b/pages/common/git-diff.md @@ -19,9 +19,9 @@ `git diff 'HEAD@{3 months|weeks|days|hours|seconds ago}'` -- Show only names of changed files since a given commit: +- Show diff statistics, like files changed, histogram, and total line insertions/deletions: -`git diff --name-only {{commit}}` +`git diff --stat {{commit}}` - Output a summary of file creations, renames and mode changes since a given commit: diff --git a/pages/common/git-force-clone.md b/pages/common/git-force-clone.md index 148453ddd..61d22f55a 100644 --- a/pages/common/git-force-clone.md +++ b/pages/common/git-force-clone.md @@ -1,6 +1,6 @@ # git force-clone -> Provides the basic functionality of `git clone`, but if the destination Git repository already exists it will force-reset it to resemble a clone of the remote. +> Get the basic functionality of `git clone`, but if the destination Git repository already exists it will force-reset it to resemble a clone of the remote. > Part of `git-extras`. > More information: . diff --git a/pages/common/git-fsck.md b/pages/common/git-fsck.md index 170399258..f6a9725d2 100644 --- a/pages/common/git-fsck.md +++ b/pages/common/git-fsck.md @@ -1,7 +1,8 @@ # git fsck > Verify the validity and connectivity of nodes in a Git repository index. -> Does not make any modifications. See `git gc` for cleaning up dangling blobs. +> Does not make any modifications. +> See also: `git gc` for cleaning up dangling blobs. > More information: . - Check the current repository: diff --git a/pages/common/git-init.md b/pages/common/git-init.md index f36ef690d..438907413 100644 --- a/pages/common/git-init.md +++ b/pages/common/git-init.md @@ -15,6 +15,6 @@ `git init --object-format={{sha256}}` -- Initialize a barebones repository, suitable for use as a remote over ssh: +- Initialize a barebones repository, suitable for use as a remote over SSH: `git init --bare` diff --git a/pages/common/git-lfs.md b/pages/common/git-lfs.md index 9038298b0..3f4e4106f 100644 --- a/pages/common/git-lfs.md +++ b/pages/common/git-lfs.md @@ -1,7 +1,7 @@ # git lfs > Work with large files in Git repositories. -> More information: . +> More information: . - Initialize Git LFS: @@ -13,7 +13,7 @@ - Change the Git LFS endpoint URL (useful if the LFS server is separate from the Git server): -`git config -f .lfsconfig lfs.url {{lfs_endpoint_url}}` +`git config {{-f|--file}} .lfsconfig lfs.url {{lfs_endpoint_url}}` - List tracked patterns: diff --git a/pages/common/git-log.md b/pages/common/git-log.md index 569841e14..2cbe551cd 100644 --- a/pages/common/git-log.md +++ b/pages/common/git-log.md @@ -9,7 +9,7 @@ - Show the history of a particular file or directory, including differences: -`git log -p {{path/to/file_or_directory}}` +`git log {{--patch|-p|-u}} {{path/to/file_or_directory}}` - Show an overview of which file(s) changed in each commit: @@ -23,14 +23,14 @@ `git log --oneline --decorate --all --graph` -- Show only commits whose messages include a given string (case-insensitively): +- Show only commits with messages that include a specific string, ignoring case: -`git log -i --grep {{search_string}}` +`git log {{-i|--regexp-ignore-case}} --grep {{search_string}}` -- Show the last N commits from a certain author: +- Show the last N number of commits from a certain author: -`git log -n {{number}} --author={{author}}` +`git log {{--max-count|-n} {{number}} --author "{{author}}"` - Show commits between two dates (yyyy-mm-dd): -`git log --before="{{2017-01-29}}" --after="{{2017-01-17}}"` +`git log --before "{{2017-01-29}}" --after "{{2017-01-17}}"` diff --git a/pages/common/git-mktree.md b/pages/common/git-mktree.md new file mode 100644 index 000000000..bef382dd6 --- /dev/null +++ b/pages/common/git-mktree.md @@ -0,0 +1,24 @@ +# git mktree + +> Build a tree object using `ls-tree` formatted text. +> More information: . + +- Build a tree object and verify that each tree entry’s hash identifies an existing object: + +`git mktree` + +- Allow missing objects: + +`git mktree --missing` + +- Read the NUL ([z]ero character) terminated output of the tree object (`ls-tree -z`): + +`git mktree -z` + +- Allow the creation of multiple tree objects: + +`git mktree --batch` + +- Sort and build a tree from `stdin` (non-recursive `git ls-tree` output format is required): + +`git mktree < {{path/to/tree.txt}}` diff --git a/pages/common/git-rebase.md b/pages/common/git-rebase.md index 8b7d396c3..d61a3aab9 100644 --- a/pages/common/git-rebase.md +++ b/pages/common/git-rebase.md @@ -10,7 +10,7 @@ - Start an interactive rebase, which allows the commits to be reordered, omitted, combined or modified: -`git rebase -i {{target_base_branch_or_commit_hash}}` +`git rebase {{-i|--interactive}} {{target_base_branch_or_commit_hash}}` - Continue a rebase that was interrupted by a merge failure, after editing conflicting files: @@ -30,8 +30,8 @@ - Reapply the last 5 commits in-place, stopping to allow them to be reordered, omitted, combined or modified: -`git rebase -i {{HEAD~5}}` +`git rebase {{-i|--interactive}} {{HEAD~5}}` - Auto-resolve any conflicts by favoring the working branch version (`theirs` keyword has reversed meaning in this case): -`git rebase -X theirs {{branch_name}}` +`git rebase {{-X|--strategy-option}} theirs {{branch_name}}` diff --git a/pages/common/git-reflog.md b/pages/common/git-reflog.md index e3d9867da..db8cde75a 100644 --- a/pages/common/git-reflog.md +++ b/pages/common/git-reflog.md @@ -13,4 +13,4 @@ - Show only the 5 latest entries in the reflog: -`git reflog -n {{5}}` +`git reflog {{-n|--dry-run}} {{5}}` diff --git a/pages/common/git-remote.md b/pages/common/git-remote.md index 29ee5270e..c94c4f2e0 100644 --- a/pages/common/git-remote.md +++ b/pages/common/git-remote.md @@ -5,7 +5,7 @@ - List existing remotes with their names and URLs: -`git remote -v` +`git remote {{-v|--verbose}}` - Show information about a remote: diff --git a/pages/common/git-rev-list.md b/pages/common/git-rev-list.md index b8024aa3a..a95e68fb5 100644 --- a/pages/common/git-rev-list.md +++ b/pages/common/git-rev-list.md @@ -9,11 +9,11 @@ - Print the latest commit that changed (add/edit/remove) a specific file on the current branch: -`git rev-list -n 1 HEAD -- {{path/to/file}}` +`git rev-list {{-n|--max-count}} 1 HEAD -- {{path/to/file}}` - List commits more recent than a specific date, on a specific branch: -`git rev-list --since={{'2019-12-01 00:00:00'}} {{branch_name}}` +`git rev-list --since "{{2019-12-01 00:00:00}}" {{branch_name}}` - List all merge commits on a specific commit: diff --git a/pages/common/git-revert.md b/pages/common/git-revert.md index 4767bc394..d08b2461f 100644 --- a/pages/common/git-revert.md +++ b/pages/common/git-revert.md @@ -21,4 +21,4 @@ - Don't create new commits, just change the working tree: -`git revert -n {{0c01a9..9a1743}}` +`git revert {{-n|--no-commit}} {{0c01a9..9a1743}}` diff --git a/pages/common/git-send-email.md b/pages/common/git-send-email.md index d550b506d..9777d425e 100644 --- a/pages/common/git-send-email.md +++ b/pages/common/git-send-email.md @@ -4,7 +4,7 @@ > Patches can be specified as files, directions, or a revision list. > More information: . -- Send the last commit in the current branch: +- Send the last commit in the current branch interactively: `git send-email -1` diff --git a/pages/common/git-shortlog.md b/pages/common/git-shortlog.md index 2774f3348..224f4aa66 100644 --- a/pages/common/git-shortlog.md +++ b/pages/common/git-shortlog.md @@ -9,11 +9,11 @@ - View a summary of all the commits made, sorted by the number of commits made: -`git shortlog -n` +`git shortlog {{-n|--numbered}}` - View a summary of all the commits made, grouped by the committer identities (name and email): -`git shortlog -c` +`git shortlog {{-c|--committer}}` - View a summary of the last 5 commits (i.e. specify a revision range): @@ -21,8 +21,8 @@ - View all users, emails and the number of commits in the current branch: -`git shortlog -sne` +`git shortlog {{-s|--summary}} {{-n|--numbered}} {{-e|--email}}` - View all users, emails and the number of commits in all branches: -`git shortlog -sne --all` +`git shortlog {{-s|--summary}} {{-n|--numbered}} {{-e|--email}} --all` diff --git a/pages/common/git-stash.md b/pages/common/git-stash.md index 5ccbe1616..1c3a6b318 100644 --- a/pages/common/git-stash.md +++ b/pages/common/git-stash.md @@ -3,25 +3,25 @@ > Stash local Git changes in a temporary area. > More information: . -- Stash current changes, except new (untracked) files: +- Stash current changes with a [m]essage, except new (untracked) files: -`git stash push -m {{optional_stash_message}}` +`git stash push --message {{optional_stash_message}}` -- Stash current changes, including new (untracked) files: +- Stash current changes, including new ([u]ntracked) files: -`git stash -u` +`git stash --include-untracked` -- Interactively select parts of changed files for stashing: +- Interactively select [p]arts of changed files for stashing: -`git stash -p` +`git stash --patch` - List all stashes (shows stash name, related branch and message): `git stash list` -- Show the changes as a patch between the stash (default is `stash@{0}`) and the commit back when stash entry was first created: +- Show the changes as a [p]atch between the stash (default is `stash@{0}`) and the commit back when stash entry was first created: -`git stash show -p {{stash@{0}}}` +`git stash show --patch {{stash@{0}}}` - Apply a stash (default is the latest, named stash@{0}): diff --git a/pages/common/git-status.md b/pages/common/git-status.md index 50a0d4d03..b1104f029 100644 --- a/pages/common/git-status.md +++ b/pages/common/git-status.md @@ -12,6 +12,10 @@ `git status --short` +- Show [v]erbose information on changes in both the staging area and working directory: + +`git status --verbose --verbose` + - Show the [b]ranch and tracking info: `git status --branch` diff --git a/pages/common/git-svn.md b/pages/common/git-svn.md index 7fbae8f1f..5654567ca 100644 --- a/pages/common/git-svn.md +++ b/pages/common/git-svn.md @@ -9,7 +9,7 @@ - Clone an SVN repository starting at a given revision number: -`git svn clone -r{{1234}}:HEAD {{https://svn.example.net/subversion/repo}} {{local_dir}}` +`git svn clone {{-r|--revision}} {{1234}}:HEAD {{https://svn.example.net/subversion/repo}} {{local_dir}}` - Update local clone from the remote SVN repository: diff --git a/pages/common/git-tag.md b/pages/common/git-tag.md index 74397937f..922e8a1ca 100644 --- a/pages/common/git-tag.md +++ b/pages/common/git-tag.md @@ -22,12 +22,16 @@ - Delete the tag with the given name: -`git tag -d {{tag_name}}` +`git tag {{-d|--delete}} {{tag_name}}` -- Get updated tags from upstream: +- Get updated tags from remote: `git fetch --tags` +- Push a tag to remote: + +`git push origin tag {{tag_name}}` + - List all tags whose ancestors include a given commit: `git tag --contains {{commit}}` diff --git a/pages/common/git-var.md b/pages/common/git-var.md index 1b2341771..a915b0c9e 100644 --- a/pages/common/git-var.md +++ b/pages/common/git-var.md @@ -1,6 +1,6 @@ # git var -> Prints a Git logical variable's value. +> Print a Git logical variable's value. > See `git config`, which is preferred over `git var`. > More information: . diff --git a/pages/common/git-verify-pack.md b/pages/common/git-verify-pack.md new file mode 100644 index 000000000..8413afcce --- /dev/null +++ b/pages/common/git-verify-pack.md @@ -0,0 +1,16 @@ +# git verify-pack + +> Verify packed Git archive files. +> More information: . + +- Verify a packed Git archive file: + +`git verify-pack {{path/to/pack-file}}` + +- Verify a packed Git archive file and show verbose details: + +`git verify-pack --verbose {{path/to/pack-file}}` + +- Verify a packed Git archive file and only display the statistics: + +`git verify-pack --stat-only {{path/to/pack-file}}` diff --git a/pages/common/github-label-sync.md b/pages/common/github-label-sync.md index df6963f53..cc6567908 100644 --- a/pages/common/github-label-sync.md +++ b/pages/common/github-label-sync.md @@ -1,6 +1,6 @@ # github-label-sync -> A command-line interface for synchronizing GitHub labels. +> Synchronize GitHub labels. > More information: . - Synchronize labels using a local `labels.json` file: diff --git a/pages/common/gitk.md b/pages/common/gitk.md index c0e6264f8..c64568f60 100644 --- a/pages/common/gitk.md +++ b/pages/common/gitk.md @@ -1,6 +1,7 @@ # gitk -> A graphical Git repository browser. +> Browse Git repositories graphically. +> See also: `git-gui`, `git-cola`, `tig`. > More information: . - Show the repository browser for the current Git repository: @@ -21,4 +22,4 @@ - Show at most 100 changes in all branches: -` gitk --max-count={{100}} --all` +`gitk --max-count=100 --all` diff --git a/pages/common/gitleaks.md b/pages/common/gitleaks.md new file mode 100644 index 000000000..e8f619eb0 --- /dev/null +++ b/pages/common/gitleaks.md @@ -0,0 +1,32 @@ +# gitleaks + +> Detect secrets and API keys leaked in Git repositories. +> More information: . + +- Scan a remote repository: + +`gitleaks detect --repo-url {{https://github.com/username/repository.git}}` + +- Scan a local directory: + +`gitleaks detect --source {{path/to/repository}}` + +- Output scan results to a JSON file: + +`gitleaks detect --source {{path/to/repository}} --report {{path/to/report.json}}` + +- Use a custom rules file: + +`gitleaks detect --source {{path/to/repository}} --config-path {{path/to/config.toml}}` + +- Start scanning from a specific commit: + +`gitleaks detect --source {{path/to/repository}} --log-opts {{--since=commit_id}}` + +- Scan uncommitted changes before a commit: + +`gitleaks protect --staged` + +- Display verbose output indicating which parts were identified as leaks during the scan: + +`gitleaks protect --staged --verbose` diff --git a/pages/common/gitui.md b/pages/common/gitui.md index e87f23cfc..1b09dca0a 100644 --- a/pages/common/gitui.md +++ b/pages/common/gitui.md @@ -1,6 +1,7 @@ # gitui -> Terminal UI for Git. +> A lightweight keyboard-only TUI for Git. +> See also: `tig`, `git-gui`. > More information: . - Specify the color theme (defaults to `theme.ron`): diff --git a/pages/common/gleam.md b/pages/common/gleam.md new file mode 100644 index 000000000..872fa81f0 --- /dev/null +++ b/pages/common/gleam.md @@ -0,0 +1,36 @@ +# gleam + +> The compiler, build tool, package manager and code formatter for Gleam, "a friendly language for building type-safe systems that scale!". +> More information: . + +- Create a new gleam project: + +`gleam new {{project_name}}` + +- Build and run a gleam project: + +`gleam run` + +- Build the project: + +`gleam build` + +- Run a project for a particular platform and runtime: + +`gleam run --target {{platform}} --runtime {{runtime}}` + +- Add a hex dependency to your project: + +`gleam add {{dependency_name}}` + +- Run project tests: + +`gleam test` + +- Format source code: + +`gleam format` + +- Type check the project: + +`gleam check` diff --git a/pages/common/go-fmt.md b/pages/common/go-fmt.md index d65a7a92b..b78ec7328 100644 --- a/pages/common/go-fmt.md +++ b/pages/common/go-fmt.md @@ -1,7 +1,6 @@ # go fmt -> Format Go source files. -> Prints the filenames that are changed. +> Format Go source files, printing the changed filenames. > More information: . - Format Go source files in the current directory: diff --git a/pages/common/golangci-lint.md b/pages/common/golangci-lint.md index e4c08eb29..979e61659 100644 --- a/pages/common/golangci-lint.md +++ b/pages/common/golangci-lint.md @@ -1,7 +1,7 @@ # golangci-lint > Parallelized, smart and fast Go linters runner that integrates with all major IDEs and supports YAML configuration. -> More information: . +> More information: . - Run linters in the current folder: diff --git a/pages/common/grep.md b/pages/common/grep.md index cc3909861..171e1e333 100644 --- a/pages/common/grep.md +++ b/pages/common/grep.md @@ -9,28 +9,28 @@ - Search for an exact string (disables regular expressions): -`grep --fixed-strings "{{exact_string}}" {{path/to/file}}` +`grep {{-F|--fixed-strings}} "{{exact_string}}" {{path/to/file}}` - Search for a pattern in all files recursively in a directory, showing line numbers of matches, ignoring binary files: -`grep --recursive --line-number --binary-files={{without-match}} "{{search_pattern}}" {{path/to/directory}}` +`grep {{-r|--recursive}} {{-n|--line-number}} --binary-files {{without-match}} "{{search_pattern}}" {{path/to/directory}}` - Use extended regular expressions (supports `?`, `+`, `{}`, `()` and `|`), in case-insensitive mode: -`grep --extended-regexp --ignore-case "{{search_pattern}}" {{path/to/file}}` +`grep {{-E|--extended-regexp}} {{-i|--ignore-case}} "{{search_pattern}}" {{path/to/file}}` - Print 3 lines of context around, before, or after each match: -`grep --{{context|before-context|after-context}}={{3}} "{{search_pattern}}" {{path/to/file}}` +`grep --{{context|before-context|after-context}} 3 "{{search_pattern}}" {{path/to/file}}` - Print file name and line number for each match with color output: -`grep --with-filename --line-number --color=always "{{search_pattern}}" {{path/to/file}}` +`grep {{-H|--with-filename}} {{-n|--line-number}} --color=always "{{search_pattern}}" {{path/to/file}}` - Search for lines matching a pattern, printing only the matched text: -`grep --only-matching "{{search_pattern}}" {{path/to/file}}` +`grep {{-o|--only-matching}} "{{search_pattern}}" {{path/to/file}}` - Search `stdin` for lines that do not match a pattern: -`cat {{path/to/file}} | grep --invert-match "{{search_pattern}}"` +`cat {{path/to/file}} | grep {{-v|--invert-match}} "{{search_pattern}}"` diff --git a/pages/common/gzip.md b/pages/common/gzip.md index b652044ad..aabe2b929 100644 --- a/pages/common/gzip.md +++ b/pages/common/gzip.md @@ -5,24 +5,28 @@ - Compress a file, replacing it with a `gzip` archive: -`gzip {{file.ext}}` +`gzip {{path/to/file}}` - Decompress a file, replacing it with the original uncompressed version: -`gzip -d {{file.ext}}.gz` +`gzip {{-d|--decompress path/to/file.gz}}` - Compress a file, keeping the original file: -`gzip --keep {{file.ext}}` +`gzip {{-k|--keep path/to/file}}` -- Compress a file specifying the output filename: +- Compress a file, specifying the output filename: -`gzip -c {{file.ext}} > {{compressed_file.ext.gz}}` +`gzip {{-c|--stdout path/to/file}} > {{path/to/compressed_file.gz}}` - Decompress a `gzip` archive specifying the output filename: -`gzip -c -d {{file.ext}}.gz > {{uncompressed_file.ext}}` +`gzip {{-c|--stdout}} {{-d|--decompress}} {{path/to/file.gz}} > {{path/to/uncompressed_file}}` -- Specify the compression level. 1=Fastest (Worst), 9=Slowest (Best), Default level is 6: +- Specify the compression level. 1 is the fastest (low compression), 9 is the slowest (high compression), 6 is the default: -`gzip -9 -c {{file.ext}} > {{compressed_file.ext.gz}}` +`gzip -{{1..9}} {{-c|--stdout}} {{path/to/file}} > {{path/to/compressed_file.gz}}` + +- Display the name and reduction percentage for each file compressed or decompressed: + +`gzip {{-v|--verbose}} {{-d|--decompress}} {{path/to/file.gz}}` diff --git a/pages/common/hashcat.md b/pages/common/hashcat.md index 4bf2eeeb7..b98fb2355 100644 --- a/pages/common/hashcat.md +++ b/pages/common/hashcat.md @@ -30,3 +30,7 @@ - Show result of an already cracked hash: `hashcat --show {{hash_value}}` + +- Show all example hashes: + +`hashcat --example-hashes` diff --git a/pages/common/helm.md b/pages/common/helm.md index 540478911..b17a698b4 100644 --- a/pages/common/helm.md +++ b/pages/common/helm.md @@ -28,7 +28,7 @@ `helm install {{name}} {{repository_name}}/{{chart_name}}` -- Download helm chart as a `tar` archive: +- Download helm chart as a tar archive: `helm get {{chart_release_name}}` diff --git a/pages/common/histexpand.md b/pages/common/histexpand.md index d6642685c..03f4fc6e4 100644 --- a/pages/common/histexpand.md +++ b/pages/common/histexpand.md @@ -1,6 +1,6 @@ # history expansion -> Reuse and expand the shell history in `sh`, `bash`, `zsh`, `rbash` and `ksh`. +> Reuse and expand the shell history in `sh`, Bash, Zsh, `rbash` and `ksh`. > More information: . - Run the previous command as root (`!!` is replaced by the previous command): diff --git a/pages/common/history.md b/pages/common/history.md index 953afe568..1b832fff5 100644 --- a/pages/common/history.md +++ b/pages/common/history.md @@ -7,18 +7,22 @@ `history` -- Display the last 20 commands (in `zsh` it displays all commands starting from the 20th): +- Display the last 20 commands (in Zsh it displays all commands starting from the 20th): `history {{20}}` -- Clear the commands history list (only for current `bash` shell): +- Display history with timestamps in different formats (only available in Zsh): + +`history -{{d|f|i|E}}` + +- [c]lear the commands history list (only for current Bash shell): `history -c` -- Overwrite history file with history of current `bash` shell (often combined with `history -c` to purge history): +- Over[w]rite history file with history of current Bash shell (often combined with `history -c` to purge history): `history -w` -- Delete the history entry at the specified offset: +- [d]elete the history entry at the specified offset: `history -d {{offset}}` diff --git a/pages/common/hledger-accounts.md b/pages/common/hledger-accounts.md new file mode 100644 index 000000000..82cf3498b --- /dev/null +++ b/pages/common/hledger-accounts.md @@ -0,0 +1,36 @@ +# hledger accounts + +> List account names. +> More information: . + +- Show all accounts used or declared in the default journal file: + +`hledger accounts` + +- Show accounts used by transactions: + +`hledger accounts --used` + +- Show accounts declared with account directives: + +`hledger accounts --declared` + +- Add new account directives, for accounts used but not declared, to the journal: + +`hledger accounts --undeclared --directives >> {{2024-accounts.journal}}` + +- Show accounts with `asset` in their name, and their declared/inferred types: + +`hledger accounts asset --types` + +- Show accounts of the `Asset` type: + +`hledger accounts type:A` + +- Show the first two levels of the accounts hierarchy: + +`hledger accounts --tree --depth 2` + +- Short form of the above: + +`hledger acc -t -2` diff --git a/pages/common/hledger-add.md b/pages/common/hledger-add.md new file mode 100644 index 000000000..8e61e09c6 --- /dev/null +++ b/pages/common/hledger-add.md @@ -0,0 +1,24 @@ +# hledger add + +> Record new transactions with interactive prompting in the console. +> More information: . + +- Record new transactions, saving to the default journal file: + +`hledger add` + +- Add transactions to `2024.journal`, but also load `2023.journal` for completions: + +`hledger add --file {{path/to/2024.journal}} --file {{path/to/2023.journal}}` + +- Provide answers for the first four prompts: + +`hledger add {{today}} '{{best buy}}' {{expenses:supplies}} '{{$20}}'` + +- Show `add`'s options and documentation with `$PAGER`: + +`hledger add --help` + +- Show `add`'s documentation with `info` or `man` if available: + +`hledger help add` diff --git a/pages/common/hledger-aregister.md b/pages/common/hledger-aregister.md new file mode 100644 index 000000000..5d793532c --- /dev/null +++ b/pages/common/hledger-aregister.md @@ -0,0 +1,20 @@ +# hledger aregister + +> Show the transactions and running balances in one account, with each transaction on one line. +> More information: . + +- Show transactions and running balance in the `assets:bank:checking` account: + +`hledger aregister assets:bank:checking` + +- Show transactions and running balance in the first account named `*savings*`: + +`hledger aregister savings` + +- Show the checking account's cleared transactions, with a specified width: + +`hledger aregister checking --cleared --width {{120}}` + +- Show the checking register, including transactions from forecast rules: + +`hledger aregister checking --forecast` diff --git a/pages/common/hledger-balance.md b/pages/common/hledger-balance.md new file mode 100644 index 000000000..6dcd62889 --- /dev/null +++ b/pages/common/hledger-balance.md @@ -0,0 +1,37 @@ +# hledger balance + +> A flexible, general purpose "summing" report that shows accounts with some kind of numeric data. +> This can be balance changes per period, end balances, budget performance, unrealised capital gains, etc. +> More information: . + +- Show the balance change in all accounts from all postings over all time: + +`hledger balance` + +- Show the balance change in accounts named `*expenses*`, as a tree, summarising the top two levels only: + +`hledger balance {{expenses}} --tree --depth {{2}}` + +- Show expenses each month, and their totals and averages, sorted by total; and their monthly budget goals: + +`hledger balance {{expenses}} --monthly --row-total --average --sort-amount --budget` + +- Similar to the above, shorter form, matching accounts by `Expense` type, as a two level tree without squashing boring accounts: + +`hledger bal type:{{X}} -MTAS --budget -t -{{2}} --no-elide` + +- Show end balances (including from postings before the start date), quarterly in 2024, in accounts named `*assets*` or `*liabilities*`: + +`hledger balance --historical --period '{{quarterly in 2024}}' {{assets}} {{liabilities}}` + +- Similar to the above, shorter form; also show zero balances, sort by total and summarise to three levels: + +`hledger bal -HQ date:{{2024}} type:{{AL}} -ES -{{3}}` + +- Show investment assets' market value in base currency at the end of each quarter: + +`hledger bal -HVQ {{assets:investments}}` + +- Show unrealised capital gains/losses from market price changes in each quarter, for non-cryptocurrency investment assets: + +`hledger bal --gain -Q {{assets:investments}} not:{{cryptocurrency}}` diff --git a/pages/common/hledger-balancesheet.md b/pages/common/hledger-balancesheet.md new file mode 100644 index 000000000..2d20a634b --- /dev/null +++ b/pages/common/hledger-balancesheet.md @@ -0,0 +1,33 @@ +# hledger balancesheet + +> Show the end balances in asset and liability accounts. +> Amounts are shown with normal positive sign, as in conventional financial statements. +> More information: . + +- Show the current balances in `Asset` and `Liability` accounts, excluding zeros: + +`hledger balancesheet` + +- Show just the liquid assets (`Cash` account type): + +`hledger balancesheet type:C` + +- Include accounts with zero balances, and show the account hierarchy: + +`hledger balancesheet --empty --tree` + +- Show the balances at the end of each month: + +`hledger balancesheet --monthly` + +- Show the balances' market value in home currency at the end of each month: + +`hledger balancesheet --monthly -V` + +- Show quarterly balances, with just the top two levels of account hierarchy: + +`hledger balancesheet --quarterly --tree --depth 2` + +- Short form of the above, and generate HTML output in `bs.html`: + +`hledger bs -Qt -2 -o bs.html` diff --git a/pages/common/hledger-import.md b/pages/common/hledger-import.md new file mode 100644 index 000000000..d1d7a82ce --- /dev/null +++ b/pages/common/hledger-import.md @@ -0,0 +1,28 @@ +# hledger import + +> Import new transactions from one or more data files to the main journal. +> More information: . + +- Import new transactions from `bank.csv`, using `bank.csv.rules` to convert: + +`hledger import {{path/to/bank.csv}}` + +- Show what would be imported from these two files, without doing anything: + +`hledger import {{path/to/bank1.csv}} {{path/to/bank2.csv}} --dry-run` + +- Import new transactions from all CSV files, using the same rules for all: + +`hledger import --rules-file {{common.rules}} *.csv` + +- Show conversion errors or results while editing `bank.csv.rules`: + +`watchexec -- hledger -f {{path/to/bank.csv}} print` + +- Mark `bank.csv`'s current data as seen, as if already imported: + +`hledger import --catchup {{path/to/bank.csv}}` + +- Mark `bank.csv` as all new, as if not yet imported: + +`rm -f .latest.bank.csv` diff --git a/pages/common/hledger-incomestatement.md b/pages/common/hledger-incomestatement.md new file mode 100644 index 000000000..e1d159b35 --- /dev/null +++ b/pages/common/hledger-incomestatement.md @@ -0,0 +1,21 @@ +# hledger incomestatement + +> Show revenue inflows and expense outflows during the report period. +> Amounts are shown with normal positive sign, as in conventional financial statements. +> More information: . + +- Show revenues and expenses (changes in `Revenue` and `Expense` accounts): + +`hledger incomestatement` + +- Show revenues and expenses each month: + +`hledger incomestatement --monthly` + +- Show monthly revenues/expenses/totals, largest first, summarised to 2 levels: + +`hledger incomestatement --monthly --row-total --average --sort --depth 2` + +- Short form of the above, and generate HTML output in `is.html`: + +`hledger is -MTAS -2 -o is.html` diff --git a/pages/common/hledger-print.md b/pages/common/hledger-print.md new file mode 100644 index 000000000..af3f0e5b8 --- /dev/null +++ b/pages/common/hledger-print.md @@ -0,0 +1,32 @@ +# hledger print + +> Show full journal entries, representing transactions. +> More information: . + +- Show all transactions in the default journal file: + +`hledger print` + +- Show transactions, with any implied amounts or costs made explicit: + +`hledger print --explicit --infer-costs` + +- Show transactions from two specified files, with amounts converted to cost: + +`hledger print --file {{path/to/2023.journal}} --file {{path/to/2024.journal}} --cost` + +- Show `$` transactions in `*food*` but not `*groceries*` accounts this month: + +`hledger print cur:\\$ food not:groceries date:thismonth` + +- Show transactions of amount 50 or more, with `whole foods` in their description: + +`hledger print amt:'>50' desc:'whole foods'` + +- Show cleared transactions, with `EUR` amounts rounded and with decimal commas: + +`hledger print --cleared --commodity '1000, EUR' --round hard` + +- Write transactions from `foo.journal` as a CSV file: + +`hledger print --file {{path/to/foo.journal}} --output-file {{path/to/output_file.csv}}` diff --git a/pages/common/hledger-ui.md b/pages/common/hledger-ui.md new file mode 100644 index 000000000..23bdce3de --- /dev/null +++ b/pages/common/hledger-ui.md @@ -0,0 +1,32 @@ +# hledger-ui + +> A terminal interface (TUI) for `hledger`, a robust, friendly plain text accounting app. +> More information: . + +- Start in the main menu screen, reading from the default journal file: + +`hledger-ui` + +- Start with a different color theme: + +`hledger-ui --theme {{terminal|greenterm|dark}}` + +- Start in the balance sheet accounts screen, showing hierarchy down to level 3: + +`hledger-ui --bs --tree --depth 3` + +- Start in this account's screen, showing cleared transactions, and reload on change: + +`hledger-ui --register {{assets:bank:checking}} --cleared --watch` + +- Read two journal files, and show amounts as current value when known: + +`hledger-ui --file {{path/to/2024.journal}} --file {{path/to/2024-prices.journal}} --value now` + +- Show the manual in Info format, if possible: + +`hledger-ui --info` + +- Display help: + +`hledger-ui --help` diff --git a/pages/common/hledger-web.md b/pages/common/hledger-web.md new file mode 100644 index 000000000..eb20e0425 --- /dev/null +++ b/pages/common/hledger-web.md @@ -0,0 +1,32 @@ +# hledger-web + +> A web interface and API for `hledger`, a robust, friendly plain text accounting app. +> More information: . + +- Start the web app, and a browser if possible, for local viewing and adding only: + +`hledger-web` + +- As above but with a specified file, and allow editing of existing data: + +`hledger-web --file {{path/to/file.journal}} --allow edit` + +- Start just the web app, and accept incoming connections to the specified host and port: + +`hledger-web --serve --host {{my.host.name}} --port 8000` + +- Start just the web app's JSON API, and allow only read access: + +`hledger-web --serve-api --host {{my.host.name}} --allow view` + +- Show amounts converted to current market value in your base currency when known: + +`hledger-web --value now --infer-market-prices` + +- Show the manual in Info format if possible: + +`hledger-web --info` + +- Display help: + +`hledger-web --help` diff --git a/pages/common/hledger.md b/pages/common/hledger.md index 3e678374e..585c84f19 100644 --- a/pages/common/hledger.md +++ b/pages/common/hledger.md @@ -1,20 +1,37 @@ # hledger -> A plain text accounting software for the command-line. -> More information: . +> A robust, friendly plain text accounting app. +> See also: `hledger-ui` for TUI, `hledger-web` for web interface. +> More information: . -- Add transactions to your journal interactively: +- Record new transactions interactively, saving to the default journal file: `hledger add` -- Show the account hierarchy, using a specific journal file: +- Import new transactions from `bank.csv`, using `bank.csv.rules` to convert: -`hledger --file {{path/to/file.journal}} accounts --tree` +`hledger import {{path/to/bank.csv}}` -- Show a monthly income statement: +- Print all transactions, reading from multiple specified journal files: -`hledger incomestatement --monthly --depth 2` +`hledger print --file {{path/to/prices-2024.journal}} --file {{path/to/prices-2023.journal}}` -- Print the amount of cash spent on food: +- Show all accounts, as a hierarchy, and their types: -`hledger print assets:cash | hledger -f- -I balance expenses:food --depth 2` +`hledger accounts --tree --types` + +- Show asset and liability account balances, including zeros, hierarchically: + +`hledger balancesheet --empty --tree --no-elide` + +- Show monthly incomes/expenses/totals, largest first, summarised to 2 levels: + +`hledger incomestatement --monthly --row-total --average --sort --depth 2` + +- Show the `assets:bank:checking` account's transactions and running balance: + +`hledger aregister assets:bank:checking` + +- Show the amount spent on food from the `assets:cash` account: + +`hledger print assets:cash | hledger -f- -I aregister expenses:food` diff --git a/pages/common/hostid.md b/pages/common/hostid.md index a5ad0f424..b2986faaf 100644 --- a/pages/common/hostid.md +++ b/pages/common/hostid.md @@ -1,6 +1,6 @@ # hostid -> Prints the numeric identifier for the current host (not necessarily the IP address). +> Print the numeric identifier for the current host (not necessarily the IP address). > More information: . - Display the numeric identifier for the current host in hexadecimal: diff --git a/pages/common/htop.md b/pages/common/htop.md index 383ea10f5..2de08ba0c 100644 --- a/pages/common/htop.md +++ b/pages/common/htop.md @@ -11,6 +11,10 @@ `htop --user {{username}}` +- Display processes hierarchically in a tree view to show the parent-child relationships: + +`htop --tree` + - Sort processes by a specified `sort_item` (use `htop --sort help` for available options): `htop --sort {{sort_item}}` diff --git a/pages/common/http.md b/pages/common/http.md index edcf23c37..39a739aa5 100644 --- a/pages/common/http.md +++ b/pages/common/http.md @@ -1,32 +1,36 @@ # http -> HTTPie: HTTP client, aims to be easier to use than cURL. -> More information: . +> HTTPie: an HTTP client designed for testing, debugging, and generally interacting with APIs & HTTP servers. +> More information: . -- Download a URL to a file: +- Make a simple GET request (shows response header and content): -`http --download {{example.org}}` +`http {{https://example.org}}` -- Send form-encoded data: +- Print specific output content (`H`: request headers, `B`: request body, `h`: response headers, `b`: response body, `m`: response metadata): -`http --form {{example.org}} {{name='bob'}} {{profile_picture@'bob.png'}}` +`http --print {{H|B|h|b|m|Hh|Hhb|...}} {{https://example.com}}` -- Send JSON object: +- Specify the HTTP method when sending a request and use a proxy to intercept the request: -`http {{example.org}} {{name='bob'}}` +`http {{GET|POST|HEAD|PUT|PATCH|DELETE|...}} --proxy {{http|https}}:{{http://localhost:8080|socks5://localhost:9050|...}} {{https://example.com}}` -- Specify an HTTP method: +- Follow any `3xx` redirects and specify additional headers in a request: -`http {{HEAD}} {{example.org}}` +`http {{-F|--follow}} {{https://example.com}} {{'User-Agent: Mozilla/5.0' 'Accept-Encoding: gzip'}}` -- Include an extra header: +- Authenticate to a server using different authentication methods: -`http {{example.org}} {{X-MyHeader:123}}` +`http --auth {{username:password|token}} --auth-type {{basic|digest|bearer}} {{GET|POST|...}} {{https://example.com/auth}}` -- Pass a username and password for server authentication: +- Construct a request but do not send it (similar to a dry-run): -`http --auth {{username:password}} {{example.org}}` +`http --offline {{GET|DELETE|...}} {{https://example.com}}` -- Specify raw request body via `stdin`: +- Use named sessions for persistent custom headers, auth credentials and cookies: -`cat {{data.txt}} | http PUT {{example.org}}` +`http --session {{session_name|path/to/session.json}} {{--auth username:password https://example.com/auth API-KEY:xxx}}` + +- Upload a file to a form (the example below assumes that the form field is ``): + +`http --form {{POST}} {{https://example.com/upload}} {{cv@path/to/file}}` diff --git a/pages/common/httpflow.md b/pages/common/httpflow.md index e55a82131..dc7e25f4c 100644 --- a/pages/common/httpflow.md +++ b/pages/common/httpflow.md @@ -15,7 +15,7 @@ `httpflow -u '{{regular_expression}}'` -- Read packets from pcap format binary file: +- Read packets from PCAP format binary file: `httpflow -r {{out.cap}}` diff --git a/pages/common/httpie.md b/pages/common/httpie.md new file mode 100644 index 000000000..87dd07e31 --- /dev/null +++ b/pages/common/httpie.md @@ -0,0 +1,17 @@ +# httpie + +> Management interface for HTTPie. +> See also: `http`, the tool itself. +> More information: . + +- Check updates for `http`: + +`httpie cli check-updates` + +- List installed `http` plugins: + +`httpie cli plugins list` + +- Install/upgrade/uninstall plugins: + +`httpie cli plugins {{install|upgrade|uninstall}} {{plugin_name}}` diff --git a/pages/common/httpry.md b/pages/common/httpry.md index 23a6c66bf..84475b119 100644 --- a/pages/common/httpry.md +++ b/pages/common/httpry.md @@ -8,7 +8,7 @@ `httpry -o {{path/to/file.log}}` -- Listen on a specific interface and save output to a binary pcap format file: +- Listen on a specific interface and save output to a binary PCAP format file: `httpry {{eth0}} -b {{path/to/file.pcap}}` diff --git a/pages/common/https.md b/pages/common/https.md new file mode 100644 index 000000000..e195d51bb --- /dev/null +++ b/pages/common/https.md @@ -0,0 +1,7 @@ +# https + +> This command is an alias of `http`. + +- View documentation for the original command: + +`tldr http` diff --git a/pages/common/hub-browse.md b/pages/common/hub-browse.md index 4f830440d..a4efb1f36 100644 --- a/pages/common/hub-browse.md +++ b/pages/common/hub-browse.md @@ -1,7 +1,7 @@ # hub browse > Open a GitHub repository in the browser or print the URL. -> More information: . +> More information: . - Open the homepage of the current repository in the default web browser: diff --git a/pages/common/hub-clone.md b/pages/common/hub-clone.md index 021055c7c..81c48e963 100644 --- a/pages/common/hub-clone.md +++ b/pages/common/hub-clone.md @@ -3,6 +3,6 @@ > Clone an existing repository. > More information: . -- Clone an existing repository to current directory (If run into authentication problem, try full ssh path): +- Clone an existing repository to current directory (If run into authentication problem, try full SSH path): `hub clone {{remote_repository_location}}` diff --git a/pages/common/huggingface-cli.md b/pages/common/huggingface-cli.md new file mode 100644 index 000000000..cbda4972f --- /dev/null +++ b/pages/common/huggingface-cli.md @@ -0,0 +1,37 @@ +# huggingface-cli + +> Interact with Hugging Face Hub. +> Login, manage local cache, download or upload files. +> More information: . + +- Login to Hugging Face Hub: + +`huggingface-cli login` + +- Display the name of the logged in user: + +`huggingface-cli whoami` + +- Log out: + +`huggingface-cli logout` + +- Print information about the environment: + +`huggingface-cli env` + +- Download files from an repository and print out the path (omit filenames to download entire repository): + +`huggingface-cli download --repo-type {{repo_type}} {{repo_id}} {{filename1 filename2 ...}}` + +- Upload an entire folder or a file to Hugging Face: + +`huggingface-cli upload --repo-type {{repo_type}} {{repo_id}} {{path/to/local_file_or_directory}} {{path/to/repo_file_or_directory}}` + +- Scan cache to see downloaded repositories and their disk usage: + +`huggingface-cli scan-cache` + +- Delete the cache interactively: + +`huggingface-cli delete-cache` diff --git a/pages/common/hugo-server.md b/pages/common/hugo-server.md new file mode 100644 index 000000000..44f39660d --- /dev/null +++ b/pages/common/hugo-server.md @@ -0,0 +1,20 @@ +# hugo server + +> Build and serve a site with Hugo's built-in webserver. +> More information: . + +- Build and serve a site: + +`hugo server` + +- Build and serve a site on a specified port number: + +`hugo server --port {{port_number}}` + +- Build and serve a site while minifying supported output formats (HTML, XML, etc.): + +`hugo server --minify` + +- Display help: + +`hugo server --help` diff --git a/pages/common/ical.md b/pages/common/ical.md index a65890aa1..9a774b42b 100644 --- a/pages/common/ical.md +++ b/pages/common/ical.md @@ -1,6 +1,6 @@ # ical -> A Hirji/Islamic calendar and converter for the terminal. +> View Hirji/Islamic and Gregorian calendars and convert their dates. > More information: . - Display the current month's calendar: diff --git a/pages/common/icontopbm.md b/pages/common/icontopbm.md index b898aea37..0deb1966d 100644 --- a/pages/common/icontopbm.md +++ b/pages/common/icontopbm.md @@ -1,8 +1,8 @@ # icontopbm -> This command is superseded by `sunicontopbm`. +> This command is superseded by `sunicontopnm`. > More information: . - View documentation for the current command: -`tldr sunicontopbm` +`tldr sunicontopnm` diff --git a/pages/common/iconv.md b/pages/common/iconv.md index c542e13a0..f8c484ff6 100644 --- a/pages/common/iconv.md +++ b/pages/common/iconv.md @@ -1,6 +1,6 @@ # iconv -> Converts text from one encoding to another. +> Convert text from one encoding to another. > More information: . - Convert file to a specific encoding, and print to `stdout`: diff --git a/pages/common/id.md b/pages/common/id.md index 96859f471..9ee22c97a 100644 --- a/pages/common/id.md +++ b/pages/common/id.md @@ -7,11 +7,19 @@ `id` +- Display the current user identity: + +`id -un` + - Display the current user identity as a number: `id -u` -- Display the current group identity as a number: +- Display the current primary group identity: + +`id -gn` + +- Display the current primary group identity as a number: `id -g` diff --git a/pages/common/identify.md b/pages/common/identify.md index f6a54ebc4..96e24b4eb 100644 --- a/pages/common/identify.md +++ b/pages/common/identify.md @@ -1,17 +1,7 @@ # identify -> Describe the format and characteristics of image files. -> Part of ImageMagick. -> More information: . +> This command is an alias of `magick identify`. -- Describe the format and basic characteristics of an image: +- View documentation for the original command: -`identify {{path/to/image}}` - -- Describe the format and verbose characteristics of an image: - -`identify -verbose {{path/to/image}}` - -- Collect dimensions of all JPEG files in the current directory and save them into a CSV file: - -`identify -format "{{%f,%w,%h\n}}" {{*.jpg}} > {{path/to/filelist.csv}}` +`tldr magick identify` diff --git a/pages/common/idnits.md b/pages/common/idnits.md index 8a516f5b4..b6e538975 100644 --- a/pages/common/idnits.md +++ b/pages/common/idnits.md @@ -2,7 +2,7 @@ > Check internet-drafts for submission nits. > Looks for violations of Section 2.1 and 2.2 of the requirements listed on . -> More information: . +> More information: . - Check a file for nits: diff --git a/pages/common/imgtoppm.md b/pages/common/imgtoppm.md index fc01e894b..18d8bcc0d 100644 --- a/pages/common/imgtoppm.md +++ b/pages/common/imgtoppm.md @@ -1,6 +1,6 @@ # imgtoppm -> Converts various image file formats to the PPM (Portable Pixmap) format. +> Convert various image file formats to the PPM (Portable Pixmap) format. > More information: . - Convert an input image to PPM format: diff --git a/pages/common/immich-cli.md b/pages/common/immich-cli.md new file mode 100644 index 000000000..c506f12c4 --- /dev/null +++ b/pages/common/immich-cli.md @@ -0,0 +1,29 @@ +# immich-cli + +> Immich has a command-line interface (CLI) that allows you to perform certain actions from the command-line. +> See also: `immich-go`. +> More information: . + +- Authenticate to Immich server: + +`immich login {{server_url/api}} {{server_key}}` + +- Upload some image files: + +`immich upload {{file1.jpg file2.jpg}}` + +- Upload a directory including subdirectories: + +`immich upload --recursive {{path/to/directory}}` + +- Create an album based on a directory: + +`immich upload --album-name "{{My summer holiday}}" --recursive {{path/to/directory}}` + +- Skip assets matching a glob pattern: + +`immich upload --ignore {{**/Raw/** **/*.tif}} --recursive {{path/to/directory}}` + +- Include hidden files: + +`immich upload --include-hidden --recursive {{path/to/directory}}` diff --git a/pages/common/immich-go.md b/pages/common/immich-go.md new file mode 100644 index 000000000..eaa63daa5 --- /dev/null +++ b/pages/common/immich-go.md @@ -0,0 +1,25 @@ +# immich-go + +> Immich-Go is an open-source tool designed to streamline uploading large photo collections to your self-hosted Immich server. +> See also: `immich-cli`. +> More information: . + +- Upload a Google Photos takeout file to Immich server: + +`immich-go -server={{server_url}} -key={{server_key}} upload {{path/to/takeout_file.zip}}` + +- Import photos captured on June 2019, while auto-generating albums: + +`immich-go -server={{server_url}} -key={{server_key}} upload -create-albums -google-photos -date={{2019-06}} {{path/to/takeout_file.zip}}` + +- Upload a takeout file using server and key from a config file: + +`immich-go -use-configuration={{~/.immich-go/immich-go.json}} upload {{path/to/takeout_file.zip}}` + +- Examine Immich server content, remove less quality images, and preserve albums: + +`immich-go -server={{server_url}} -key={{server_key}} duplicate -yes` + +- Delete all albums created with the pattern "YYYY-MM-DD": + +`immich-go -server={{server_url}} -key={{server_key}} tool album delete {{\d{4}-\d{2}-\d{2}}}` diff --git a/pages/common/import.md b/pages/common/import.md index b6430003a..6522149ba 100644 --- a/pages/common/import.md +++ b/pages/common/import.md @@ -1,17 +1,7 @@ # import -> Capture some or all of an X server screen, and save the image to a file. -> Part of ImageMagick. -> More information: . +> This command is an alias of `magick import`. -- Capture the entire X server screen into a PostScript file: +- View documentation for the original command: -`import -window root {{path/to/output.ps}}` - -- Capture contents of a remote X server screen into a PNG image: - -`import -window root -display {{remote_host}}:{{screen}}.{{display}} {{path/to/output.png}}` - -- Capture a specific window given its ID as displayed by `xwininfo` into a JPEG image: - -`import -window {{window_id}} {{path/to/output.jpg}}` +`tldr magick import` diff --git a/pages/common/in2csv.md b/pages/common/in2csv.md index 651de9294..71cc3609b 100644 --- a/pages/common/in2csv.md +++ b/pages/common/in2csv.md @@ -1,6 +1,6 @@ # in2csv -> Converts various tabular data formats into CSV. +> Convert various tabular data formats to CSV. > Included in csvkit. > More information: . diff --git a/pages/common/ipaggcreate.md b/pages/common/ipaggcreate.md index caac990e4..1c7eb99ff 100644 --- a/pages/common/ipaggcreate.md +++ b/pages/common/ipaggcreate.md @@ -3,7 +3,7 @@ > Produce aggregate statistics of TCP/IP dumps. > More information: . -- Count the number of packets sent from each source address appearing in a pcap file: +- Count the number of packets sent from each source address appearing in a PCAP file: `ipaggcreate --src {{path/to/file.pcap}}` @@ -11,6 +11,6 @@ `ipaggcreate --interface {{eth0}} --length` -- Count the number of bytes sent between each address pair appearing in a pcap file: +- Count the number of bytes sent between each address pair appearing in a PCAP file: `ipaggcreate --address-pairs --bytes {{path/to/file.pcap}}` diff --git a/pages/common/ipcs.md b/pages/common/ipcs.md index 126548646..d19197cea 100644 --- a/pages/common/ipcs.md +++ b/pages/common/ipcs.md @@ -1,12 +1,32 @@ # ipcs -> Display information about resources used in IPC (Inter-process Communication). -> More information: . +> Show information about the usage of XSI IPC facilities: shared memory segments, message queues, and semaphore arrays. +> More information: . -- Specific information about the Message Queue which has the ID 32768: - -`ipcs -qi 32768` - -- General information about all the IPC: +- Show information about all the IPC: `ipcs -a` + +- Show information about active shared [m]emory segments, message [q]ueues or [s]empahore sets: + +`ipcs {{-m|-q|-s}}` + +- Show information on maximum allowable size in [b]ytes: + +`ipcs -b` + +- Show [c]reator’s user name and group name for all IPC facilities: + +`ipcs -c` + +- Show the [p]ID of the last operators for all IPC facilities: + +`ipcs -p` + +- Show access [t]imes for all IPC facilities: + +`ipcs -t` + +- Show [o]utstanding usage for active message queues, and shared memory segments: + +`ipcs -o` diff --git a/pages/common/ipscan.md b/pages/common/ipscan.md new file mode 100644 index 000000000..b464919f7 --- /dev/null +++ b/pages/common/ipscan.md @@ -0,0 +1,29 @@ +# ipscan + +> A fast network scanner designed to be simple to use. +> Also known as Angry IP Scanner. +> More information: . + +- Scan a specific IP address: + +`ipscan {{192.168.0.1}}` + +- Scan a range of IP addresses: + +`ipscan {{192.168.0.1-254}}` + +- Scan a range of IP addresses and save the results to a file: + +`ipscan {{192.168.0.1-254}} -o {{path/to/output.txt}}` + +- Scan IPs with a specific set of ports: + +`ipscan {{192.168.0.1-254}} -p {{80,443,22}}` + +- Scan with a delay between requests to avoid network congestion: + +`ipscan {{192.168.0.1-254}} -d {{200}}` + +- Display help: + +`ipscan --help` diff --git a/pages/common/ipsumdump.md b/pages/common/ipsumdump.md index 8d976519c..0bdba9e31 100644 --- a/pages/common/ipsumdump.md +++ b/pages/common/ipsumdump.md @@ -3,7 +3,7 @@ > Summarise TCP/IP dumps into a human and machine readable ASCII format. > More information: . -- Print the source and destination IP addresses of all packets in a pcap file: +- Print the source and destination IP addresses of all packets in a PCAP file: `ipsumdump --src --dst {{path/to/file.pcap}}` @@ -11,6 +11,6 @@ `ipsumdump --interface {{eth0}} -tsSdDp` -- Print the anonymised source address, anonymised destination address, and IP packet length of all packets in a pcap file: +- Print the anonymised source address, anonymised destination address, and IP packet length of all packets in a PCAP file: `ipsumdump --src --dst --length --anonymize {{path/to/file.pcap}}` diff --git a/pages/linux/ispell.md b/pages/common/ispell.md similarity index 100% rename from pages/linux/ispell.md rename to pages/common/ispell.md diff --git a/pages/common/jbang.md b/pages/common/jbang.md index 10fa98613..88834bea1 100644 --- a/pages/common/jbang.md +++ b/pages/common/jbang.md @@ -24,7 +24,7 @@ `{{echo 'Files.list(Paths.get("/etc")).forEach(System.out::println);'}} | jbang -` -- Run command line application: +- Run command-line application: `jbang {{path/to/file.java}} {{command}} {{arg1 arg2 ...}}` diff --git a/pages/common/jc.md b/pages/common/jc.md index f8bc34ba1..4e516de4e 100644 --- a/pages/common/jc.md +++ b/pages/common/jc.md @@ -1,6 +1,6 @@ # jc -> A utility to convert the output of multiple commands to JSON. +> Convert the output of multiple commands to JSON. > More information: . - Convert command output to JSON via pipe: diff --git a/pages/common/jdupes.md b/pages/common/jdupes.md index 8b724382b..0253f6986 100644 --- a/pages/common/jdupes.md +++ b/pages/common/jdupes.md @@ -1,7 +1,7 @@ # jdupes > A powerful duplicate file finder and an enhanced fork of fdupes. -> More information: . +> More information: . - Search a single directory: diff --git a/pages/common/jhat.md b/pages/common/jhat.md index 7f4092bc6..31047653c 100644 --- a/pages/common/jhat.md +++ b/pages/common/jhat.md @@ -7,7 +7,7 @@ `jhat {{dump_file.bin}}` -- Analyze a heap dump, specifying an alternate port for the http server: +- Analyze a heap dump, specifying an alternate port for the HTTP server: `jhat -p {{port}} {{dump_file.bin}}` diff --git a/pages/common/jpegtopnm.md b/pages/common/jpegtopnm.md index 48fcee5c3..64a74e3b7 100644 --- a/pages/common/jpegtopnm.md +++ b/pages/common/jpegtopnm.md @@ -1,6 +1,6 @@ # jpegtopnm -> Converts a JPEG/JFIF file to the PPM or PGM format. +> Convert a JPEG/JFIF file to the PPM or PGM format. > More information: . - Convert JPEG/JFIF image to a PPM or PGM image: diff --git a/pages/common/jq.md b/pages/common/jq.md index aa19aaaa8..ff73b17dc 100644 --- a/pages/common/jq.md +++ b/pages/common/jq.md @@ -1,12 +1,16 @@ # jq -> A command-line JSON processor that uses a domain-specific language (DSL). +> A JSON processor that uses a domain-specific language (DSL). > More information: . - Execute a specific expression (print a colored and formatted JSON output): `{{cat path/to/file.json}} | jq '.'` +- Execute a specific expression only using the `jq` binary (print a colored and formatted JSON output): + +`jq '.' {{/path/to/file.json}}` + - Execute a specific script: `{{cat path/to/file.json}} | jq --from-file {{path/to/script.jq}}` diff --git a/pages/common/julia.md b/pages/common/julia.md index 8113c71c6..fe01e9de8 100644 --- a/pages/common/julia.md +++ b/pages/common/julia.md @@ -27,6 +27,6 @@ `julia -E '{{(1 - cos(pi/4))/2}}'` -- Start Julia in parallel mode, using N worker processes: +- Start Julia in multithreaded mode, using N threads: -`julia -p {{N}}` +`julia -t {{N}}` diff --git a/pages/common/katana.md b/pages/common/katana.md new file mode 100644 index 000000000..0528b60fd --- /dev/null +++ b/pages/common/katana.md @@ -0,0 +1,29 @@ +# katana + +> A fast crawler focused on execution in automation pipelines offering both headless and non-headless crawling. +> See also: `gau`, `scrapy`, `waymore`. +> More information: . + +- Crawl a list of URLs: + +`katana -list {{https://example.com,https://google.com,...}}` + +- Crawl a [u]RL using headless mode using Chromium: + +`katana -u {{https://example.com}} -headless` + +- Use `subfinder` to find subdomains, and then use [p]a[s]sive sources (Wayback Machine, Common Crawl, and AlienVault) for URL discovery: + +`subfinder -list {{path/to/domains.txt}} | katana -passive` + +- Pass requests through a proxy (http/socks5) and use custom [H]eaders from a file: + +`katana -proxy {{http://127.0.0.1:8080}} -headers {{path/to/headers.txt}} -u {{https://example.com}}` + +- Specify the crawling [s]trategy, [d]epth of subdirectories to crawl, and rate limiting (requests per second): + +`katana -strategy {{depth-first|breadth-first}} -depth {{value}} -rate-limit {{value}} -u {{https://example.com}}` + +- Find subdomains using `subfinder`, crawl each for a maximum number of seconds, and write results to an [o]utput file: + +`subfinder -list {{path/to/domains.txt}} | katana -crawl-duration {{value}} -output {{path/to/output.txt}}` diff --git a/pages/common/kdeconnect-cli.md b/pages/common/kdeconnect-cli.md index 60dcf8e32..8c87acd89 100644 --- a/pages/common/kdeconnect-cli.md +++ b/pages/common/kdeconnect-cli.md @@ -1,6 +1,6 @@ # kdeconnect-cli -> KDE's Connect CLI. +> Use KDE Connect for sharing files or text to a device, ringing it, unlocking it, and much more. > More information: . - List all devices: diff --git a/pages/common/kitex.md b/pages/common/kitex.md index f74d05f38..c6854642f 100644 --- a/pages/common/kitex.md +++ b/pages/common/kitex.md @@ -10,7 +10,7 @@ - Generate client codes when a project is not in `$GOPATH`: -` kitex -module {{github.com/xx-org/xx-name}} {{path/to/IDL_file.thrift}}` +`kitex -module {{github.com/xx-org/xx-name}} {{path/to/IDL_file.thrift}}` - Generate client codes with protobuf IDL: diff --git a/pages/common/knotc.md b/pages/common/knotc.md new file mode 100644 index 000000000..7c8b025b1 --- /dev/null +++ b/pages/common/knotc.md @@ -0,0 +1,24 @@ +# knotc + +> Control knot DNS server. +> More information: . + +- Start editing a zone: + +`knotc zone-begin {{zone}}` + +- Set an A record with TTL of 3600: + +`knotc zone-set {{zone}} {{subdomain}} 3600 A {{ip_address}}` + +- Finish editing the zone: + +`knotc zone-commit {{zone}}` + +- Get the current zone data: + +`knotc zone-read {{zone}}` + +- Get the current server configuration: + +`knotc conf-read server` diff --git a/pages/common/kops.md b/pages/common/kops.md index 5ea3f755b..86209fc90 100644 --- a/pages/common/kops.md +++ b/pages/common/kops.md @@ -7,7 +7,7 @@ `kops create cluster -f {{cluster_name.yaml}}` -- Create a new ssh public key: +- Create a new SSH public key: `kops create secret sshpublickey {{key_name}} -i {{~/.ssh/id_rsa.pub}}` diff --git a/pages/common/kubectl-apply.md b/pages/common/kubectl-apply.md index 3fbaa8a8c..1d623957c 100644 --- a/pages/common/kubectl-apply.md +++ b/pages/common/kubectl-apply.md @@ -1,6 +1,7 @@ # kubectl apply -> Manages applications through files defining Kubernetes resources. It creates and updates resources in a cluster. +> Manage applications through files defining Kubernetes resources. +> Create and update resources in a cluster. > More information: . - Apply a configuration to a resource by file name or `stdin`: diff --git a/pages/common/kubectl-config.md b/pages/common/kubectl-config.md new file mode 100644 index 000000000..3a5d9cc55 --- /dev/null +++ b/pages/common/kubectl-config.md @@ -0,0 +1,30 @@ +# kubectl config + +> Manage Kubernetes configuration (kubeconfig) files for accessing clusters via `kubectl` or the Kubernetes API. +> By default, the Kubernetes will get its configuration from `${HOME}/.kube/config`. +> See also: `kubectx`, `kubens`. +> More information: . + +- Get all contexts in the default kubeconfig file: + +`kubectl config get-contexts` + +- Get all clusters/contexts/users in a custom kubeconfig file: + +`kubectl config {{get-clusters|get-contexts|get-users}} --kubeconfig {{path/to/kubeconfig.yaml}}` + +- Get the current context: + +`kubectl config current-context` + +- Switch to another context: + +`kubectl config {{use|use-context}} {{context_name}}` + +- Delete clusters/contexts/users: + +`kubectl config {{delete-cluster|delete-context|delete-user}} {{cluster|context|user}}` + +- Permanently add custom kubeconfig files: + +`export KUBECONFIG="{{$HOME.kube/config:path/to/custom/kubeconfig.yaml}}" kubectl config get-contexts` diff --git a/pages/common/kubectl-label.md b/pages/common/kubectl-label.md index 398876c72..7d87a71b4 100644 --- a/pages/common/kubectl-label.md +++ b/pages/common/kubectl-label.md @@ -9,15 +9,15 @@ - Update a pod label by overwriting the existing value: -`kubectl label --overwrite {{pod_name}} {{key}}={{value}}` +`kubectl label --overwrite pod {{pod_name}} {{key}}={{value}}` - Label all pods in the namespace: `kubectl label pods --all {{key}}={{value}}` -- Label pod identified by pod definition file: +- Label a pod identified by the pod definition file: -`kubectl label -f {{pod_defination_file}} {{key}}={{value}}` +`kubectl label -f {{pod_definition_file}} {{key}}={{value}}` - Remove the label from a pod: diff --git a/pages/common/kubectl-logs.md b/pages/common/kubectl-logs.md index 035b629f5..25e3b6458 100644 --- a/pages/common/kubectl-logs.md +++ b/pages/common/kubectl-logs.md @@ -19,10 +19,6 @@ `kubectl logs --follow {{pod_name}}` -- Stream logs for a specified container in a pod: - -`kubectl logs --follow --container {{container_name}} {{pod_name}}` - - Show pod logs newer than a relative time like `10s`, `5m`, or `1h`: `kubectl logs --since={{relative_time}} {{pod_name}}` @@ -30,3 +26,7 @@ - Show the 10 most recent logs in a pod: `kubectl logs --tail={{10}} {{pod_name}}` + +- Show all pod logs for a given deployment: + +`kubectl logs deployment/{{deployment_name}}` diff --git a/pages/common/kubectx.md b/pages/common/kubectx.md index 1298aa636..1c11b25e4 100644 --- a/pages/common/kubectx.md +++ b/pages/common/kubectx.md @@ -15,6 +15,14 @@ `kubectx -` +- Rename a named context: + +`kubectx {{alias}}={{name}}` + +- Show the current named context: + +`kubectx -c` + - Delete a named context: `kubectx -d {{name}}` diff --git a/pages/linux/lastcomm.md b/pages/common/lastcomm.md similarity index 100% rename from pages/linux/lastcomm.md rename to pages/common/lastcomm.md diff --git a/pages/common/latexmk.md b/pages/common/latexmk.md index 573ca4106..e6f76864e 100644 --- a/pages/common/latexmk.md +++ b/pages/common/latexmk.md @@ -10,19 +10,23 @@ - Compile a DVI document from a specific source file: -`latexmk {{source.tex}}` +`latexmk {{path/to/source.tex}}` - Compile a PDF document: -`latexmk -pdf {{source.tex}}` +`latexmk -pdf {{path/to/source.tex}}` + +- Open the document in a viewer and continuously update it whenever source files change: + +`latexmk -pvc {{path/to/source.tex}}` - Force the generation of a document even if there are errors: -`latexmk -f {{source.tex}}` +`latexmk -f {{path/to/source.tex}}` - Clean up temporary TEX files created for a specific TEX file: -`latexmk -c {{source.tex}}` +`latexmk -c {{path/to/source.tex}}` - Clean up all temporary TEX files in the current directory: diff --git a/pages/linux/libreoffice.md b/pages/common/libreoffice.md similarity index 100% rename from pages/linux/libreoffice.md rename to pages/common/libreoffice.md diff --git a/pages/common/lilypond.md b/pages/common/lilypond.md index 7f1bb2e09..62a1128db 100644 --- a/pages/common/lilypond.md +++ b/pages/common/lilypond.md @@ -1,6 +1,7 @@ # lilypond > Typeset music and/or produce MIDI from file. +> See also: `musescore`. > More information: . - Compile a lilypond file into a PDF: diff --git a/pages/common/llm.md b/pages/common/llm.md index bbd0413ca..8c2cd72d4 100644 --- a/pages/common/llm.md +++ b/pages/common/llm.md @@ -23,6 +23,10 @@ `llm --model {{orca-mini-3b-gguf2-q4_0}} "{{What is the capital of France?}}"` -- Have an interactive chat with a specific [m]odel: +- Create a [s]ystem prompt and [s]ave it with a template name: -`llm chat --model {{chatgpt}}` +`llm --system '{{You are a sentient cheesecake}}' --save {{sentient_cheesecake}}` + +- Have an interactive chat with a specific [m]odel using a specific [t]emplate: + +`llm chat --model {{chatgpt}} --template {{sentient_cheesecake}}` diff --git a/pages/common/llvm-dis.md b/pages/common/llvm-dis.md index 744e46484..6a995914a 100644 --- a/pages/common/llvm-dis.md +++ b/pages/common/llvm-dis.md @@ -1,6 +1,6 @@ # llvm-dis -> Converts LLVM bitcode files into human-readable LLVM Intermediate Representation (IR). +> Convert LLVM bitcode files into human-readable LLVM Intermediate Representation (IR). > More information: . - Convert a bitcode file as LLVM IR and write the result to `stdout`: diff --git a/pages/common/lmms.md b/pages/common/lmms.md index e67319055..f016a0189 100644 --- a/pages/common/lmms.md +++ b/pages/common/lmms.md @@ -2,6 +2,7 @@ > Free, open source, cross-platform digital audio workstation. > Render a `.mmp` or `.mmpz` project file, dump a `.mmpz` as XML, or start the GUI. +> See also: `mixxx`. > More information: . - Start the GUI: diff --git a/pages/common/ln.md b/pages/common/ln.md index 8f4a820fb..4bb580e76 100644 --- a/pages/common/ln.md +++ b/pages/common/ln.md @@ -1,6 +1,6 @@ # ln -> Creates links to files and directories. +> Create links to files and directories. > More information: . - Create a symbolic link to a file or directory: diff --git a/pages/common/ls.md b/pages/common/ls.md index 1c0123609..332f49386 100644 --- a/pages/common/ls.md +++ b/pages/common/ls.md @@ -7,30 +7,30 @@ `ls -1` -- List all files, including hidden files: +- List [a]ll files, including hidden files: `ls -a` -- List all files, with trailing `/` added to directory names: +- List files with a trailing symbol to indicate file type (directory/, symbolic_link@, executable*, ...): `ls -F` -- Long format list (permissions, ownership, size, and modification date) of all files: +- List [a]ll files in [l]ong format (permissions, ownership, size, and modification date): `ls -la` -- Long format list with size displayed using human-readable units (KiB, MiB, GiB): +- List files in [l]ong format with size displayed using [h]uman-readable units (KiB, MiB, GiB): `ls -lh` -- Long format list sorted by size (descending) recursively: +- List files in [l]ong format, sorted by [S]ize (descending) [R]ecursively: `ls -lSR` -- Long format list of all files, sorted by modification date (oldest first): +- List files in [l]ong format, sorted by [t]ime the file was modified and in [r]everse order (oldest first): `ls -ltr` -- Only list directories: +- Only list [d]irectories: `ls -d */` diff --git a/pages/common/lsar.md b/pages/common/lsar.md new file mode 100644 index 000000000..aeef76ce6 --- /dev/null +++ b/pages/common/lsar.md @@ -0,0 +1,29 @@ +# lsar + +> List an archive file's contents. +> See also: `unar`, `ar`. +> More information: . + +- List an archive file's contents: + +`lsar {{path/to/archive}}` + +- List a password protected archive file's contents: + +`lsar {{path/to/archive}} --password {{password}}` + +- Print al[L] available information about each file in the archive (it's very long): + +`lsar {{-L|--verylong}} {{path/to/archive}}` + +- Test the integrity of the files in the archive (if possible): + +`lsar --test {{path/to/archive}}` + +- List the archive file's contents in JSON format: + +`lsar --json {{path/to/archive}}` + +- Display help: + +`lsar --help` diff --git a/pages/common/lstopo.md b/pages/common/lstopo.md new file mode 100644 index 000000000..47bed6d30 --- /dev/null +++ b/pages/common/lstopo.md @@ -0,0 +1,24 @@ +# lstopo + +> Show the hardware topology of the system. +> More information: . + +- Show the summarized system topology in a graphical window (or print to console if no graphical display is available): + +`lstopo` + +- Show the full system topology without summarizations: + +`lstopo --no-factorize` + +- Show the summarized system topology with only [p]hysical indices (i.e. as seen by the OS): + +`lstopo --physical` + +- Write the full system topology to a file in the specified format: + +`lstopo --no-factorize --output-format {{console|ascii|tex|fig|svg|pdf|ps|png|xml}} {{path/to/file}}` + +- Output in monochrome or greyscale: + +`lstopo --palette {{none|grey}}` diff --git a/pages/common/magick-compare.md b/pages/common/magick-compare.md new file mode 100644 index 000000000..2b8f22238 --- /dev/null +++ b/pages/common/magick-compare.md @@ -0,0 +1,13 @@ +# magick compare + +> Create a comparison image to visually annotate the difference between two images. +> See also: `magick`. +> More information: . + +- Compare two images: + +`magick compare {{path/to/image1.png}} {{path/to/image2.png}} {{path/to/diff.png}}` + +- Compare two images using the specified metric: + +`magick compare -verbose -metric {{PSNR}} {{path/to/image1.png}} {{path/to/image2.png}} {{path/to/diff.png}}` diff --git a/pages/common/magick-convert.md b/pages/common/magick-convert.md new file mode 100644 index 000000000..cf85d66e3 --- /dev/null +++ b/pages/common/magick-convert.md @@ -0,0 +1,37 @@ +# magick convert + +> Convert between image formats, scale, join, and create images, and much more. +> Note: this tool (previously `convert`) has been replaced by `magick` in ImageMagick 7+. +> More information: . + +- Convert an image from JPEG to PNG: + +`magick convert {{path/to/input_image.jpg}} {{path/to/output_image.png}}` + +- Scale an image to 50% of its original size: + +`magick convert {{path/to/input_image.png}} -resize 50% {{path/to/output_image.png}}` + +- Scale an image keeping the original aspect ratio to a maximum dimension of 640x480: + +`magick convert {{path/to/input_image.png}} -resize 640x480 {{path/to/output_image.png}}` + +- Scale an image to have a specified file size: + +`magick convert {{path/to/input_image.png}} -define jpeg:extent=512kb {{path/to/output_image.jpg}}` + +- Vertically/horizontally append images: + +`magick convert {{path/to/image1.png path/to/image2.png ...}} {{-append|+append}} {{path/to/output_image.png}}` + +- Create a GIF from a series of images with 100ms delay between them: + +`magick convert {{path/to/image1.png path/to/image2.png ...}} -delay {{10}} {{path/to/animation.gif}}` + +- Create an image with nothing but a solid red background: + +`magick convert -size {{800x600}} "xc:{{#ff0000}}" {{path/to/image.png}}` + +- Create a favicon from several images of different sizes: + +`magick convert {{path/to/image1.png path/to/image2.png ...}} {{path/to/favicon.ico}}` diff --git a/pages/common/magick-identify.md b/pages/common/magick-identify.md new file mode 100644 index 000000000..f9cd7aadc --- /dev/null +++ b/pages/common/magick-identify.md @@ -0,0 +1,17 @@ +# magick identify + +> Describe the format and characteristics of image files. +> See also: `magick`. +> More information: . + +- Describe the format and basic characteristics of an image: + +`magick identify {{path/to/image}}` + +- Describe the format and verbose characteristics of an image: + +`magick identify -verbose {{path/to/image}}` + +- Collect dimensions of all JPEG files in the current directory and save them into a CSV file: + +`magick identify -format "{{%f,%w,%h\n}}" {{*.jpg}} > {{path/to/filelist.csv}}` diff --git a/pages/common/magick-import.md b/pages/common/magick-import.md new file mode 100644 index 000000000..6ad245c1d --- /dev/null +++ b/pages/common/magick-import.md @@ -0,0 +1,17 @@ +# magick import + +> Capture some or all of an X server screen and save the image to a file. +> See also: `magick`. +> More information: . + +- Capture the entire X server screen into a PostScript file: + +`magick import -window root {{path/to/output.ps}}` + +- Capture contents of a remote X server screen into a PNG image: + +`magick import -window root -display {{remote_host}}:{{screen}}.{{display}} {{path/to/output.png}}` + +- Capture a specific window given its ID as displayed by `xwininfo` into a JPEG image: + +`magick import -window {{window_id}} {{path/to/output.jpg}}` diff --git a/pages/common/magick-mogrify.md b/pages/common/magick-mogrify.md new file mode 100644 index 000000000..547261d24 --- /dev/null +++ b/pages/common/magick-mogrify.md @@ -0,0 +1,26 @@ +# magick mogrify + +> Perform operations on multiple images, such as resizing, cropping, flipping, and adding effects. +> Changes are applied directly to the original file. +> See also: `magick`. +> More information: . + +- Resize all JPEG images in the directory to 50% of their initial size: + +`magick mogrify -resize {{50%}} {{*.jpg}}` + +- Resize all images starting with `DSC` to 800x600: + +`magick mogrify -resize {{800x600}} {{DSC*}}` + +- Convert all PNGs in the directory to JPEG: + +`magick mogrify -format {{jpg}} {{*.png}}` + +- Halve the saturation of all image files in the current directory: + +`magick mogrify -modulate {{100,50}} {{*}}` + +- Double the brightness of all image files in the current directory: + +`magick mogrify -modulate {{200}} {{*}}` diff --git a/pages/common/magick-montage.md b/pages/common/magick-montage.md new file mode 100644 index 000000000..9941a63da --- /dev/null +++ b/pages/common/magick-montage.md @@ -0,0 +1,25 @@ +# magick montage + +> Tile images into a customizable grid. +> See also: `magick`. +> More information: . + +- Tile images into a grid, automatically resizing images larger than the grid cell size: + +`magick montage {{path/to/image1.jpg path/to/image2.jpg ...}} {{path/to/montage.jpg}}` + +- Tile images into a grid, automatically calculating the grid cell size from the largest image: + +`magick montage {{path/to/image1.jpg path/to/image2.jpg ...}} -geometry {{+0+0}} {{path/to/montage.jpg}}` + +- Specify the grid cell size and resize images to fit it before tiling: + +`magick montage {{path/to/image1.jpg path/to/image2.jpg ...}} -geometry {{640x480+0+0}} {{path/to/montage.jpg}}` + +- Limit the number of rows and columns in the grid, causing input images to overflow into multiple output montages: + +`magick montage {{path/to/image1.jpg path/to/image2.jpg ...}} -geometry {{+0+0}} -tile {{2x3}} {{montage_%d.jpg}}` + +- Resize and crop images to fill their grid cells before tiling: + +`magick montage {{path/to/image1.jpg path/to/image2.jpg ...}} -geometry {{+0+0}} -resize {{640x480^}} -gravity {{center}} -crop {{640x480+0+0}} {{path/to/montage.jpg}}` diff --git a/pages/common/magick.md b/pages/common/magick.md index 48d7df4a7..2cc33e865 100644 --- a/pages/common/magick.md +++ b/pages/common/magick.md @@ -1,8 +1,9 @@ # magick > Create, edit, compose, or convert between image formats. -> ImageMagick version 7+. See `convert` for versions 6 and below. -> More information: . +> This tool replaces `convert` in ImageMagick 7+. See `magick convert` to use the old tool in versions 7+. +> Some subcommands, such as `mogrify` have their own usage documentation. +> More information: . - Convert between image formats: @@ -12,7 +13,7 @@ `magick {{path/to/input_image.jpg}} -resize {{100x100}} {{path/to/output_image.jpg}}` -- Create a GIF out of all JPG images in the current directory: +- Create a GIF out of all JPEG images in the current directory: `magick {{*.jpg}} {{path/to/images.gif}}` @@ -20,6 +21,6 @@ `magick -size {{640x480}} pattern:checkerboard {{path/to/checkerboard.png}}` -- Create a PDF file out of all JPG images in the current directory: +- Create a PDF file out of all JPEG images in the current directory: `magick {{*.jpg}} -adjoin {{path/to/file.pdf}}` diff --git a/pages/common/man.md b/pages/common/man.md index 55c1bf346..b85f0bf0b 100644 --- a/pages/common/man.md +++ b/pages/common/man.md @@ -1,7 +1,7 @@ # man > Format and display manual pages. -> More information: . +> More information: . - Display the man page for a command: diff --git a/pages/common/masscan.md b/pages/common/masscan.md index 8027a1a88..d8aa33353 100644 --- a/pages/common/masscan.md +++ b/pages/common/masscan.md @@ -4,7 +4,7 @@ > Best run with elevated privileges. Nmap compatibility run `masscan --nmap` to find out more. > More information: . -- Scan an IP or network subnet for port 80: +- Scan an IP or network subnet for [p]ort 80: `masscan {{ip_address|network_prefix}} --ports {{80}}` @@ -16,10 +16,18 @@ `masscan {{10.0.0.0/16}} --top-ports {{100}} --excludefile {{path/to/file}}` -- Scan the Internet for port 443: +- Scan the Internet for web servers running on port 80 and 443: -`masscan {{0.0.0.0/0}} --ports {{443}} --rate {{10000000}}` +`masscan {{0.0.0.0/0}} --ports {{80,443}} --rate {{10000000}}` + +- Scan the Internet for DNS servers running on UDP port 53: + +`masscan {{0.0.0.0/0}} --ports {{U:53}} --rate {{10000000}}` - Scan the Internet for a specific port range and export to a file: -`masscan {{0.0.0.0/0}} --ports {{0-65535}} -output-format {{binary|grepable|json|list|xml}} --output-filename {{path/to/file}}` +`masscan {{0.0.0.0/0}} --ports {{0-65535}} --output-format {{binary|grepable|json|list|xml}} --output-filename {{path/to/file}}` + +- Read binary scan results from a file and output to `stdout`: + +`masscan --readscan {{path/to/file}}` diff --git a/pages/common/mc.md b/pages/common/mc.md index cbef05299..71bd2cf19 100644 --- a/pages/common/mc.md +++ b/pages/common/mc.md @@ -1,7 +1,8 @@ # mc -> Midnight Commander, a terminal based file manager. +> Midnight Commander, a TUI file manager. > Navigate the directory structure using the arrow keys, the mouse or by typing the commands into the terminal. +> See also: `ranger`, `clifm`, `vifm`, `nautilus`. > More information: . - Start Midnight Commander: diff --git a/pages/common/md-to-clip.md b/pages/common/md-to-clip.md index 887062d94..641c71d5b 100644 --- a/pages/common/md-to-clip.md +++ b/pages/common/md-to-clip.md @@ -1,6 +1,6 @@ # md-to-clip -> Converter from tldr-pages to Command Line Interface Pages. +> Convert tldr-pages to Command Line Interface Pages. > See also: `clip-view`. > More information: . diff --git a/pages/common/medusa.md b/pages/common/medusa.md new file mode 100644 index 000000000..5c79200a4 --- /dev/null +++ b/pages/common/medusa.md @@ -0,0 +1,28 @@ +# medusa + +> A modular and parallel login brute-forcer for a variety of protocols. +> More information: . + +- List all installed modules: + +`medusa -d` + +- Show usage example of a specific module (use `medusa -d` for listing all installed modules): + +`medusa -M {{ssh|http|web-form|postgres|ftp|mysql|...}} -q` + +- Execute brute force against an FTP server using a file containing usernames and a file containing passwords: + +`medusa -M ftp -h host -U {{path/to/username_file}} -P {{path/to/password_file}}` + +- Execute a login attempt against an HTTP server using the username, password and user-agent specified: + +`medusa -M HTTP -h host -u {{username}} -p {{password}} -m USER-AGENT:"{{Agent}}"` + +- Execute a brute force against a MySQL server using a file containing usernames and a hash: + +`medusa -M mysql -h host -U {{path/to/username_file}} -p {{hash}} -m PASS:HASH` + +- Execute a brute force against a list of SMB servers using a username and a pwdump file: + +`medusa -M smbnt -H {{path/to/hosts_file}} -C {{path/to/pwdump_file}} -u {{username}} -m PASS:HASH` diff --git a/pages/common/mitmproxy.md b/pages/common/mitmproxy.md index 78aa60d8f..7dcdab322 100644 --- a/pages/common/mitmproxy.md +++ b/pages/common/mitmproxy.md @@ -1,21 +1,29 @@ # mitmproxy > An interactive man-in-the-middle HTTP proxy. -> See also: `mitmweb`. -> More information: . +> See also: `mitmweb` and `mitmdump`. +> More information: . -- Start `mitmproxy` with default settings: +- Start `mitmproxy` with default settings (will listen on port `8080`): `mitmproxy` - Start `mitmproxy` bound to a custom address and port: -`mitmproxy --listen-host {{ip_address}} --listen-port {{port}}` +`mitmproxy --listen-host {{ip_address}} {{-p|--listen-port}} {{port}}` - Start `mitmproxy` using a script to process traffic: -`mitmproxy --scripts {{path/to/script.py}}` +`mitmproxy {{-s|--scripts}} {{path/to/script.py}}` - Export the logs with SSL/TLS master keys to external programs (wireshark, etc.): `SSLKEYLOGFILE="{{path/to/file}}" mitmproxy` + +- Specify mode of operation of the proxy server (`regular` is the default): + +`mitmproxy {{-m|--mode}} {{regular|transparent|socks5|...}}` + +- Set the console layout: + +`mitmproxy --console-layout {{horizontal|single|vertical}}` diff --git a/pages/common/mixxx.md b/pages/common/mixxx.md index f84079705..086e4f050 100644 --- a/pages/common/mixxx.md +++ b/pages/common/mixxx.md @@ -1,6 +1,7 @@ # mixxx > Free and open source cross-platform DJ software. +> See also: `lmms`. > More information: . - Start the Mixxx GUI in fullscreen: diff --git a/pages/common/mkdir.md b/pages/common/mkdir.md index 037c27c3c..20e18029a 100644 --- a/pages/common/mkdir.md +++ b/pages/common/mkdir.md @@ -7,10 +7,10 @@ `mkdir {{path/to/directory1 path/to/directory2 ...}}` -- Create specific directories and their [p]arents if needed: +- Create specific directories and their parents if needed: -`mkdir -p {{path/to/directory1 path/to/directory2 ...}}` +`mkdir {{-p|--parents}} {{path/to/directory1 path/to/directory2 ...}}` - Create directories with specific permissions: -`mkdir -m {{rwxrw-r--}} {{path/to/directory1 path/to/directory2 ...}}` +`mkdir {{-m|--mode}} {{rwxrw-r--}} {{path/to/directory1 path/to/directory2 ...}}` diff --git a/pages/common/mkfifo.md b/pages/common/mkfifo.md index 0769e62b7..3e3e8f6f1 100644 --- a/pages/common/mkfifo.md +++ b/pages/common/mkfifo.md @@ -1,8 +1,16 @@ # mkfifo -> Makes FIFOs (named pipes). +> Make FIFOs (named pipes). > More information: . - Create a named pipe at a given path: `mkfifo {{path/to/pipe}}` + +- Send data through a named pipe and send the command to the background: + +`echo {{"Hello World"}} > {{path/to/pipe}} &` + +- Receive data through a named pipe: + +`cat {{path/to/pipe}}` diff --git a/pages/common/mods.md b/pages/common/mods.md index f1f9f48b9..4789c8082 100644 --- a/pages/common/mods.md +++ b/pages/common/mods.md @@ -1,6 +1,6 @@ # mods -> AI for the command line, built for pipelines. +> AI for the command-line, built for pipelines. > More information: . - Ask a generic question: diff --git a/pages/common/mogrify.md b/pages/common/mogrify.md index b43a240ae..b06b41622 100644 --- a/pages/common/mogrify.md +++ b/pages/common/mogrify.md @@ -1,25 +1,7 @@ # mogrify -> Perform operations on multiple images, such as resizing, cropping, flipping, and adding effects. -> Changes are applied directly to the original file. Part of ImageMagick. -> More information: . +> This command is an alias of `magick mogrify`. -- Resize all JPEG images in the directory to 50% of their initial size: +- View documentation for the original command: -`mogrify -resize {{50%}} {{*.jpg}}` - -- Resize all images starting with `DSC` to 800x600: - -`mogrify -resize {{800x600}} {{DSC*}}` - -- Convert all PNGs in the directory to JPEG: - -`mogrify -format {{jpg}} {{*.png}}` - -- Halve the saturation of all image files in the current directory: - -`mogrify -modulate {{100,50}} {{*}}` - -- Double the brightness of all image files in the current directory: - -`mogrify -modulate {{200}} {{*}}` +`tldr magick mogrify` diff --git a/pages/common/montage.md b/pages/common/montage.md index f46887774..12bd082e8 100644 --- a/pages/common/montage.md +++ b/pages/common/montage.md @@ -1,25 +1,7 @@ # montage -> Tiles images into a customizable grid. -> Part of ImageMagick. -> More information: . +> This command is an alias of `magick montage`. -- Tile images into a grid, automatically resizing images larger than the grid cell size: +- View documentation for the original command: -`montage {{path/to/image1.jpg path/to/image2.jpg ...}} {{path/to/montage.jpg}}` - -- Tile images into a grid, automatically calculating the grid cell size from the largest image: - -`montage {{path/to/image1.jpg path/to/image2.jpg ...}} -geometry {{+0+0}} {{path/to/montage.jpg}}` - -- Specify the grid cell size and resize images to fit it before tiling: - -`montage {{path/to/image1.jpg path/to/image2.jpg ...}} -geometry {{640x480+0+0}} {{path/to/montage.jpg}}` - -- Limit the number of rows and columns in the grid, causing input images to overflow into multiple output montages: - -`montage {{path/to/image1.jpg path/to/image2.jpg ...}} -geometry {{+0+0}} -tile {{2x3}} {{montage_%d.jpg}}` - -- Resize and crop images to fill their grid cells before tiling: - -`montage {{path/to/image1.jpg path/to/image2.jpg ...}} -geometry {{+0+0}} -resize {{640x480^}} -gravity {{center}} -crop {{640x480+0+0}} {{path/to/montage.jpg}}` +`tldr magick montage` diff --git a/pages/common/more.md b/pages/common/more.md index dfddf3a57..14ad53b9b 100644 --- a/pages/common/more.md +++ b/pages/common/more.md @@ -8,10 +8,6 @@ `more {{path/to/file}}` -- Search case-[i]nsensitively when pressing "/": - -`more -i {{path/to/file}}` - - Display a specific line: `more +{{line_number}} {{path/to/file}}` diff --git a/pages/common/mount.md b/pages/common/mount.md index fce9c6f4c..54133d650 100644 --- a/pages/common/mount.md +++ b/pages/common/mount.md @@ -1,6 +1,6 @@ # mount -> Provides access to an entire filesystem in one directory. +> Get access to an entire filesystem in one directory. > More information: . - Show all mounted filesystems: diff --git a/pages/common/mpc.md b/pages/common/mpc.md index 475e2e30b..3fda3ac50 100644 --- a/pages/common/mpc.md +++ b/pages/common/mpc.md @@ -1,7 +1,7 @@ # mpc -> Music Player Client. -> Control the Music Player Daemon (MPD). +> Music Player Client: control the Music Player Daemon (MPD). +> See also: `mpd`, `ncmpcpp`, `cmus`. > More information: . - Toggle play/pause: diff --git a/pages/common/mpd.md b/pages/common/mpd.md index a5056beb1..6a21169ae 100644 --- a/pages/common/mpd.md +++ b/pages/common/mpd.md @@ -1,6 +1,7 @@ # mpd > Music Player Daemon. +> See also: `mpc`, `ncmpcpp`. > More information: . - Start MPD: diff --git a/pages/common/mpv.md b/pages/common/mpv.md index e4551eb9d..344608b73 100644 --- a/pages/common/mpv.md +++ b/pages/common/mpv.md @@ -1,6 +1,7 @@ # mpv > A audio/video player based on MPlayer. +> See also: `mplayer`, `vlc`. > More information: . - Play a video or audio from a URL or file: @@ -25,7 +26,7 @@ - Play a file at a specified speed (1 by default): -`mpv --speed {{0.01..100}} {{path/to/file}}` +`mpv --speed={{0.01..100}} {{path/to/file}}` - Play a file using a profile defined in the `mpv.conf` file: @@ -33,4 +34,4 @@ - Display the output of webcam or other video input device: -`mpv /dev/{{video0}}` +`mpv {{/dev/video0}}` diff --git a/pages/common/msfconsole.md b/pages/common/msfconsole.md new file mode 100644 index 000000000..7ca866863 --- /dev/null +++ b/pages/common/msfconsole.md @@ -0,0 +1,24 @@ +# msfconsole + +> Console for the Metasploit Framework. +> More information: . + +- Launch the console: + +`msfconsole` + +- Launch the console [q]uietly without any banner: + +`msfconsole --quiet` + +- Do [n]ot enable database support: + +`msfconsole --no-database` + +- E[x]ecute console commands (Note: use `;` for passing multiple commands): + +`msfconsole --execute-command "{{use auxiliary/server/capture/ftp; set SRVHOST 0.0.0.0; set SRVPORT 21; run}}"` + +- Display [v]ersion: + +`msfconsole --version` diff --git a/pages/common/msfvenom.md b/pages/common/msfvenom.md index 455358176..91b34ce37 100644 --- a/pages/common/msfvenom.md +++ b/pages/common/msfvenom.md @@ -23,6 +23,6 @@ `msfvenom -p windows/x64/meterpreter/reverse_tcp LHOST={{local_ip}} LPORT={{local_port}} -f exe -o {{path/to/binary.exe}}` -- Create a raw bash with a reverse TCP handler: +- Create a raw Bash with a reverse TCP handler: `msfvenom -p cmd/unix/reverse_bash LHOST={{local_ip}} LPORT={{local_port}} -f raw` diff --git a/pages/common/musescore.md b/pages/common/musescore.md index 79341cd75..c55c7e96e 100644 --- a/pages/common/musescore.md +++ b/pages/common/musescore.md @@ -1,6 +1,7 @@ # musescore > MuseScore 3 sheet music editor. +> See also: `lilypond`. > More information: . - Use a specific audio driver: diff --git a/pages/common/mv.md b/pages/common/mv.md index 6a2a5532f..8ffbd2cef 100644 --- a/pages/common/mv.md +++ b/pages/common/mv.md @@ -15,18 +15,22 @@ `mv {{path/to/source1 path/to/source2 ...}} {{path/to/existing_directory}}` -- Do not prompt for confirmation before overwriting existing files: +- Do not prompt ([f]) for confirmation before overwriting existing files: -`mv -f {{path/to/source}} {{path/to/target}}` +`mv --force {{path/to/source}} {{path/to/target}}` -- Prompt for confirmation before overwriting existing files, regardless of file permissions: +- Prompt for confirmation [i]nteractively before overwriting existing files, regardless of file permissions: -`mv -i {{path/to/source}} {{path/to/target}}` +`mv --interactive {{path/to/source}} {{path/to/target}}` -- Do not overwrite existing files at the target: +- Do not overwrite ([n]) existing files at the target: -`mv -n {{path/to/source}} {{path/to/target}}` +`mv --no-clobber {{path/to/source}} {{path/to/target}}` -- Move files in verbose mode, showing files after they are moved: +- Move files in [v]erbose mode, showing files after they are moved: -`mv -v {{path/to/source}} {{path/to/target}}` +`mv --verbose {{path/to/source}} {{path/to/target}}` + +- Specify [t]arget directory so that you can use external tools to gather movable files: + +`{{find /var/log -type f -name '*.log' -print0}} | {{xargs -0}} mv --target-directory {{path/to/target_directory}}` diff --git a/pages/common/mypy.md b/pages/common/mypy.md new file mode 100644 index 000000000..9568bec40 --- /dev/null +++ b/pages/common/mypy.md @@ -0,0 +1,36 @@ +# mypy + +> Type check Python code. +> More information: . + +- Type check a specific file: + +`mypy {{path/to/file.py}}` + +- Type check a specific [m]odule: + +`mypy -m {{module_name}}` + +- Type check a specific [p]ackage: + +`mypy -p {{package_name}}` + +- Type check a string of code: + +`mypy -c "{{code}}"` + +- Ignore missing imports: + +`mypy --ignore-missing-imports {{path/to/file_or_directory}}` + +- Show detailed error messages: + +`mypy --show-traceback {{path/to/file_or_directory}}` + +- Specify a custom configuration file: + +`mypy --config-file {{path/to/config_file}}` + +- Display [h]elp: + +`mypy -h` diff --git a/pages/common/mysql_secure_installation.md b/pages/common/mysql_secure_installation.md new file mode 100644 index 000000000..ea241b2cb --- /dev/null +++ b/pages/common/mysql_secure_installation.md @@ -0,0 +1,16 @@ +# mysql_secure_installation + +> Set up MySQL to have better security. +> More information: . + +- Start an interactive setup: + +`mysql_secure_installation` + +- Use specific host and port: + +`mysql_secure_installation --host={{host}} --port={{port}}` + +- Display help: + +`mysql_secure_installation --help` diff --git a/pages/common/nc.md b/pages/common/nc.md index b7425db27..7d0ea38db 100644 --- a/pages/common/nc.md +++ b/pages/common/nc.md @@ -1,7 +1,7 @@ # nc -> A versatile utility for redirecting IO into a network stream. -> More information: . +> Redirect I/O into a network stream through this versatile tool. +> More information: . - Start a listener on the specified TCP port and send a file into it: diff --git a/pages/common/ncmpcpp.md b/pages/common/ncmpcpp.md index c01fff4e9..c4e7e2ae6 100644 --- a/pages/common/ncmpcpp.md +++ b/pages/common/ncmpcpp.md @@ -1,6 +1,7 @@ # ncmpcpp > A music player client for the Music Player Daemon. +> See also: `mpd`, `mpc`, `qmmp`, `termusic`. > More information: . - Connect to a music player daemon on a given host and port: diff --git a/pages/common/neato.md b/pages/common/neato.md index 03e3c3523..0cfe0c0e4 100644 --- a/pages/common/neato.md +++ b/pages/common/neato.md @@ -4,19 +4,19 @@ > Layouts: `dot`, `neato`, `twopi`, `circo`, `fdp`, `sfdp`, `osage` & `patchwork`. > More information: . -- Render a `png` image with a filename based on the input filename and output format (uppercase -O): +- Render a PNG image with a filename based on the input filename and output format (uppercase -O): `neato -T {{png}} -O {{path/to/input.gv}}` -- Render a `svg` image with the specified output filename (lowercase -o): +- Render a SVG image with the specified output filename (lowercase -o): `neato -T {{svg}} -o {{path/to/image.svg}} {{path/to/input.gv}}` -- Render the output in `ps`, `pdf`, `svg`, `fig`, `png`, `gif`, `jpg`, `json`, or `dot` format: +- Render the output in PS, PDF, SVG, Fig, PNG, GIF, JPEG, JSON, or DOT format: `neato -T {{format}} -O {{path/to/input.gv}}` -- Render a `gif` image using `stdin` and `stdout`: +- Render a GIF image using `stdin` and `stdout`: `echo "{{graph {this -- that} }}" | neato -T {{gif}} > {{path/to/image.gif}}` diff --git a/pages/common/ned.md b/pages/common/ned.md index b2366db05..6cd046b9f 100644 --- a/pages/common/ned.md +++ b/pages/common/ned.md @@ -1,6 +1,6 @@ # ned -> Is like `grep` but with powerful replace capabilities. +> Like `grep` but with powerful replace capabilities. > Unlike `sed`, as it isn't restricted to line oriented editing. > More information: . diff --git a/pages/common/neo4j-admin.md b/pages/common/neo4j-admin.md new file mode 100644 index 000000000..310b7ccb6 --- /dev/null +++ b/pages/common/neo4j-admin.md @@ -0,0 +1,33 @@ +# neo4j-admin + +> Manage and administer a Neo4j DBMS (Database Management System). +> See also: `cypher-shell`, `mysqld`. +> More information: . + +- Start the DBMS: + +`neo4j-admin server start` + +- Stop the DBMS: + +`neo4j-admin server stop` + +- Set the initial password of the default `neo4j` user (prerequisite for the first start of the DBMS): + +`neo4j-admin dbms set-initial-password {{database_name}}` + +- Create an archive (dump) of an offline database to a file named `database_name.dump`: + +`neo4j-admin database dump --to-path={{path/to/directory}} {{database_name}}` + +- Load a database from an archive named `database_name.dump`: + +`neo4j-admin database load --from-path={{path/to/directory}} {{database_name}} --overwrite-destination=true` + +- Load a database from a specified archive file through `stdin`: + +`neo4j-admin database load --from-stdin {{database_name}} --overwrite-destination=true < {{path/to/filename.dump}}` + +- Display help: + +`neo4j-admin --help` diff --git a/pages/common/netcat.md b/pages/common/netcat.md index 94e90f60f..40a8d3713 100644 --- a/pages/common/netcat.md +++ b/pages/common/netcat.md @@ -1,6 +1,7 @@ # netcat > This command is an alias of `nc`. +> More information: . - View documentation for the original command: diff --git a/pages/common/netstat.md b/pages/common/netstat.md index 0a5500842..ac26c7dfc 100644 --- a/pages/common/netstat.md +++ b/pages/common/netstat.md @@ -1,7 +1,7 @@ # netstat -> Displays network-related information such as open connections, open socket ports, etc. -> More information: . +> Display network-related information such as open connections, open socket ports, etc. +> More information: . - List all ports: diff --git a/pages/common/nf-core.md b/pages/common/nf-core.md index 4517396da..12abca81f 100644 --- a/pages/common/nf-core.md +++ b/pages/common/nf-core.md @@ -1,7 +1,7 @@ # nf-core > The nf-core framework tools, to create, check and develop best-practice guidelines for Nextflow. -> More information: . +> More information: . - List existing pipelines on nf-core: diff --git a/pages/common/nix-build.md b/pages/common/nix-build.md index 760061f44..27493ebe8 100644 --- a/pages/common/nix-build.md +++ b/pages/common/nix-build.md @@ -1,7 +1,7 @@ # nix-build > Build a Nix expression. -> See also: `tldr nix3 build`. +> See also: `nix3 build`. > More information: . - Build a Nix expression: diff --git a/pages/common/nix-shell.md b/pages/common/nix-shell.md index 12d4be4d0..f445c7e73 100644 --- a/pages/common/nix-shell.md +++ b/pages/common/nix-shell.md @@ -1,7 +1,7 @@ # nix-shell > Start an interactive shell based on a Nix expression. -> See also: `tldr nix3 shell`. +> See also: `nix3 shell`. > More information: . - Start with nix expression in `shell.nix` or `default.nix` in the current directory: diff --git a/pages/common/nix-store.md b/pages/common/nix-store.md index 9bc8bbb5d..111319e99 100644 --- a/pages/common/nix-store.md +++ b/pages/common/nix-store.md @@ -1,7 +1,7 @@ # nix-store > Manipulate or query the Nix store. -> See also: `tldr nix3 store`. +> See also: `nix3 store`. > More information: . - Collect garbage, such as removing unused paths: diff --git a/pages/common/nix3-build.md b/pages/common/nix3-build.md index a3b3e10a6..957fee2d0 100644 --- a/pages/common/nix3-build.md +++ b/pages/common/nix3-build.md @@ -1,7 +1,7 @@ # nix build > Build a Nix expression (downloading from the cache when possible). -> See also: `tldr nix-build`. See `tldr nix3 flake` for information about flakes. +> See also: `nix-build` for information about traditional Nix builds from expressions, `nix3 flake` for information about flakes. > More information: . - Build a package from nixpkgs, symlinking the result to `./result`: diff --git a/pages/common/nix3-registry.md b/pages/common/nix3-registry.md index d516b0282..3ce75b28b 100644 --- a/pages/common/nix3-registry.md +++ b/pages/common/nix3-registry.md @@ -1,18 +1,18 @@ # nix registry > Manage a Nix flake registry. -> See `tldr nix3 flake` for information about flakes. +> See also: `nix3 flake` for information about flakes. > More information: . - Pin the `nixpkgs` revision to the current version of the upstream repository: `nix registry pin {{nixpkgs}}` -- Pin an entry to the latest version of the branch, or a particular reivision of a github repository: +- Pin an entry to the latest version of the branch, or a particular reivision of a GitHub repository: `nix registry pin {{entry}} {{github:owner/repo/branch_or_revision}}` -- Add a new entry that always points to the latest version of a github repository, updating automatically: +- Add a new entry that always points to the latest version of a GitHub repository, updating automatically: `nix registry add {{entry}} {{github:owner/repo}}` diff --git a/pages/common/nix3-run.md b/pages/common/nix3-run.md index cdc7cf8cc..c63f9bece 100644 --- a/pages/common/nix3-run.md +++ b/pages/common/nix3-run.md @@ -1,7 +1,7 @@ # nix run > Run an application from a Nix flake. -> See `tldr nix3 flake` for information about flakes. +> See also: `nix3 flake` for information about flakes. > More information: . - Run the default application in the flake in the current directory: diff --git a/pages/common/nix3-search.md b/pages/common/nix3-search.md index ecbe44152..d9f1c9c26 100644 --- a/pages/common/nix3-search.md +++ b/pages/common/nix3-search.md @@ -1,7 +1,7 @@ # nix search > Search for packages in a Nix flake. -> See `tldr nix3 flake` for information about flakes. +> See also: `nix3 flake` for information about flakes. > More information: . - Search `nixpkgs` for a package based on its name or description: diff --git a/pages/common/nix3-shell.md b/pages/common/nix3-shell.md index c82753f60..29e046a40 100644 --- a/pages/common/nix3-shell.md +++ b/pages/common/nix3-shell.md @@ -1,7 +1,7 @@ # nix shell > Start a shell in which the specified packages are available. -> See also: `tldr nix-shell`. See `tldr nix3 flake` for information about flakes. +> See also: `nix-shell` for setting up development environments, `nix3 flake` for information about flakes. > More information: . - Start an interactive shell with some packages from `nixpkgs`: diff --git a/pages/common/nix3-store.md b/pages/common/nix3-store.md index 1cff469d2..bad804585 100644 --- a/pages/common/nix3-store.md +++ b/pages/common/nix3-store.md @@ -1,7 +1,7 @@ # nix store > Manipulate the Nix store. -> See also: `tldr nix-store`. +> See also: `nix-store`. > More information: . - Collect garbage, i.e. remove unused paths to reduce space usage: diff --git a/pages/common/nkf.md b/pages/common/nkf.md index 817e0f1dc..bff2c46b3 100644 --- a/pages/common/nkf.md +++ b/pages/common/nkf.md @@ -1,7 +1,6 @@ # nkf -> Network kanji filter. -> Converts kanji code from one encoding to another. +> Network kanji filter: convert kanji code from one encoding to another. > More information: . - Convert to UTF-8 encoding: diff --git a/pages/common/nl.md b/pages/common/nl.md index 6f37cedb0..437033517 100644 --- a/pages/common/nl.md +++ b/pages/common/nl.md @@ -11,7 +11,7 @@ `{{command}} | nl -` -- Number [a]ll [b]ody lines including blank lines or do [n]ot number body lines: +- Number [a]ll [b]ody lines including blank lines or do [n]ot number [b]ody lines: `nl -b {{a|n}} {{path/to/file}}` diff --git a/pages/common/nload.md b/pages/common/nload.md index df24e2452..797e00d3e 100644 --- a/pages/common/nload.md +++ b/pages/common/nload.md @@ -9,4 +9,4 @@ - View network traffic on specific interfaces (use the arrow keys to switch interfaces): -`nload device {{interface_one}} {{interface_two}}` +`nload devices {{interface_one}} {{interface_two}}` diff --git a/pages/common/nmap.md b/pages/common/nmap.md index 63f32d85a..a0c73373a 100644 --- a/pages/common/nmap.md +++ b/pages/common/nmap.md @@ -12,9 +12,9 @@ `nmap -T5 -sn {{192.168.0.0/24|ip_or_hostname1,ip_or_hostname2,...}}` -- Enable OS detection, version detection, script scanning, and traceroute: +- Enable OS detection, version detection, script scanning, and traceroute of hosts from a file: -`sudo nmap -A {{ip_or_hostname1,ip_or_hostname2,...}}` +`sudo nmap -A -iL {{path/to/file.txt}}` - Scan a specific list of ports (use `-p-` for all ports from 1 to 65535): diff --git a/pages/common/nnn.md b/pages/common/nnn.md new file mode 100644 index 000000000..1c14c8aef --- /dev/null +++ b/pages/common/nnn.md @@ -0,0 +1,28 @@ +# nnn + +> Interactive terminal file manager and disk usage analyzer. +> More information: . + +- Open the current directory (or specify one as the first argument): + +`nnn` + +- Start in detailed mode: + +`nnn -d` + +- Show hidden files: + +`nnn -H` + +- Open an existing bookmark (defined in the `NNN_BMS` environment variable): + +`nnn -b {{bookmark_name}}` + +- Sort files on [a]pparent disk usage / [d]isk usage / [e]xtension / [r]everse / [s]ize / [t]ime / [v]ersion: + +`nnn -T {{a|d|e|r|s|t|v}}` + +- Open a file you have selected. Select the file then press `o`, and type a program to open the file in: + +`nnn -o` diff --git a/pages/common/noti.md b/pages/common/noti.md index 829da3300..01fe859ad 100644 --- a/pages/common/noti.md +++ b/pages/common/noti.md @@ -3,7 +3,7 @@ > Monitor a process and trigger a banner notification. > More information: . -- Display a notification when `tar` finishes compressing files: +- Display a notification when tar finishes compressing files: `noti {{tar -cjf example.tar.bz2 example/}}` diff --git a/pages/common/npm.md b/pages/common/npm.md index 4ac6ab0d5..5a68dbff8 100644 --- a/pages/common/npm.md +++ b/pages/common/npm.md @@ -4,9 +4,9 @@ > Manage Node.js projects and their module dependencies. > More information: . -- Interactively create a `package.json` file: +- Create a `package.json` file with default values (omit --yes to do it interactively): -`npm init` +`npm init {{-y|--yes}}` - Download all the packages listed as dependencies in `package.json`: @@ -18,11 +18,11 @@ - Download the latest version of a package and add it to the list of dev dependencies in `package.json`: -`npm install {{package_name}} --save-dev` +`npm install {{package_name}} {{-D|--save-dev}}` - Download the latest version of a package and install it globally: -`npm install --global {{package_name}}` +`npm install {{-g|--global}} {{package_name}}` - Uninstall a package and remove it from the list of dependencies in `package.json`: @@ -34,4 +34,4 @@ - List top-level globally installed packages: -`npm list --global --depth={{0}}` +`npm list {{-g|--global}} --depth {{0}}` diff --git a/pages/common/ntfyme.md b/pages/common/ntfyme.md new file mode 100644 index 000000000..abe71bdef --- /dev/null +++ b/pages/common/ntfyme.md @@ -0,0 +1,37 @@ +# ntfyme + +> A notification tool to track and notify you about your long-running termination process. +> Send notifications with success/error messages with Gmail, Telegram, and more. +> More information: . + +- Directly run your command: + +`ntfyme exec {{-c|--cmd}} {{command}}` + +- Pipe your command and run: + +`echo {{command}} | ntfyme exec` + +- Run multiple commands by enclosing them in quotes: + +`echo "{{command1; command2; command3}}" | ntfyme exec` + +- Track and terminate the process after prolonged suspension: + +`ntfyme exec {{-t|--track-process}} {{-c|--cmd}} {{command}}` + +- Setup the tool configurations interactively: + +`ntfyme setup` + +- Encrypt your password: + +`ntfyme enc` + +- See the log history: + +`ntfyme log` + +- Open and edit the configuration file: + +`ntfyme config` diff --git a/pages/common/nuclei.md b/pages/common/nuclei.md index a606fe347..cbe8ab012 100644 --- a/pages/common/nuclei.md +++ b/pages/common/nuclei.md @@ -1,9 +1,9 @@ # nuclei > Fast and customizable vulnerability scanner based on a simple YAML based DSL. -> More information: . +> More information: . -- [u]pdate `nuclei` [t]emplates to the latest released version: +- [u]pdate `nuclei` [t]emplates to the latest released version (will be downloaded to `~/nuclei-templates`): `nuclei -ut` diff --git a/pages/common/numfmt.md b/pages/common/numfmt.md index 6915b690d..dd001f4fa 100644 --- a/pages/common/numfmt.md +++ b/pages/common/numfmt.md @@ -5,12 +5,12 @@ - Convert 1.5K (SI Units) to 1500: -`numfmt --from={{si}} {{1.5K}}` +`numfmt --from=si 1.5K` - Convert 5th field (1-indexed) to IEC Units without converting header: -`ls -l | numfmt --header={{1}} --field={{5}} --to={{iec}}` +`ls -l | numfmt --header=1 --field=5 --to=iec` - Convert to IEC units, pad with 5 characters, left aligned: -`du -s * | numfmt --to={{iec}} --format="{{%-5f}}"` +`du -s * | numfmt --to=iec --format="%-5f"` diff --git a/pages/common/nvm.fish.md b/pages/common/nvm.fish.md index 2d7d37da8..fad67c40c 100644 --- a/pages/common/nvm.fish.md +++ b/pages/common/nvm.fish.md @@ -1,6 +1,6 @@ # nvm -> Install, uninstall, or switch between Node.js versions under the `fish` shell. +> Install, uninstall, or switch between Node.js versions under the fish shell. > Supports version numbers like "12.8" or "v16.13.1", and labels like "stable", "system", etc. > More information: . diff --git a/pages/common/nxc-ftp.md b/pages/common/nxc-ftp.md new file mode 100644 index 000000000..d8248e63f --- /dev/null +++ b/pages/common/nxc-ftp.md @@ -0,0 +1,24 @@ +# nxc ftp + +> Pentest and exploit FTP servers. +> More information: . + +- Search for valid credentials by trying out every combination in the specified lists of [u]sernames and [p]asswords: + +`nxc ftp {{192.168.178.2}} -u {{path/to/usernames.txt}} -p {{path/to/passwords.txt}}` + +- Continue searching for valid credentials even after valid credentials have been found: + +`nxc ftp {{192.168.178.2}} -u {{path/to/usernames.txt}} -p {{path/to/passwords.txt}} --continue-on-success` + +- Perform directory listings on each FTP server the supplied credentials are valid on: + +`nxc ftp {{192.168.178.0/24}} -u {{username}} -p {{password}} --ls` + +- Download the specified file from the target server: + +`nxc ftp {{192.168.178.2}} -u {{username}} -p {{password}} --get {{path/to/file}}` + +- Upload the specified file to the target server at the specified location: + +`nxc ftp {{192.168.178.2}} -u {{username}} -p {{password}} --put {{path/to/local_file}} {{path/to/remote_location}}` diff --git a/pages/common/nxc-ldap.md b/pages/common/nxc-ldap.md new file mode 100644 index 000000000..8134b55f9 --- /dev/null +++ b/pages/common/nxc-ldap.md @@ -0,0 +1,24 @@ +# nxc ldap + +> Pentest and exploit Windows Active Directory Domains via LDAP. +> More information: . + +- Search for valid domain credentials by trying out every combination in the specified lists of [u]sernames and [p]asswords: + +`nxc ldap {{192.168.178.2}} -u {{path/to/usernames.txt}} -p {{path/to/passwords.txt}}` + +- Enumerate active domain users: + +`nxc ldap {{192.168.178.2}} -u {{username}} -p {{password}} --active-users` + +- Collect data about the targeted domain and automatically import these data into BloodHound: + +`nxc ldap {{192.168.178.2}} -u {{username}} -p {{password}} --bloodhound --collection {{All}}` + +- Attempt to collect AS_REP messages for the specified user in order to perform an ASREPRoasting attack: + +`nxc ldap {{192.168.178.2}} -u {{username}} -p '' --asreproast {{path/to/output.txt}}` + +- Attempt to extract the passwords of group managed service accounts on the domain: + +`nxc ldap {{192.168.178.2}} -u {{username}} -p {{password}} --gmsa` diff --git a/pages/common/nxc-smb.md b/pages/common/nxc-smb.md new file mode 100644 index 000000000..871e40e3e --- /dev/null +++ b/pages/common/nxc-smb.md @@ -0,0 +1,28 @@ +# nxc smb + +> Pentest and exploit SMB servers. +> More information: . + +- Search for valid domain credentials by trying out every combination in the specified lists of [u]sernames and [p]asswords: + +`nxc smb {{192.168.178.2}} -u {{path/to/usernames.txt}} -p {{path/to/passwords.txt}}` + +- Search for valid credentials for local accounts instead of domain accounts: + +`nxc smb {{192.168.178.2}} -u {{path/to/usernames.txt}} -p {{path/to/passwords.txt}} --local-auth` + +- Enumerate SMB shares and the specified users' access rights to them on the target hosts: + +`nxc smb {{192.168.178.0/24}} -u {{username}} -p {{password}} --shares` + +- Enumerate network interfaces on the target hosts, performing authentication via pass-the-hash: + +`nxc smb {{192.168.178.30-45}} -u {{username}} -H {{NTLM_hash}} --interfaces` + +- Scan the target hosts for common vulnerabilities: + +`nxc smb {{path/to/target_list.txt}} -u '' -p '' -M zerologon -M petitpotam` + +- Attempt to execute a command on the target hosts: + +`nxc smb {{192.168.178.2}} -u {{username}} -p {{password}} -x {{command}}` diff --git a/pages/common/nxc-ssh.md b/pages/common/nxc-ssh.md new file mode 100644 index 000000000..ce4e43310 --- /dev/null +++ b/pages/common/nxc-ssh.md @@ -0,0 +1,25 @@ +# nxc ssh + +> Pentest and exploit SSH servers. +> See also: `hydra`. +> More information: . + +- Spray the specified [p]assword against a list of [u]sernames on the specified target: + +`nxc ssh {{192.168.178.2}} -u {{path/to/usernames.txt}} -p {{password}}` + +- Search for valid credentials by trying out every combination in the specified lists of [u]sernames and [p]asswords: + +`nxc ssh {{192.168.178.2}} -u {{path/to/usernames.txt}} -p {{path/to/passwords.txt}}` + +- Use the specified private key for authentication, using the supplied [p]assword as the key's passphrase: + +`nxc ssh {{192.186.178.2}} -u {{path/to/usernames.txt}} -p {{password}} --key-file {{path/to/id_rsa}}` + +- Try a combination of [u]sername and [p]assword on a number of targets: + +`nxc ssh {{192.168.178.0/24}} -u {{username}} -p {{password}}` + +- Check for `sudo` privileges on a successful login: + +`nxc ssh {{192.168.178.2}} -u {{username}} -p {{path/to/passwords.txt}} --sudo-check` diff --git a/pages/common/nxc.md b/pages/common/nxc.md new file mode 100644 index 000000000..eb74c48f6 --- /dev/null +++ b/pages/common/nxc.md @@ -0,0 +1,21 @@ +# nxc + +> Network service enumeration and exploitation tool. +> Some subcommands such as `nxc smb` have their own usage documentation. +> More information: . + +- [L]ist available modules for the specified protocol: + +`nxc {{smb|ssh|ldap|ftp|wmi|winrm|rdp|vnc|mssql}} -L` + +- List the options available for the specified module: + +`nxc {{smb|ssh|ldap|ftp|wmi|winrm|rdp|vnc|mssql}} -M {{module_name}} --options` + +- Specify an option for a module: + +`nxc {{smb|ssh|ldap|ftp|wmi|winrm|rdp|vnc|mssql}} -M {{module_name}} -o {{OPTION_NAME}}={{option_value}}` + +- View the options available for the specified protocol: + +`nxc {{smb|ssh|ldap|ftp|wmi|winrm|rdp|vnc|mssql}} --help` diff --git a/pages/common/octez-client.md b/pages/common/octez-client.md new file mode 100644 index 000000000..882f904f2 --- /dev/null +++ b/pages/common/octez-client.md @@ -0,0 +1,32 @@ +# octez-client + +> Interact with the Tezos blockchain. +> More information: . + +- Configure the client with a connection to a Tezos RPC node such as : + +`octez-client -E {{endpoint}} config update` + +- Create an account and assign a local alias to it: + +`octez-client gen keys {{alias}}` + +- Get the balance of an account by alias or address: + +`octez-client get balance for {{alias_or_address}}` + +- Transfer tez to a different account: + +`octez-client transfer {{5}} from {{alias|address}} to {{alias|address}}` + +- Originate (deploy) a smart contract, assign it a local alias, and set its initial storage as a Michelson-encoded value: + +`octez-client originate contract {{alias}} transferring {{0}} from {{alias|address}} running {{path/to/source_file.tz}} --init "{{initial_storage}}" --burn_cap {{1}}` + +- Call a smart contract by its alias or address and pass a Michelson-encoded parameter: + +`octez-client transfer {{0}} from {{alias|address}} to {{contract}} --entrypoint "{{entrypoint}}" --arg "{{parameter}}" --burn-cap {{1}}` + +- Display help: + +`octez-client man` diff --git a/pages/common/od.md b/pages/common/od.md index 36f14395b..d37490cbb 100644 --- a/pages/common/od.md +++ b/pages/common/od.md @@ -26,4 +26,4 @@ - Read only 100 bytes of a file starting from the 500th byte: -`od --read-bytes {{100}} --skip-bytes={{500}} -v {{path/to/file}}` +`od --read-bytes 100 --skip-bytes=500 -v {{path/to/file}}` diff --git a/pages/common/ollama.md b/pages/common/ollama.md index acede9871..311c6320b 100644 --- a/pages/common/ollama.md +++ b/pages/common/ollama.md @@ -1,7 +1,7 @@ # ollama > A large language model runner. -> More information: . +> More information: . - Start the daemon required to run other commands: @@ -19,10 +19,18 @@ `ollama list` +- Pull/Update a specific model: + +`ollama pull {{model}}` + +- Upgrade Ollama on Linux: + +`curl -fsSL https://ollama.com/install.sh | sh` + - Delete a model: `ollama rm {{model}}` -- Create a model from a `Modelfile`: +- Create a model from a `Modelfile` ([f]): `ollama create {{new_model_name}} -f {{path/to/Modelfile}}` diff --git a/pages/common/open.fish.md b/pages/common/open.fish.md index 5ae4dabc8..4a2b14d6d 100644 --- a/pages/common/open.fish.md +++ b/pages/common/open.fish.md @@ -1,7 +1,7 @@ # open > Opens files, directories, and URIs with default applications. -> This command is available through `fish` on operating systems without the built-in `open` command (e.g. Haiku and macOS). +> This command is available through fish on operating systems without the built-in `open` command (e.g. Haiku and macOS). > More information: . - Open a file with the associated application: diff --git a/pages/common/open.md b/pages/common/open.md index d1339436f..75d9eb9ee 100644 --- a/pages/common/open.md +++ b/pages/common/open.md @@ -6,6 +6,6 @@ `tldr open -p osx` -- View documentation for the command available through `fish`: +- View documentation for the command available through fish: `tldr open.fish` diff --git a/pages/common/osage.md b/pages/common/osage.md index a198b62f6..b63993bab 100644 --- a/pages/common/osage.md +++ b/pages/common/osage.md @@ -4,19 +4,19 @@ > Layouts: `dot`, `neato`, `twopi`, `circo`, `fdp`, `sfdp`, `osage` & `patchwork`. > More information: . -- Render a `png` image with a filename based on the input filename and output format (uppercase -O): +- Render a PNG image with a filename based on the input filename and output format (uppercase -O): `osage -T {{png}} -O {{path/to/input.gv}}` -- Render a `svg` image with the specified output filename (lowercase -o): +- Render a SVG image with the specified output filename (lowercase -o): `osage -T {{svg}} -o {{path/to/image.svg}} {{path/to/input.gv}}` -- Render the output in `ps`, `pdf`, `svg`, `fig`, `png`, `gif`, `jpg`, `json`, or `dot` format: +- Render the output in PS, PDF, SVG, Fig, PNG, GIF, JPEG, JSON, or DOT format: `osage -T {{format}} -O {{path/to/input.gv}}` -- Render a `gif` image using `stdin` and `stdout`: +- Render a GIF image using `stdin` and `stdout`: `echo "{{digraph {this -> that} }}" | osage -T {{gif}} > {{path/to/image.gif}}` diff --git a/pages/common/osv-scanner.md b/pages/common/osv-scanner.md index a532775f2..5a1c6c0a1 100644 --- a/pages/common/osv-scanner.md +++ b/pages/common/osv-scanner.md @@ -3,7 +3,7 @@ > Scan various mediums for dependencies and matches them against the OSV database. > More information: . -- Scan a docker image: +- Scan a Docker image: `osv-scanner -D {{docker_image_name}}` diff --git a/pages/common/packwiz.md b/pages/common/packwiz.md index 3758082f8..3a9cefb08 100644 --- a/pages/common/packwiz.md +++ b/pages/common/packwiz.md @@ -19,6 +19,6 @@ `packwiz refresh` -- Export as a Modrinth (`.mrpack`) or Curseforge (`.zip`) file: +- Export as a Modrinth (`.mrpack`) or Curseforge (Zip) file: `packwiz {{modrinth|curseforge}} export` diff --git a/pages/common/pactl.md b/pages/common/pactl.md index 2ee0e3657..136e7a478 100644 --- a/pages/common/pactl.md +++ b/pages/common/pactl.md @@ -3,6 +3,10 @@ > Control a running PulseAudio sound server. > More information: . +- Show information about the sound server: + +`pactl info` + - List all sinks (or other types - sinks are outputs and sink-inputs are active audio streams): `pactl list {{sinks}} short` diff --git a/pages/common/pamfix.md b/pages/common/pamfix.md new file mode 100644 index 000000000..d42cee8a9 --- /dev/null +++ b/pages/common/pamfix.md @@ -0,0 +1,17 @@ +# pamfix + +> Fix errors in PAM, PBM, PGM and PPM files. +> See also: `pamfile`, `pamvalidate`. +> More information: . + +- Fix a Netpbm file that is missing its last part: + +`pamfix -truncate {{path/to/corrupted.ext}} > {{path/to/output.ext}}` + +- Fix a Netpbm file where pixel values exceed the image's `maxval` by lowering the offending pixels' values: + +`pamfix -clip {{path/to/corrupted.ext}} > {{path/to/output.ext}}` + +- Fix a Netpbm file where pixel values exceed the image's `maxval` by increasing it: + +`pamfix -changemaxval {{path/to/corrupted.pam|pbm|pgm|ppm}} > {{path/to/output.pam|pbm|pgm|ppm}}` diff --git a/pages/common/pamfixtrunc.md b/pages/common/pamfixtrunc.md new file mode 100644 index 000000000..cd892c1ff --- /dev/null +++ b/pages/common/pamfixtrunc.md @@ -0,0 +1,8 @@ +# pamfixtrunc + +> This command is superseded by `pamfix -truncate`. +> More information: . + +- View documentation for the current command: + +`tldr pamfix` diff --git a/pages/common/pamvalidate.md b/pages/common/pamvalidate.md new file mode 100644 index 000000000..cc90a8e4d --- /dev/null +++ b/pages/common/pamvalidate.md @@ -0,0 +1,9 @@ +# pamvalidate + +> Validate PAM, PGM, PBM and PPM files. +> See also: `pamfile`, `pamfix`. +> More information: . + +- Copy a Netpbm file from `stdin` to `stdout` if and only if it valid; fail otherwise: + +`{{command}} | pamvalidate > {{path/to/output.ext}}` diff --git a/pages/common/pants.md b/pages/common/pants.md new file mode 100644 index 000000000..e1d140af2 --- /dev/null +++ b/pages/common/pants.md @@ -0,0 +1,32 @@ +# pants + +> Fast, scalable, user-friendly, open-source build and developer workflow tool. +> More information: . + +- List all targets: + +`pants list ::` + +- Run all tests: + +`pants test ::` + +- Fix, format, and lint only uncommitted files: + +`pants --changed-since=HEAD fix fmt lint` + +- Typecheck only uncommitted files and their dependents: + +`pants --changed-since=HEAD --changed-dependents=transitive check` + +- Create a distributable package for the specified target: + +`pants package {{path/to/directory:target-name}}` + +- Auto-generate BUILD file targets for new source files: + +`pants tailor ::` + +- Display help: + +`pants help` diff --git a/pages/common/par2.md b/pages/common/par2.md new file mode 100644 index 000000000..0535c782a --- /dev/null +++ b/pages/common/par2.md @@ -0,0 +1,20 @@ +# par2 + +> File verification and repair using PAR 2.0 compatible parity archives (.par2 files). +> More information: . + +- Create a parity archive with a set percentage level of redundancy: + +`par2 create -r{{1..100}} -- {{path/to/file}}` + +- Create a parity archive with a chosen number of volume files (in addition to the index file): + +`par2 create -n{{1..32768}} -- {{path/to/file}}` + +- Verify a file with a parity archive: + +`par2 verify -- {{path/to/file.par2}}` + +- Repair a file with a parity archive: + +`par2 repair -- {{path/to/file.par2}}` diff --git a/pages/common/parallel.md b/pages/common/parallel.md index 9377f35c3..352fab201 100644 --- a/pages/common/parallel.md +++ b/pages/common/parallel.md @@ -11,7 +11,7 @@ `ls *.txt | parallel -j4 gzip` -- Convert JPG images to PNG using replacement strings: +- Convert JPEG images to PNG using replacement strings: `parallel convert {} {.}.png ::: *.jpg` diff --git a/pages/common/passwd.md b/pages/common/passwd.md index efb2ba672..621ea341d 100644 --- a/pages/common/passwd.md +++ b/pages/common/passwd.md @@ -13,8 +13,8 @@ - Get the current status of the user: -`passwd -S` +`passwd {{-S|--status}}` - Make the password of the account blank (it will set the named account passwordless): -`passwd -d` +`passwd {{-d|--delete}}` diff --git a/pages/common/paste.md b/pages/common/paste.md index 4a25a1a97..4bc4fa5df 100644 --- a/pages/common/paste.md +++ b/pages/common/paste.md @@ -13,12 +13,12 @@ - Merge two files side by side, each in its column, using TAB as delimiter: -`paste {{file1}} {{file2}}` +`paste {{path/to/file1}} {{path/to/file2}}` - Merge two files side by side, each in its column, using the specified delimiter: -`paste -d {{delimiter}} {{file1}} {{file2}}` +`paste -d {{delimiter}} {{path/to/file1}} {{path/to/file2}}` - Merge two files, with lines added alternatively: -`paste -d '\n' {{file1}} {{file2}}` +`paste -d '\n' {{path/to/file1}} {{path/to/file2}}` diff --git a/pages/common/patchwork.md b/pages/common/patchwork.md index cfe0ff360..bb2ef2c5b 100644 --- a/pages/common/patchwork.md +++ b/pages/common/patchwork.md @@ -4,15 +4,15 @@ > Layouts: `dot`, `neato`, `twopi`, `circo`, `fdp`, `sfdp`, `osage` & `patchwork`. > More information: . -- Render a `png` image with a filename based on the input filename and output format (uppercase -O): +- Render a PNG image with a filename based on the input filename and output format (uppercase -O): `patchwork -T {{png}} -O {{path/to/input.gv}}` -- Render a `svg` image with the specified output filename (lowercase -o): +- Render a SVG image with the specified output filename (lowercase -o): `patchwork -T {{svg}} -o {{path/to/image.svg}} {{path/to/input.gv}}` -- Render the output in `ps`, `pdf`, `svg`, `fig`, `png`, `gif`, `jpg`, `json`, or `dot` format: +- Render the output in PS, PDF, SVG, Fig, PNG, GIF, JPEG, JSON, or DOT format: `patchwork -T {{format}} -O {{path/to/input.gv}}` diff --git a/pages/common/pbmtopi3.md b/pages/common/pbmtopi3.md new file mode 100644 index 000000000..66d6d8d12 --- /dev/null +++ b/pages/common/pbmtopi3.md @@ -0,0 +1,9 @@ +# pbmtopi3 + +> Convert a PBM image to an Atari Degas PI3 image. +> See also: `pi3topbm`. +> More information: . + +- Convert a PBM image to an Atari Degas PI3 image: + +`pbmtopi3 {{path/to/image.pbm}} > {{path/to/atari_image.pi3}}` diff --git a/pages/common/pcapfix.md b/pages/common/pcapfix.md index 0ec6ccfea..557c21826 100644 --- a/pages/common/pcapfix.md +++ b/pages/common/pcapfix.md @@ -1,21 +1,21 @@ # pcapfix -> Repair damaged or corrupted `pcap` and `pcapng` files. +> Repair damaged or corrupted PCAP and PcapNG files. > More information: . -- Repair a `pcap`/`pcapng` file (Note: for `pcap` files, only the first 262144 bytes of each packet are scanned): +- Repair a PCAP/PCapNG file (Note: for PCAP files, only the first 262144 bytes of each packet are scanned): `pcapfix {{path/to/file.pcapng}}` -- Repair an entire `pcap` file: +- Repair an entire PCAP file: `pcapfix --deep-scan {{path/to/file.pcap}}` -- Repair a `pcap`/`pcapng` file and write the repaired file to the specified location: +- Repair a PCAP/PcapNG file and write the repaired file to the specified location: `pcapfix --outfile {{path/to/repaired.pcap}} {{path/to/file.pcap}}` -- Repair a `pcapng` file and treat it as a `pcapng` file, ignoring the automatic recognition: +- Treat the specified file as a PcapNG file, ignoring automatic recognition: `pcapfix --pcapng {{path/to/file.pcapng}}` diff --git a/pages/common/pcdovtoppm.md b/pages/common/pcdovtoppm.md index 0e9dde660..8be3fdde8 100644 --- a/pages/common/pcdovtoppm.md +++ b/pages/common/pcdovtoppm.md @@ -17,4 +17,4 @@ - Use the specified [f]ont for annotations and paint the background [w]hite: -`pcdovtoppm -a {{number}} -w {{path/to/file.pcd}} > {{path/to/output.ppm}}` +`pcdovtoppm -f {{font}} -w {{path/to/file.pcd}} > {{path/to/output.ppm}}` diff --git a/pages/common/pdftocairo.md b/pages/common/pdftocairo.md index ab0d95320..8ccf93630 100644 --- a/pages/common/pdftocairo.md +++ b/pages/common/pdftocairo.md @@ -1,6 +1,6 @@ # pdftocairo -> Converts PDF files to PNG/JPEG/TIFF/PDF/PS/EPS/SVG using cairo. +> Convert PDF files to PNG/JPEG/TIFF/PDF/PS/EPS/SVG using cairo. > More information: . - Convert a PDF file to JPEG: diff --git a/pages/common/perldoc.md b/pages/common/perldoc.md index ed7586f91..4a538001e 100644 --- a/pages/common/perldoc.md +++ b/pages/common/perldoc.md @@ -7,7 +7,7 @@ `perldoc -{{f|v|a}} {{name}}` -- Search in the the question headings of Perl FAQ: +- Search in the question headings of Perl FAQ: `perldoc -q {{regex}}` diff --git a/pages/common/pg_dumpall.md b/pages/common/pg_dumpall.md index c8f4feedf..bb361537a 100644 --- a/pages/common/pg_dumpall.md +++ b/pages/common/pg_dumpall.md @@ -9,19 +9,15 @@ - Dump all databases using a specific username: -`pg_dumpall --username={{username}} > {{path/to/file.sql}}` +`pg_dumpall {{-U|--username}} {{username}} > {{path/to/file.sql}}` - Same as above, customize host and port: `pg_dumpall -h {{host}} -p {{port}} > {{output_file.sql}}` -- Dump all databases into a custom-format archive file with moderate compression: - -`pg_dumpall -Fc > {{output_file.dump}}` - - Dump only database data into an SQL-script file: -`pg_dumpall --data-only > {{path/to/file.sql}}` +`pg_dumpall {{-a|--data-only}} > {{path/to/file.sql}}` - Dump only schema (data definitions) into an SQL-script file: diff --git a/pages/common/pgrep.md b/pages/common/pgrep.md index a721c5087..f1ceca2c8 100644 --- a/pages/common/pgrep.md +++ b/pages/common/pgrep.md @@ -1,7 +1,7 @@ # pgrep > Find or signal processes by name. -> More information: . +> More information: . - Return PIDs of any running processes with a matching command string: diff --git a/pages/common/pi1toppm.md b/pages/common/pi1toppm.md new file mode 100644 index 000000000..468e263fe --- /dev/null +++ b/pages/common/pi1toppm.md @@ -0,0 +1,9 @@ +# pi1toppm + +> Convert an Atari Degas PI1 image to a PPM image. +> See also: `ppmtopi1`. +> More information: . + +- Convert an Atari Degas PI1 image into PPM image: + +`pi1toppm {{path/to/atari_image.pi1}} > {{path/to/image.ppm}}` diff --git a/pages/common/pi3topbm.md b/pages/common/pi3topbm.md new file mode 100644 index 000000000..d06102a2a --- /dev/null +++ b/pages/common/pi3topbm.md @@ -0,0 +1,9 @@ +# pi3topbm + +> Convert an Atari Degas PI3 image to PBM image. +> See also: `pbmtopi3`. +> More information: . + +- Convert an Atari Degas PI3 image to PBM image: + +`pi1topbm {{path/to/atari_image.pi3}} > {{path/to/output_image.pbm}}` diff --git a/pages/common/ping.md b/pages/common/ping.md index 00d495d7c..545342209 100644 --- a/pages/common/ping.md +++ b/pages/common/ping.md @@ -26,3 +26,7 @@ - Also display a message if no response was received: `ping -O {{host}}` + +- Ping a host with specific number of pings, timeout (`-W`) for each reply, and total time limit (`-w`) of the entire ping run: + +`ping -c {{count}} -W {{seconds}} -w {{seconds}} {{host}}` diff --git a/pages/common/pio-system.md b/pages/common/pio-system.md index fb5879ff5..ac1ed92c6 100644 --- a/pages/common/pio-system.md +++ b/pages/common/pio-system.md @@ -3,7 +3,7 @@ > Miscellaneous system commands for PlatformIO. > More information: . -- Install shell completion for the current shell (supports Bash, Fish, Zsh and PowerShell): +- Install shell completion for the current shell (supports Bash, fish, Zsh and PowerShell): `pio system completion install` diff --git a/pages/common/pipenv.md b/pages/common/pipenv.md index 0cfebb801..5bb5735d4 100644 --- a/pages/common/pipenv.md +++ b/pages/common/pipenv.md @@ -1,7 +1,7 @@ # pipenv > Simple and unified Python development workflow. -> Manages packages and the virtual environment for a project. +> Manage packages and the virtual environment for a project. > More information: . - Create a new project: diff --git a/pages/common/piper.md b/pages/common/piper.md new file mode 100644 index 000000000..3b339ba33 --- /dev/null +++ b/pages/common/piper.md @@ -0,0 +1,25 @@ +# piper + +> A fast, local neural text to speech system. +> Try out and download speech models from . +> More information: . + +- Output a WAV [f]ile using a text-to-speech [m]odel (assuming a config file at model_path + .json): + +`echo {{Thing to say}} | piper -m {{path/to/model.onnx}} -f {{outputfile.wav}}` + +- Output a WAV [f]ile using a [m]odel and specifying its JSON [c]onfig file: + +`echo {{'Thing to say'}} | piper -m {{path/to/model.onnx}} -c {{path/to/model.onnx.json}} -f {{outputfile.wav}}` + +- Select a particular speaker in a voice with multiple speakers by specifying the speaker's ID number: + +`echo {{'Warum?'}} | piper -m {{de_DE-thorsten_emotional-medium.onnx}} --speaker {{1}} -f {{angry.wav}}` + +- Stream the output to the mpv media player: + +`echo {{'Hello world'}} | piper -m {{en_GB-northern_english_male-medium.onnx}} --output-raw -f - | mpv -` + +- Speak twice as fast, with huge gaps between sentences: + +`echo {{'Speaking twice the speed. With added drama!'}} | piper -m {{foo.onnx}} --length_scale {{0.5}} --sentence_silence {{2}} -f {{drama.wav}}` diff --git a/pages/common/pipx.md b/pages/common/pipx.md index 04e8fc46c..ba8fc172c 100644 --- a/pages/common/pipx.md +++ b/pages/common/pipx.md @@ -26,3 +26,7 @@ - Install a package in a virtual environment with pip arguments: `pipx install --pip-args='{{pip-args}}' {{package}}` + +- Upgrade/reinstall/uninstall all installed packages: + +`pipx {{upgrade-all|uninstall-all|reinstall-all}}` diff --git a/pages/common/pixi-config.md b/pages/common/pixi-config.md new file mode 100644 index 000000000..5dc8c6835 --- /dev/null +++ b/pages/common/pixi-config.md @@ -0,0 +1,28 @@ +# pixi config + +> Manage the configuration file. +> More information: . + +- Edit the configuration file: + +`pixi config edit` + +- List all configurations: + +`pixi config list` + +- Prepend a value to a list configuration key: + +`pixi config prepend {{key}} {{value}}` + +- Append a value to a list configuration key: + +`pixi config append {{key}} {{value}}` + +- Set a configuration key to a value: + +`pixi config set {{key}} {{value}}` + +- Unset a configuration key: + +`pixi config unset {{key}}` diff --git a/pages/common/pixi-global.md b/pages/common/pixi-global.md new file mode 100644 index 000000000..a7fb2648c --- /dev/null +++ b/pages/common/pixi-global.md @@ -0,0 +1,24 @@ +# pixi global + +> Manage global packages. +> More information: . + +- Install a package globally and add to path: + +`pixi global install {{package1 package2 ...}}` + +- Uninstall a package globally: + +`pixi global remove {{package1 package2 ...}}` + +- List all globally installed packages: + +`pixi global list` + +- Update a globally installed package: + +`pixi global upgrade {{package}}` + +- Update all globally installed packages: + +`pixi global upgrade-all` diff --git a/pages/common/pixi-project.md b/pages/common/pixi-project.md new file mode 100644 index 000000000..94efb95b1 --- /dev/null +++ b/pages/common/pixi-project.md @@ -0,0 +1,24 @@ +# pixi project + +> Modify the project configuration file. +> More information: . + +- Manage project channels: + +`pixi project channel {{command}}` + +- Manage project description: + +`pixi project description {{command}}` + +- Manage project platform: + +`pixi project platform {{command}}` + +- Manage project version: + +`pixi project version {{command}}` + +- Manage project environment: + +`pixi project environment {{command}}` diff --git a/pages/common/pixi-task.md b/pages/common/pixi-task.md new file mode 100644 index 000000000..0644b1dd1 --- /dev/null +++ b/pages/common/pixi-task.md @@ -0,0 +1,20 @@ +# pixi task + +> Manage tasks in the project environment. +> More information: . + +- Create a new task: + +`pixi task add {{task_name}} {{task_command}}` + +- List all tasks in the project: + +`pixi task list` + +- Remove a task: + +`pixi task remove {{task_name}}` + +- Create an alias for a task: + +`pixi task alias {{alias_name}} {{task1 task2 ...}}` diff --git a/pages/common/pixi.md b/pages/common/pixi.md new file mode 100644 index 000000000..1d65dde57 --- /dev/null +++ b/pages/common/pixi.md @@ -0,0 +1,32 @@ +# pixi + +> Developer Workflow and Environment Management for projects. +> More information: . + +- Initialize a new project: + +`pixi init {{path/to/project}}` + +- Add project dependencies: + +`pixi add {{dependency1 dependency2 ...}}` + +- Start a pixi shell in the project environment: + +`pixi shell` + +- Run a task in the project environment: + +`pixi run {{task}}` + +- Manage tasks in the project environment: + +`pixi task {{command}}` + +- Print the help message: + +`pixi {{command}} --help` + +- Clean environment and task cache: + +`pixi clean` diff --git a/pages/common/pkill.md b/pages/common/pkill.md index 175a464c9..bd230985b 100644 --- a/pages/common/pkill.md +++ b/pages/common/pkill.md @@ -2,7 +2,7 @@ > Signal process by name. > Mostly used for stopping processes. -> More information: . +> More information: . - Kill all processes which match: diff --git a/pages/common/plantuml.md b/pages/common/plantuml.md index a1ca3a59e..57a444d23 100644 --- a/pages/common/plantuml.md +++ b/pages/common/plantuml.md @@ -19,6 +19,14 @@ `plantuml -o {{path/to/output}} {{diagram.puml}}` +- Render a diagram without storing the diagram's source code (Note: It's stored by default when the `-nometadata` option isn't specified): + +`plantuml -nometadata {{diagram.png}} > {{diagram.puml}}` + +- Retrieve source from a `plantuml` diagram's metadata: + +`plantuml -metadata {{diagram.png}} > {{diagram.puml}}` + - Render a diagram with the configuration file: `plantuml -config {{config.cfg}} {{diagram.puml}}` diff --git a/pages/common/pngcheck.md b/pages/common/pngcheck.md index 7512ed34b..5dad0710e 100644 --- a/pages/common/pngcheck.md +++ b/pages/common/pngcheck.md @@ -5,15 +5,15 @@ - Print a summary for an image (width, height, and color depth): -`pngcheck {{image.png}}` +`pngcheck {{path/to/image.png}}` - Print information for an image with [c]olorized output: -`pngcheck -c {{image.png}}` +`pngcheck -c {{path/to/image.png}}` - Print [v]erbose information for an image: -`pngcheck -cvt {{image.png}}` +`pngcheck -cvt {{path/to/image.png}}` - Receive an image from `stdin` and display detailed information: @@ -21,8 +21,8 @@ - [s]earch for PNGs within a specific file and display information about them: -`pngcheck -s {{image.png}}` +`pngcheck -s {{path/to/image.png}}` - Search for PNGs within another file and e[x]tract them: -`pngcheck -x {{image.png}}` +`pngcheck -x {{path/to/image.png}}` diff --git a/pages/common/pnmtojpeg.md b/pages/common/pnmtojpeg.md index b81cad648..4a3222a99 100644 --- a/pages/common/pnmtojpeg.md +++ b/pages/common/pnmtojpeg.md @@ -1,6 +1,6 @@ # pnmtojpeg -> Converts a PNM image file to the JPEG/JFIF/EXIF image format. +> Convert a PNM image file to the JPEG/JFIF/EXIF image format. > More information: . - Read a PNM image as input and produce a JPEG/JFIF/EXIF image as output: diff --git a/pages/common/pnmtopng.md b/pages/common/pnmtopng.md index 9c28ebd9f..1e06c2dc9 100644 --- a/pages/common/pnmtopng.md +++ b/pages/common/pnmtopng.md @@ -1,6 +1,6 @@ # pnmtopng -> Converts a PNM image file to PNG image format. +> Convert a PNM image file to PNG image format. > More information: . - Read a PNM image as input and produce a PNG image as output: diff --git a/pages/common/pnpx.md b/pages/common/pnpx.md index 21231ed4f..74a3bc969 100644 --- a/pages/common/pnpx.md +++ b/pages/common/pnpx.md @@ -1,7 +1,8 @@ # pnpx > Directly execute binaries from npm packages, using `pnpm` instead of `npm`. -> More information: . +> Note: This command is deprecated! Use `pnpm exec` and `pnpm dlx` instead. +> More information: . - Execute the binary from a given npm module: diff --git a/pages/common/podman-ps.md b/pages/common/podman-ps.md index 01ac8cc31..0c6818e27 100644 --- a/pages/common/podman-ps.md +++ b/pages/common/podman-ps.md @@ -3,11 +3,11 @@ > List Podman containers. > More information: . -- List currently running podman containers: +- List currently running Podman containers: `podman ps` -- List all podman containers (running and stopped): +- List all Podman containers (running and stopped): `podman ps --all` diff --git a/pages/common/ppmtopi1.md b/pages/common/ppmtopi1.md new file mode 100644 index 000000000..306eeb81a --- /dev/null +++ b/pages/common/ppmtopi1.md @@ -0,0 +1,9 @@ +# ppmtopi1 + +> Convert a PPM image to an Atari Degas PI1 image. +> See also: `pi1toppm`. +> More information: . + +- Convert a PPM image into an Atari Degas PI1 image: + +`ppmtopi1 {{path/to/image.ppm}} > {{path/to/output_image.pi1}}` diff --git a/pages/common/pr.md b/pages/common/pr.md index 5014b29cf..45bbfd1fa 100644 --- a/pages/common/pr.md +++ b/pages/common/pr.md @@ -21,7 +21,7 @@ - Print, beginning at page 2 up to page 5, with a given page length (including header and footer): -`pr +{{2}}:{{5}} -l {{page_length}} {{path/to/file1 path/to/file2 ...}}` +`pr +2:5 -l {{page_length}} {{path/to/file1 path/to/file2 ...}}` - Print with an offset for each line and a truncating custom page width: diff --git a/pages/common/printf.md b/pages/common/printf.md index 845811d44..2db59558c 100644 --- a/pages/common/printf.md +++ b/pages/common/printf.md @@ -19,7 +19,7 @@ `printf "{{var1: %s\tvar2: %s\n}}" "{{$VAR1}}" "{{$VAR2}}"` -- Store a formatted message in a variable (does not work on zsh): +- Store a formatted message in a variable (does not work on Zsh): `printf -v {{myvar}} {{"This is %s = %d\n" "a year" 2016}}` diff --git a/pages/common/procs.md b/pages/common/procs.md index e22644f0d..e3bd5cd44 100644 --- a/pages/common/procs.md +++ b/pages/common/procs.md @@ -11,7 +11,7 @@ `procs --tree` -- List information about processes, if the commands which started them contain `zsh`: +- List information about processes, if the commands which started them contain Zsh: `procs {{zsh}}` diff --git a/pages/common/ps.md b/pages/common/ps.md index aef4b6d7c..33919e8ab 100644 --- a/pages/common/ps.md +++ b/pages/common/ps.md @@ -11,9 +11,9 @@ `ps auxww` -- Search for a process that matches a string: +- Search for a process that matches a string (the brackets will prevent `grep` from matching itself): -`ps aux | grep {{string}}` +`ps aux | grep {{[s]tring}}` - List all processes of the current user in extra full format: diff --git a/pages/common/ptargrep.md b/pages/common/ptargrep.md index 25826a35d..506a2773d 100644 --- a/pages/common/ptargrep.md +++ b/pages/common/ptargrep.md @@ -3,7 +3,7 @@ > Find regular expression patterns in tar archive files. > More information: . -- Search for a pattern within one or more `tar` archives: +- Search for a pattern within one or more tar archives: `ptargrep "{{search_pattern}}" {{path/to/file1 path/to/file2 ...}}` @@ -11,6 +11,6 @@ `ptargrep --basename "{{search_pattern}}" {{path/to/file}}` -- Search for a case-insensitive pattern matching within a `tar` archive: +- Search for a case-insensitive pattern matching within a tar archive: `ptargrep --ignore-case "{{search_pattern}}" {{path/to/file}}` diff --git a/pages/common/pueue-completions.md b/pages/common/pueue-completions.md index 441924cbd..9e9630db9 100644 --- a/pages/common/pueue-completions.md +++ b/pages/common/pueue-completions.md @@ -7,7 +7,7 @@ `sudo pueue completions bash {{/usr/share/bash-completion/completions/pueue.bash}}` -- Generate completions for zsh: +- Generate completions for Zsh: `sudo pueue completions zsh {{/usr/share/zsh/site-functions}}` diff --git a/pages/common/pueue-send.md b/pages/common/pueue-send.md index 5451fe820..3cce39a5a 100644 --- a/pages/common/pueue-send.md +++ b/pages/common/pueue-send.md @@ -7,6 +7,6 @@ `pueue send {{task_id}} "{{input}}"` -- Send confirmation to a task expecting y/N (e.g. apt, cp): +- Send confirmation to a task expecting y/N (e.g. APT, cp): `pueue send {{task_id}} {{y}}` diff --git a/pages/common/pulumi-destroy.md b/pages/common/pulumi-destroy.md new file mode 100644 index 000000000..f583109bd --- /dev/null +++ b/pages/common/pulumi-destroy.md @@ -0,0 +1,28 @@ +# pulumi destroy + +> Destroy all existing resources in a stack. +> More information: . + +- Destroy all resources in the current stack: + +`pulumi destroy` + +- Destroy all resources in a specific stack: + +`pulumi destroy --stack {{stack}}` + +- Automatically approve and destroy resources after previewing: + +`pulumi destroy --yes` + +- Exclude protected resources from being destroyed: + +`pulumi destroy --exclude-protected` + +- Remove the stack and its configuration file after all resources in the stack are deleted: + +`pulumi destroy --remove` + +- Continue destroying the resources, even if an error is encountered: + +`pulumi destroy --continue-on-error` diff --git a/pages/common/pulumi-login.md b/pages/common/pulumi-login.md new file mode 100644 index 000000000..d67b26cbe --- /dev/null +++ b/pages/common/pulumi-login.md @@ -0,0 +1,16 @@ +# pulumi login + +> Log in to the Pulumi cloud. +> More information: . + +- Log in to the managed Pulumi Cloud backend, defaults to `app.pulumi.cloud`: + +`pulumi login` + +- Log in to a self-hosted Pulumi Cloud backend on a specified URL: + +`pulumi login {{url}}` + +- Use Pulumi locally, independent of a Pulumi Cloud: + +`pulumi login {{-l|--local}}` diff --git a/pages/common/pulumi-up.md b/pages/common/pulumi-up.md index 3160990c2..2a9a36941 100644 --- a/pages/common/pulumi-up.md +++ b/pages/common/pulumi-up.md @@ -14,3 +14,11 @@ - Preview and deploy changes in a specific stack: `pulumi up --stack {{stack}}` + +- Don't display stack outputs: + +`pulumi up --suppress-outputs` + +- Continue updating the resources, even if an error is encountered: + +`pulumi up --continue-on-error` diff --git a/pages/common/pulumi.md b/pages/common/pulumi.md index 005f53d81..4b55aad61 100644 --- a/pages/common/pulumi.md +++ b/pages/common/pulumi.md @@ -2,7 +2,7 @@ > Define infrastructure on any cloud using familiar programming languages. > Some subcommands such as `pulumi up` have their own usage documentation. -> More information: . +> More information: . - Create a new project using a template: @@ -27,3 +27,7 @@ - Destroy a program and its infrastructure: `pulumi destroy` + +- Use Pulumi locally, independent of a Pulumi Cloud: + +`pulumi login {{-l|--local}}` diff --git a/pages/common/pup.md b/pages/common/pup.md index 551de57f0..49c3d5f2b 100644 --- a/pages/common/pup.md +++ b/pages/common/pup.md @@ -11,7 +11,7 @@ `cat {{index.html}} | pup '{{tag}}'` -- Filter HTML by id: +- Filter HTML by ID: `cat {{index.html}} | pup '{{div#id}}'` diff --git a/pages/common/pydocstyle.md b/pages/common/pydocstyle.md new file mode 100644 index 000000000..910ebdb78 --- /dev/null +++ b/pages/common/pydocstyle.md @@ -0,0 +1,32 @@ +# pydocstyle + +> Statically check Python scripts for compliance with Python docstring conventions. +> More information: . + +- Analyze a Python script or all the Python scripts in a specific directory: + +`pydocstyle {{file.py|path/to/directory}}` + +- Show an explanation of each error: + +`pydocstyle {{-e|--explain}} {{file.py|path/to/directory}}` + +- Show debug information: + +`pydocstyle {{-d|--debug}} {{file.py|path/to/directory}}` + +- Display the total number of errors: + +`pydocstyle --count {{file.py|path/to/directory}}` + +- Use a specific configuration file: + +`pydocstyle --config {{path/to/config_file}} {{file.py|path/to/directory}}` + +- Ignore one or more errors: + +`pydocstyle --ignore {{D101,D2,D107,...}} {{file.py|path/to/directory}}` + +- Check for errors from a specific convention: + +`pydocstyle --convention {{pep257|numpy|google}} {{file.py|path/to/directory}}` diff --git a/pages/common/pylint.md b/pages/common/pylint.md index c9b838e5e..450fa5c60 100644 --- a/pages/common/pylint.md +++ b/pages/common/pylint.md @@ -7,6 +7,14 @@ `pylint {{path/to/file.py}}` +- Lint a package or module (must be importable; no `.py` suffix): + +`pylint {{package_or_module}}` + +- Lint a package from a directory path (must contain an `__init__.py` file): + +`pylint {{path/to/directory}}` + - Lint a file and use a configuration file (usually named `pylintrc`): `pylint --rcfile {{path/to/pylintrc}} {{path/to/file.py}}` diff --git a/pages/common/q.md b/pages/common/q.md index 7c9855848..c14946494 100644 --- a/pages/common/q.md +++ b/pages/common/q.md @@ -1,13 +1,13 @@ # q -> Execute SQL-like queries on .csv and .tsv files. +> Execute SQL-like queries on CSV and TSV files. > More information: . -- Query `.csv` file by specifying the delimiter as ',': +- Query a CSV file by specifying the delimiter as ',': `q -d',' "SELECT * from {{path/to/file}}"` -- Query `.tsv` file: +- Query a TSV file: `q -t "SELECT * from {{path/to/file}}"` diff --git a/pages/common/qalc.md b/pages/common/qalc.md new file mode 100644 index 000000000..faa750e3e --- /dev/null +++ b/pages/common/qalc.md @@ -0,0 +1,29 @@ +# qalc + +> Powerful and easy to use command-line calculator. +> See also: `bc`. +> More information: . + +- Launch in [i]nteractive mode: + +`qalc {{--interactive}}` + +- Launch in [t]erse mode (print the results only): + +`qalc --terse` + +- Update currency [e]xchange rates: + +`qalc --exrates` + +- Perform calculations non-interactively: + +`qalc {{66+99|2^4|6 feet to cm|1 bitcoin to USD|20 kmph to mph|...}}` + +- List all supported functions/prefixes/units/variables: + +`qalc --{{list-functions|list-prefixes|list-units|list-variables}}` + +- Execute commands from a [f]ile: + +`qalc --file {{path/to/file}}` diff --git a/pages/common/qcp.md b/pages/common/qcp.md index c27807192..5e26423b4 100644 --- a/pages/common/qcp.md +++ b/pages/common/qcp.md @@ -7,7 +7,7 @@ `qcp {{source_file}}` -- Copy multiple JPG files: +- Copy multiple JPEG files: `qcp {{*.jpg}}` diff --git a/pages/common/qemu-img.md b/pages/common/qemu-img.md index c55f43a88..29b18c614 100644 --- a/pages/common/qemu-img.md +++ b/pages/common/qemu-img.md @@ -1,7 +1,7 @@ # qemu-img > Create and manipulate Quick Emulator Virtual HDD images. -> More information: . +> More information: . - Create disk image with a specific size (in gigabytes): diff --git a/pages/common/qemu.md b/pages/common/qemu.md index 8d463760d..38df98e3d 100644 --- a/pages/common/qemu.md +++ b/pages/common/qemu.md @@ -22,4 +22,4 @@ - Boot from physical device (e.g. from USB to test bootable medium): -`qemu-system-i386 -hda /dev/{{storage_device}}` +`qemu-system-i386 -hda {{/dev/storage_device}}` diff --git a/pages/common/qmmp.md b/pages/common/qmmp.md index 519566847..df638514c 100644 --- a/pages/common/qmmp.md +++ b/pages/common/qmmp.md @@ -1,6 +1,7 @@ # qmmp > An audio player with an interface similar to Winamp or XMMS. +> See also: `clementine`, `ncmpcpp`, `cmus`. > More information: . - Launch the GUI: diff --git a/pages/common/qmv.md b/pages/common/qmv.md index c9981460e..2a1d31a30 100644 --- a/pages/common/qmv.md +++ b/pages/common/qmv.md @@ -7,7 +7,7 @@ `qmv {{source_file}}` -- Move multiple JPG files: +- Move multiple JPEG files: `qmv {{*.jpg}}` diff --git a/pages/common/quarkus.md b/pages/common/quarkus.md new file mode 100644 index 000000000..f112811c6 --- /dev/null +++ b/pages/common/quarkus.md @@ -0,0 +1,36 @@ +# quarkus + +> Create Quarkus projects, manage extensions and perform essential build and development tasks. +> More information: . + +- Create a new application project in a new directory: + +`quarkus create app {{project_name}}` + +- Run the current project in live coding mode: + +`quarkus dev` + +- Run the application: + +`quarkus run` + +- Run the current project in continuous testing mode: + +`quarkus test` + +- Add one or more extensions to the current project: + +`quarkus extension add {{extension_name1 extension_name2 ...}}` + +- Build a container image using Docker: + +`quarkus image build docker` + +- Deploy the application to Kubernetes: + +`quarkus deploy kubernetes` + +- Update project: + +`quarkus update` diff --git a/pages/common/ranger.md b/pages/common/ranger.md index 917d81e95..8d8404737 100644 --- a/pages/common/ranger.md +++ b/pages/common/ranger.md @@ -1,6 +1,7 @@ # ranger > Console file manager with VI key bindings. +> See also: `clifm`, `vifm`, `mc`, `dolphin`. > More information: . - Launch ranger: diff --git a/pages/common/rarcrack.md b/pages/common/rarcrack.md index 0b12ed20e..dcfefbb64 100644 --- a/pages/common/rarcrack.md +++ b/pages/common/rarcrack.md @@ -1,6 +1,6 @@ # rarcrack -> Password cracker for `rar`, `zip` and `7z` archives. +> Password cracker for RAR, Zip and 7z archives. - Brute force the password for an archive (tries to guess the archive type): diff --git a/pages/common/rclone.md b/pages/common/rclone.md index 22f09991d..514f83abc 100644 --- a/pages/common/rclone.md +++ b/pages/common/rclone.md @@ -17,7 +17,7 @@ - Copy files changed within the past 24 hours to a remote from the local machine, asking the user to confirm each file: -`rclone copy --interactive --max-age 24h {{remote_name}}:{{path/to/directory}} {{path/to/local_directory}} ` +`rclone copy --interactive --max-age 24h {{remote_name}}:{{path/to/directory}} {{path/to/local_directory}}` - Mirror a specific file or directory (Note: Unlike copy, sync removes files from the remote if it does not exist locally): diff --git a/pages/common/read.md b/pages/common/read.md index bb43cf74f..5932f3e3e 100644 --- a/pages/common/read.md +++ b/pages/common/read.md @@ -7,10 +7,30 @@ `read {{variable}}` +- Store each of the next lines you enter as values of an array: + +`read -a {{array}}` + +- Specify the number of maximum characters to be read: + +`read -n {{character_count}} {{variable}}` + +- Assign multiple values to multiple variables: + +`read {{_ variable1 _ variable2}} <<< {{"The surname is Bond"}}` + - Do not let backslash (\\) act as an escape character: `read -r {{variable}}` +- Display a prompt before the input: + +`read -p "{{Enter your input here: }}" {{variable}}` + +- Do not echo typed characters (silent mode): + +`read -s {{variable}}` + - Read `stdin` and perform an action on every line: -`while read line; do echo "$line"; done` +`while read line; do {{echo|ls|rm|...}} "$line"; done < {{/dev/stdin|path/to/file|...}}` diff --git a/pages/common/rkdeveloptool.md b/pages/common/rkdeveloptool.md new file mode 100644 index 000000000..db6d13ac5 --- /dev/null +++ b/pages/common/rkdeveloptool.md @@ -0,0 +1,30 @@ +# rkdeveloptool + +> Flash, dump, and manage boot firmware for Rockchip-based computer devices. +> You will need to turn on the device into Maskrom/Bootrom mode before connecting it through USB. +> Some subcommands may require to run as root. +> More information: . + +- [l]ist all connected Rockchip-based flash [d]evices: + +`rkdeveloptool ld` + +- Initialize the device by forcing it to [d]ownload and install the [b]ootloader from the specified file: + +`rkdeveloptool db {{path/to/bootloader.bin}}` + +- [u]pdate the boot[l]oader software with a new one: + +`rkdeveloptool ul {{path/to/bootloader.bin}}` + +- Write an image to a GPT-formatted flash partition, specifying the initial storage sector (usually `0x0` alias `0`): + +`rkdeveloptool wl {{initial_sector}} {{path/to/image.img}}` + +- Write to the flash partition by its user-friendly name: + +`rkdeveloptool wlx {{partition_name}} {{path/to/image.img}}` + +- [r]eset/reboot the [d]evice, exit from the Maskrom/Bootrom mode to boot into the selected flash partition: + +`rkdeveloptool rd` diff --git a/pages/common/rsync.md b/pages/common/rsync.md index 379f742dc..6461e8183 100644 --- a/pages/common/rsync.md +++ b/pages/common/rsync.md @@ -10,28 +10,28 @@ - Use archive mode (recursively copy directories, copy symlinks without resolving, and preserve permissions, ownership and modification times): -`rsync --archive {{path/to/source}} {{path/to/destination}}` +`rsync {{-a|--archive}} {{path/to/source}} {{path/to/destination}}` - Compress the data as it is sent to the destination, display verbose and human-readable progress, and keep partially transferred files if interrupted: -`rsync --compress --verbose --human-readable --partial --progress {{path/to/source}} {{path/to/destination}}` +`rsync {{-zvhP|--compress --verbose --human-readable --partial --progress}} {{path/to/source}} {{path/to/destination}}` - Recursively copy directories: -`rsync --recursive {{path/to/source}} {{path/to/destination}}` +`rsync {{-r|--recursive}} {{path/to/source}} {{path/to/destination}}` - Transfer directory contents, but not the directory itself: -`rsync --recursive {{path/to/source}}/ {{path/to/destination}}` +`rsync {{-r|--recursive}} {{path/to/source}}/ {{path/to/destination}}` -- Use archive mode, resolve symlinks and skip files that are newer on the destination: +- Use archive mode, resolve symlinks, and skip files that are newer on the destination: -`rsync --archive --update --copy-links {{path/to/source}} {{path/to/destination}}` +`rsync {{-auL|--archive --update --copy-links}} {{path/to/source}} {{path/to/destination}}` -- Transfer a directory to a remote host running `rsyncd` and delete files on the destination that do not exist on the source: +- Transfer a directory from a remote host running `rsyncd` and delete files on the destination that do not exist on the source: -`rsync --recursive --delete rsync://{{host}}:{{path/to/source}} {{path/to/destination}}` +`rsync {{-r|--recursive}} --delete rsync://{{host}}:{{path/to/source}} {{path/to/destination}}` - Transfer a file over SSH using a different port than the default (22) and show global progress: -`rsync --rsh 'ssh -p {{port}}' --info=progress2 {{host}}:{{path/to/source}} {{path/to/destination}}` +`rsync {{-e|--rsh}} 'ssh -p {{port}}' --info=progress2 {{host}}:{{path/to/source}} {{path/to/destination}}` diff --git a/pages/common/rubocop.md b/pages/common/rubocop.md index dc2b9ebec..86b8ae822 100644 --- a/pages/common/rubocop.md +++ b/pages/common/rubocop.md @@ -9,7 +9,7 @@ - Check one or more specific files or directories: -`rubocop {{path/to/file}} {{path/to/directory}}` +`rubocop {{path/to/file_or_directory1 path/to/file_or_directory2 ...}}` - Write output to file: @@ -21,11 +21,11 @@ - Exclude a cop: -`rubocop --except {{cop_1}} {{cop_2}}` +`rubocop --except {{cop1 cop2 ...}}` - Run only specified cops: -`rubocop --only {{cop_1}} {{cop_2}}` +`rubocop --only {{cop1 cop2 ...}}` - Auto-correct files (experimental): diff --git a/pages/common/salt-key.md b/pages/common/salt-key.md index c8d35c5dd..b69b66281 100644 --- a/pages/common/salt-key.md +++ b/pages/common/salt-key.md @@ -1,6 +1,6 @@ # salt-key -> Manages salt minion keys on the salt master. +> Manage salt minion keys on the salt master. > Needs to be run on the salt master, likely as root or with sudo. > More information: . diff --git a/pages/common/sam2p.md b/pages/common/sam2p.md index 83d14db57..6087c9a0e 100644 --- a/pages/common/sam2p.md +++ b/pages/common/sam2p.md @@ -1,7 +1,7 @@ # sam2p > Raster (bitmap) image converter with smart PDF and PostScript (EPS) output. -> More information: . +> More information: . - Concatenate all PDF files into one: diff --git a/pages/common/sass.md b/pages/common/sass.md index b264c9597..f9b6a6327 100644 --- a/pages/common/sass.md +++ b/pages/common/sass.md @@ -1,6 +1,6 @@ # sass -> Converts SCSS or Sass files to CSS. +> Convert SCSS or Sass files to CSS. > More information: . - Convert a SCSS or Sass file to CSS and print out the result: diff --git a/pages/common/sc_warts2pcap.md b/pages/common/sc_warts2pcap.md index 82c0255af..ab483a581 100644 --- a/pages/common/sc_warts2pcap.md +++ b/pages/common/sc_warts2pcap.md @@ -1,13 +1,13 @@ # sc_warts2pcap -> Write packets included in `warts` object to a `pcap` file. +> Write packets included in `warts` object to a PCAP file. > This is only possible for tbit, sting and sniff. > More information: . -- Convert the data from several `warts` files into one `pcap` file: +- Convert the data from several `warts` files into one PCAP file: `sc_warts2pcap -o {{path/to/output.pcap}} {{path/to/file1.warts path/to/file2.warts ...}}` -- Convert the data from a `warts` file into a `pcap` file and sort the packets by timestamp: +- Convert the data from a `warts` file into a PCAP file and sort the packets by timestamp: `sc_warts2pcap -s -o {{path/to/output.pcap}} {{path/to/file.warts}}` diff --git a/pages/common/scp.md b/pages/common/scp.md index a6dee41f0..b5a01ff72 100644 --- a/pages/common/scp.md +++ b/pages/common/scp.md @@ -28,7 +28,7 @@ `scp {{path/to/local_file}} {{remote_username}}@{{remote_host}}:{{path/to/remote_directory}}` -- Use a specific ssh private key for authentication with the remote host: +- Use a specific SSH private key for authentication with the remote host: `scp -i {{~/.ssh/private_key}} {{path/to/local_file}} {{remote_host}}:{{path/to/remote_file}}` diff --git a/pages/common/secrethub.md b/pages/common/secrethub.md index 611cee332..a07d05ec5 100644 --- a/pages/common/secrethub.md +++ b/pages/common/secrethub.md @@ -1,7 +1,7 @@ # secrethub > Keep secrets out of config files. -> More information: . +> More information: . - Print a secret to `stdout`: diff --git a/pages/common/sed.md b/pages/common/sed.md index f39b712b8..e1f382293 100644 --- a/pages/common/sed.md +++ b/pages/common/sed.md @@ -2,7 +2,7 @@ > Edit text in a scriptable manner. > See also: `awk`, `ed`. -> More information: . +> More information: . - Replace all `apple` (basic regex) occurrences with `mango` (basic regex) in all input lines and print the result to `stdout`: diff --git a/pages/common/set.md b/pages/common/set.md index 703f4bf2a..d3269417a 100644 --- a/pages/common/set.md +++ b/pages/common/set.md @@ -15,7 +15,7 @@ `set -b` -- Write and edit text in the command line with `vi`-like keybindings (e.g. `yy`): +- Write and edit text in the command-line with `vi`-like keybindings (e.g. `yy`): `set -o {{vi}}` diff --git a/pages/common/sf.md b/pages/common/sf.md index 811dc623f..9e3dbcc22 100644 --- a/pages/common/sf.md +++ b/pages/common/sf.md @@ -1,6 +1,6 @@ # sf -> A powerful command line interface that simplifies development and build automation when working with your Salesforce org. +> A powerful command-line interface that simplifies development and build automation when working with your Salesforce org. > More information: . - Authorize a Salesforce Organization: diff --git a/pages/common/sfdp.md b/pages/common/sfdp.md index 83b9f46dd..b783c6419 100644 --- a/pages/common/sfdp.md +++ b/pages/common/sfdp.md @@ -4,19 +4,19 @@ > Layouts: `dot`, `neato`, `twopi`, `circo`, `fdp`, `sfdp`, `osage` & `patchwork`. > More information: . -- Render a `png` image with a filename based on the input filename and output format (uppercase -O): +- Render a PNG image with a filename based on the input filename and output format (uppercase -O): `sfdp -T {{png}} -O {{path/to/input.gv}}` -- Render a `svg` image with the specified output filename (lowercase -o): +- Render a SVG image with the specified output filename (lowercase -o): `sfdp -T {{svg}} -o {{path/to/image.svg}} {{path/to/input.gv}}` -- Render the output in `ps`, `pdf`, `svg`, `fig`, `png`, `gif`, `jpg`, `json`, or `dot` format: +- Render the output in PS, PDF, SVG, Fig, PNG, GIF, JPEG, JSON, or DOT format: `sfdp -T {{format}} -O {{path/to/input.gv}}` -- Render a `gif` image using `stdin` and `stdout`: +- Render a GIF image using `stdin` and `stdout`: `echo "{{digraph {this -> that} }}" | sfdp -T {{gif}} > {{path/to/image.gif}}` diff --git a/pages/common/shar.md b/pages/common/shar.md index c9278a69f..14632c0e7 100644 --- a/pages/common/shar.md +++ b/pages/common/shar.md @@ -1,7 +1,7 @@ # shar > Create a shell archive. -> More information: . +> More information: . - Create a shell script that when executed extracts the given files from itself: diff --git a/pages/common/shellcheck.md b/pages/common/shellcheck.md index 538a2dd69..e0dadf2f0 100644 --- a/pages/common/shellcheck.md +++ b/pages/common/shellcheck.md @@ -1,33 +1,36 @@ # shellcheck -> Shell script static analysis tool. -> Check shell scripts for errors, usage of deprecated/insecure features, and bad practices. -> More information: . +> Statically check shell scripts for errors, usage of deprecated/insecure features, and bad practices. +> More information: . - Check a shell script: `shellcheck {{path/to/script.sh}}` -- Check a shell script interpreting it as the specified shell dialect (overrides the shebang at the top of the script): +- Check a shell script interpreting it as the specified [s]hell dialect (overrides the shebang at the top of the script): `shellcheck --shell {{sh|bash|dash|ksh}} {{path/to/script.sh}}` -- Ignore one or more error types: +- Ignor[e] one or more error types: -`shellcheck --exclude {{SC1009,SC1073}} {{path/to/script.sh}}` +`shellcheck --exclude {{SC1009,SC1073,...}} {{path/to/script.sh}}` - Also check any sourced shell scripts: `shellcheck --check-sourced {{path/to/script.sh}}` -- Display output in the specified format (defaults to `tty`): +- Display output in the specified [f]ormat (defaults to `tty`): `shellcheck --format {{tty|checkstyle|diff|gcc|json|json1|quiet}} {{path/to/script.sh}}` -- Enable one or more optional checks: +- Enable one or more [o]ptional checks: -`shellcheck --enable={{add-default-case|avoid-nullary-conditions}}` +`shellcheck --enable {{add-default-case,avoid-nullary-conditions,...}} {{path/to/script.sh}}` - List all available optional checks that are disabled by default: `shellcheck --list-optional` + +- Adjust the level of [S]everity to consider (defaults to `style`): + +`shellcheck --severity {{error|warning|info|style}} {{path/to/script.sh}}` diff --git a/pages/common/shuf.md b/pages/common/shuf.md index 6cc9cb049..6fffc8139 100644 --- a/pages/common/shuf.md +++ b/pages/common/shuf.md @@ -9,12 +9,12 @@ - Only output the first 5 entries of the result: -`shuf --head-count={{5}} {{path/to/file}}` +`shuf --head-count=5 {{path/to/file}}` - Write the output to another file: -`shuf {{path/to/input}} --output={{path/to/output}}` +`shuf {{path/to/input_file}} --output={{path/to/output_file}}` - Generate 3 random numbers in the range 1-10 (inclusive): -`shuf --head-count={{3}} --input-range={{1-10}} --repeat` +`shuf --head-count=3 --input-range=1-10 --repeat` diff --git a/pages/common/slimrb.md b/pages/common/slimrb.md index 47c483333..74f238f7b 100644 --- a/pages/common/slimrb.md +++ b/pages/common/slimrb.md @@ -1,7 +1,7 @@ # slimrb > Convert Slim files to HTML. -> More information: . +> More information: . - Convert a Slim file to HTML: diff --git a/pages/common/sops.md b/pages/common/sops.md index 88fe9c318..b3d88b7d6 100644 --- a/pages/common/sops.md +++ b/pages/common/sops.md @@ -1,28 +1,32 @@ # sops -> SOPS (Secrets OPerationS): manage secrets. +> SOPS (Secrets OPerationS): a simple and flexible tool for managing secrets. > More information: . - Encrypt a file: -`sops -e {{path/to/myfile.json}} > {{path/to/myfile.enc.json}}` +`sops -e {{path/to/file.json}} > {{path/to/file.enc.json}}` - Decrypt a file to `stdout`: -`sops -d {{path/to/myfile.enc.json}}` +`sops -d {{path/to/file.enc.json}}` -- Rotate data keys for a sops file: +- Update the declared keys in a `sops` file: -`sops -r {{path/to/myfile.enc.yaml}}` +`sops updatekeys {{path/to/file.enc.yaml}}` + +- Rotate data keys for a `sops` file: + +`sops -r {{path/to/file.enc.yaml}}` - Change the extension of the file once encrypted: -`sops -d --input-type json {{path/to/myfile.enc.json}}` +`sops -d --input-type json {{path/to/file.enc.json}}` - Extract keys by naming them, and array elements by numbering them: -`sops -d --extract '["an_array"][1]' {{path/to/myfile.enc.json}}` +`sops -d --extract '["an_array"][1]' {{path/to/file.enc.json}}` -- Show the difference between two sops files: +- Show the difference between two `sops` files: `diff <(sops -d {{path/to/secret1.enc.yaml}}) <(sops -d {{path/to/secret2.enc.yaml}})` diff --git a/pages/common/sort.md b/pages/common/sort.md index e67cba248..f4bf1169a 100644 --- a/pages/common/sort.md +++ b/pages/common/sort.md @@ -23,6 +23,10 @@ `sort --field-separator={{:}} --key={{3n}} {{/etc/passwd}}` +- As above, but when items in the 3rd field are equal, sort by the 4th field by numbers with exponents: + +`sort -t {{:}} -k {{3,3n}} -k {{4,4g}} {{/etc/passwd}}` + - Sort a file preserving only unique lines: `sort --unique {{path/to/file}}` @@ -30,7 +34,3 @@ - Sort a file, printing the output to the specified output file (can be used to sort a file in-place): `sort --output={{path/to/file}} {{path/to/file}}` - -- Sort numbers with exponents: - -`sort --general-numeric-sort {{path/to/file}}` diff --git a/pages/common/spatial.md b/pages/common/spatial.md deleted file mode 100644 index 9d3bb7686..000000000 --- a/pages/common/spatial.md +++ /dev/null @@ -1,36 +0,0 @@ -# spatial - -> A set of commands for managing and developing SpatialOS projects. -> More information: . - -- Run this when you use a project for the first time: - -`spatial worker build` - -- Build workers for local deployment on Unity on macOS: - -`spatial worker build --target=development --target=Osx` - -- Build workers for local deployment on Unreal on Windows: - -`spatial worker build --target=local --target=Windows` - -- Deploy locally: - -`spatial local launch {{launch_config}} --snapshot={{snapshot_file}}` - -- Launch a local worker to connect to your local deployment: - -`spatial local worker launch {{worker_type}} {{launch_config}}` - -- Upload an assembly to use for cloud deployments: - -`spatial cloud upload {{assembly_name}}` - -- Launch a cloud deployment: - -`spatial cloud launch {{assembly_name}} {{launch_config}} {{deployment_name}}` - -- Clean worker directories: - -`spatial worker clean` diff --git a/pages/common/spfquery.md b/pages/common/spfquery.md index 7ab7d0419..97e9b191a 100644 --- a/pages/common/spfquery.md +++ b/pages/common/spfquery.md @@ -1,7 +1,7 @@ # spfquery > Query Sender Policy Framework records to validate e-mail senders. -> More information: . +> More information: . - Check if an IP address is allowed to send an e-mail from the specified e-mail address: diff --git a/pages/common/split.md b/pages/common/split.md index 408f9853d..dfd705f5c 100644 --- a/pages/common/split.md +++ b/pages/common/split.md @@ -5,16 +5,16 @@ - Split a file, each split having 10 lines (except the last split): -`split -l {{10}} {{path/to/file}}` +`split -l 10 {{path/to/file}}` - Split a file into 5 files. File is split such that each split has same size (except the last split): -`split -n {{5}} {{path/to/file}}` +`split -n 5 {{path/to/file}}` - Split a file with 512 bytes in each split (except the last split; use 512k for kilobytes and 512m for megabytes): -`split -b {{512}} {{path/to/file}}` +`split -b 512 {{path/to/file}}` - Split a file with at most 512 bytes in each split without breaking lines: -`split -C {{512}} {{path/to/file}}` +`split -C 512 {{path/to/file}}` diff --git a/pages/common/ssh-add.md b/pages/common/ssh-add.md index 6c833d2e6..114ab021b 100644 --- a/pages/common/ssh-add.md +++ b/pages/common/ssh-add.md @@ -4,7 +4,7 @@ > Ensure that `ssh-agent` is up and running for the keys to be loaded in it. > More information: . -- Add the default ssh keys in `~/.ssh` to the ssh-agent: +- Add the default SSH keys in `~/.ssh` to the ssh-agent: `ssh-add` diff --git a/pages/common/ssh-keygen.md b/pages/common/ssh-keygen.md index dd5c46db6..66b658b1f 100644 --- a/pages/common/ssh-keygen.md +++ b/pages/common/ssh-keygen.md @@ -1,6 +1,6 @@ # ssh-keygen -> Generate ssh keys used for authentication, password-less logins, and other things. +> Generate SSH keys used for authentication, password-less logins, and other things. > More information: . - Generate a key interactively: diff --git a/pages/common/ssh-keyscan.md b/pages/common/ssh-keyscan.md index b28098d5a..a174d862b 100644 --- a/pages/common/ssh-keyscan.md +++ b/pages/common/ssh-keyscan.md @@ -1,20 +1,20 @@ # ssh-keyscan -> Get the public ssh keys of remote hosts. +> Get the public SSH keys of remote hosts. > More information: . -- Retrieve all public ssh keys of a remote host: +- Retrieve all public SSH keys of a remote host: `ssh-keyscan {{host}}` -- Retrieve all public ssh keys of a remote host listening on a specific port: +- Retrieve all public SSH keys of a remote host listening on a specific port: `ssh-keyscan -p {{port}} {{host}}` -- Retrieve certain types of public ssh keys of a remote host: +- Retrieve certain types of public SSH keys of a remote host: `ssh-keyscan -t {{rsa,dsa,ecdsa,ed25519}} {{host}}` -- Manually update the ssh known_hosts file with the fingerprint of a given host: +- Manually update the SSH known_hosts file with the fingerprint of a given host: `ssh-keyscan -H {{host}} >> ~/.ssh/known_hosts` diff --git a/pages/common/ssh.md b/pages/common/ssh.md index ebf14f86e..606fe4f88 100644 --- a/pages/common/ssh.md +++ b/pages/common/ssh.md @@ -12,7 +12,7 @@ `ssh -i {{path/to/key_file}} {{username}}@{{remote_host}}` -- Connect to a remote server using a specific port: +- Connect to a remote server using a specific [p]ort: `ssh {{username}}@{{remote_host}} -p {{2222}}` @@ -20,7 +20,7 @@ `ssh {{username}}@{{remote_host}} -t {{command}} {{command_arguments}}` -- SSH tunneling: Dynamic port forwarding (SOCKS proxy on `localhost:1080`): +- SSH tunneling: [D]ynamic port forwarding (SOCKS proxy on `localhost:1080`): `ssh -D {{1080}} {{username}}@{{remote_host}}` @@ -28,7 +28,7 @@ `ssh -L {{9999}}:{{example.org}}:{{80}} -N -T {{username}}@{{remote_host}}` -- SSH jumping: Connect through a jumphost to a remote server (Multiple jump hops may be specified separated by comma characters): +- SSH [J]umping: Connect through a jumphost to a remote server (Multiple jump hops may be specified separated by comma characters): `ssh -J {{username}}@{{jump_host}} {{username}}@{{remote_host}}` diff --git a/pages/common/sshpass.md b/pages/common/sshpass.md index 081fafe53..9834cd3b3 100644 --- a/pages/common/sshpass.md +++ b/pages/common/sshpass.md @@ -1,17 +1,17 @@ # sshpass -> An ssh password provider. -> It works by creating a TTY, feeding the password into it, and then redirecting `stdin` to the ssh session. +> An SSH password provider. +> It works by creating a TTY, feeding the password into it, and then redirecting `stdin` to the SSH session. > More information: . - Connect to a remote server using a password supplied on a file descriptor (in this case, `stdin`): `sshpass -d {{0}} ssh {{user}}@{{hostname}}` -- Connect to a remote server with the password supplied as an option, and automatically accept unknown ssh keys: +- Connect to a remote server with the password supplied as an option, and automatically accept unknown SSH keys: `sshpass -p {{password}} ssh -o StrictHostKeyChecking=no {{user}}@{{hostname}}` -- Connect to a remote server using the first line of a file as the password, automatically accept unknown ssh keys, and launch a command: +- Connect to a remote server using the first line of a file as the password, automatically accept unknown SSH keys, and launch a command: `sshpass -f {{path/to/file}} ssh -o StrictHostKeyChecking=no {{user}}@{{hostname}} "{{command}}"` diff --git a/pages/common/st-info.md b/pages/common/st-info.md index b1daabfd2..3e043c1a5 100644 --- a/pages/common/st-info.md +++ b/pages/common/st-info.md @@ -1,6 +1,6 @@ # st-info -> Provides information about connected STLink and STM32 devices. +> Get information about connected STLink and STM32 devices. > More information: . - Display amount of program memory available: diff --git a/pages/common/stdbuf.md b/pages/common/stdbuf.md index adf41cec1..2330a7978 100644 --- a/pages/common/stdbuf.md +++ b/pages/common/stdbuf.md @@ -5,12 +5,12 @@ - Change `stdin` buffer size to 512 KiB: -`stdbuf --input={{512K}} {{command}}` +`stdbuf --input=512K {{command}}` - Change `stdout` buffer to line-buffered: -`stdbuf --output={{L}} {{command}}` +`stdbuf --output=L {{command}}` - Change `stderr` buffer to unbuffered: -`stdbuf --error={{0}} {{command}}` +`stdbuf --error=0 {{command}}` diff --git a/pages/common/stow.md b/pages/common/stow.md index 1cc5f9236..8437cde98 100644 --- a/pages/common/stow.md +++ b/pages/common/stow.md @@ -2,6 +2,7 @@ > Symlink manager. > Often used to manage dotfiles. +> See also: `chezmoi`, `tuckr`, `vcsh`, `homeshick`. > More information: . - Symlink all files recursively to a given directory: diff --git a/pages/common/streamlit.md b/pages/common/streamlit.md new file mode 100644 index 000000000..feef02114 --- /dev/null +++ b/pages/common/streamlit.md @@ -0,0 +1,20 @@ +# streamlit + +> Framework for creating interactive, data-driven web apps in Python. +> More information: . + +- Check for the Streamlit installation: + +`streamlit hello` + +- Run your Streamlit application: + +`streamlit run {{project_name}}` + +- Display help: + +`streamlit --help` + +- Display version: + +`streamlit --version` diff --git a/pages/common/sudo.md b/pages/common/sudo.md index b067b5fdf..3037b9ce5 100644 --- a/pages/common/sudo.md +++ b/pages/common/sudo.md @@ -15,7 +15,7 @@ `sudo --user={{user}} --group={{group}} {{id -a}}` -- Repeat the last command prefixed with `sudo` (only in `bash`, `zsh`, etc.): +- Repeat the last command prefixed with `sudo` (only in Bash, Zsh, etc.): `sudo !!` diff --git a/pages/common/sunicontopbm.md b/pages/common/sunicontopnm.md similarity index 100% rename from pages/common/sunicontopbm.md rename to pages/common/sunicontopnm.md diff --git a/pages/common/tar.md b/pages/common/tar.md index 124132fdf..c1ee8d727 100644 --- a/pages/common/tar.md +++ b/pages/common/tar.md @@ -28,7 +28,7 @@ `tar caf {{path/to/target.tar.xz}} {{path/to/file1 path/to/file2 ...}}` -- Lis[t] the contents of a `tar` [f]ile [v]erbosely: +- Lis[t] the contents of a tar [f]ile [v]erbosely: `tar tvf {{path/to/source.tar}}` diff --git a/pages/common/terraform-output.md b/pages/common/terraform-output.md new file mode 100644 index 000000000..87abe524a --- /dev/null +++ b/pages/common/terraform-output.md @@ -0,0 +1,20 @@ +# terraform output + +> Export structured data about your Terraform resources. +> More information: . + +- With no additional arguments, `output` will display all outputs for the root module: + +`terraform output` + +- Output only a value with specific name: + +`terraform output {{name}}` + +- Convert the output value to a raw string (useful for shell scripts): + +`terraform output -raw` + +- Format the outputs as a JSON object, with a key per output (useful with jq): + +`terraform output -json` diff --git a/pages/common/texcount.md b/pages/common/texcount.md index eeafe44aa..3b20e4f44 100644 --- a/pages/common/texcount.md +++ b/pages/common/texcount.md @@ -16,6 +16,10 @@ `texcount -inc {{file.tex}}` +- Count words in a document and subdocuments, producing subcounts by chapter (instead of subsection): + +`texcount -merge -sub=chapter {{file.tex}}` + - Count words with verbose output: `texcount -v {{path/to/file.tex}}` diff --git a/pages/common/textql.md b/pages/common/textql.md index 93deffd7c..b55f37c30 100644 --- a/pages/common/textql.md +++ b/pages/common/textql.md @@ -1,13 +1,13 @@ # textql -> Execute SQL against structured text like csv or tsv files. +> Execute SQL against structured text like CSV or TSV files. > More information: . -- Print the lines in the specified `.csv` file that match an SQL query to `stdout`: +- Print the lines in the specified CSV file that match an SQL query to `stdout`: `textql -sql "{{SELECT * FROM filename}}" {{path/to/filename.csv}}` -- Query `.tsv` file: +- Query a TSV file: `textql -dlm=tab -sql "{{SELECT * FROM filename}}" {{path/to/filename.tsv}}` diff --git a/pages/common/theharvester.md b/pages/common/theharvester.md index 3fa99e1cb..4ef95e5cd 100644 --- a/pages/common/theharvester.md +++ b/pages/common/theharvester.md @@ -9,7 +9,7 @@ - Gather information on a domain using multiple sources: -`theHarvester --domain {{domain_name}} --source {{google,bing,crtsh}}` +`theHarvester --domain {{domain_name}} --source {{duckduckgo,bing,crtsh}}` - Change the limit of results to work with: diff --git a/pages/common/tig.md b/pages/common/tig.md index 9cc7f5e97..bac529b1d 100644 --- a/pages/common/tig.md +++ b/pages/common/tig.md @@ -1,7 +1,8 @@ # tig -> A text-mode interface for Git. -> More information: . +> A configurable `ncurses`-based TUI for Git. +> See also: `gitui`, `git-gui`. +> More information: . - Show the sequence of commits starting from the current one in reverse chronological order: @@ -26,3 +27,7 @@ - Start in stash view, displaying all saved stashes: `tig stash` + +- Display help in TUI: + +`h` diff --git a/pages/common/timeout.md b/pages/common/timeout.md index da3852093..0da4ade24 100644 --- a/pages/common/timeout.md +++ b/pages/common/timeout.md @@ -7,6 +7,18 @@ `timeout 3s sleep 10` -- Send a signal to the command after the time limit expires (SIGTERM by default): +- Send a [s]ignal to the command after the time limit expires (`TERM` by default, `kill -l` to list all signals): -`timeout --signal {{INT}} {{5s}} {{sleep 10}}` +`timeout --signal {{INT|HUP|KILL|...}} {{5s}} {{sleep 10}}` + +- Send [v]erbose output to `stderr` showing signal sent upon timeout: + +`timeout --verbose {{0.5s|1m|1h|1d|...}} {{command}}` + +- Preserve the exit status of the command regardless of timing out: + +`timeout --preserve-status {{1s|1m|1h|1d|...}} {{command}}` + +- Send a forceful `KILL` signal after certain duration if the command ignores initial signal upon timeout: + +`timeout --kill-after={{5m}} {{30s}} {{command}}` diff --git a/pages/common/timidity.md b/pages/common/timidity.md index 3df135387..f85182069 100644 --- a/pages/common/timidity.md +++ b/pages/common/timidity.md @@ -1,6 +1,6 @@ # timidity -> A MIDI file player and converter. +> Play and convert MIDI files. > More information: . - Play a MIDI file: diff --git a/pages/common/tldr.md b/pages/common/tldr.md index fe852ccec..02bab5dc8 100644 --- a/pages/common/tldr.md +++ b/pages/common/tldr.md @@ -24,6 +24,10 @@ `tldr --update` -- List all pages for the current platform and `common`: +- [l]ist all pages for the current platform and `common`: `tldr --list` + +- [l]ist all available subcommand pages for a command: + +`tldr --list | grep {{command}} | column` diff --git a/pages/common/tlmgr.md b/pages/common/tlmgr.md index 920528998..8dc0ae27d 100644 --- a/pages/common/tlmgr.md +++ b/pages/common/tlmgr.md @@ -1,6 +1,6 @@ # tlmgr -> Manages packages and configuration options of an existing TeX Live installation. +> Manage packages and configuration options of an existing TeX Live installation. > Some subcommands such as `tlmgr paper` have their own usage documentation. > More information: . diff --git a/pages/common/toipe.md b/pages/common/toipe.md new file mode 100644 index 000000000..3ccf0e2c1 --- /dev/null +++ b/pages/common/toipe.md @@ -0,0 +1,25 @@ +# toipe + +> Yet another typing test, but crab flavoured. +> A trusty terminal typing tester. +> More information: . + +- Start the typing test with the default wordlist: + +`toipe` + +- Use a specific wordlist: + +`toipe {{-w|--wordlist}} {{wordlist_name}}` + +- Use a custom wordlist: + +`toipe {{-f|--file}} {{path/to/file}}` + +- Specify the number of words on each test: + +`toipe {{-n|--num}} {{number_of_words}}` + +- Include punctuation: + +`toipe {{-p|--punctuation}}` diff --git a/pages/common/touch.md b/pages/common/touch.md index 93dd4270e..7a9749cd9 100644 --- a/pages/common/touch.md +++ b/pages/common/touch.md @@ -1,7 +1,7 @@ # touch > Create files and set access/modification times. -> More information: . +> More information: . - Create specific files: @@ -15,6 +15,6 @@ `touch -c -t {{YYYYMMDDHHMM.SS}} {{path/to/file1 path/to/file2 ...}}` -- Set the file time of a specific file to the time of anothe[r] file and don't [c]reate file if it doesn't exist: +- Set the files' timestamp to the [r]eference file's timestamp, and do not [c]reate the file if it does not exist: -`touch -c -r {{~/.emacs}} {{path/to/file1 path/to/file2 ...}}` +`touch -c -r {{path/to/reference_file}} {{path/to/file1 path/to/file2 ...}}` diff --git a/pages/common/traefik.md b/pages/common/traefik.md index 5eb5139c0..c9dc82f3c 100644 --- a/pages/common/traefik.md +++ b/pages/common/traefik.md @@ -3,15 +3,15 @@ > An HTTP reverse proxy and load balancer. > More information: . -- Start server with default config: +- Start the server with the default configuration: `traefik` -- Start server with a custom configuration file: +- Start the server with a custom configuration file: -`traefik --c {{config_file.toml}}` +`traefik --ConfigFile {{config_file.toml}}` -- Start server with cluster mode enabled: +- Start the server with cluster mode enabled: `traefik --cluster` diff --git a/pages/common/trash-cli.md b/pages/common/trash-cli.md index 5a3632e45..3acd212d5 100644 --- a/pages/common/trash-cli.md +++ b/pages/common/trash-cli.md @@ -1,24 +1,8 @@ # trash-cli -> A command-line interface to the trashcan APIs. +> This command is an alias of `trash`. > More information: . -- Trash specific files and directories into the current trashcan: +- View documentation for the original command: -`trash-put {{path/to/file_or_directory1 path/to/file_or_directory2 ...}}` - -- Remove specific files from the current trashcan: - -`trash-rm {{path/to/file_or_directory1 path/to/file_or_directory2 ...}}` - -- Empty the current trashcan: - -`trash-empty` - -- List trashed files and directories in the current trashcan: - -`trash-list` - -- Restore a specific file or directory by a number from the displayed list from the current trashcan: - -`trash-restore` +`tldr trash` diff --git a/pages/common/trawl.md b/pages/common/trawl.md index 393810a73..222046c39 100644 --- a/pages/common/trawl.md +++ b/pages/common/trawl.md @@ -1,6 +1,6 @@ # trawl -> Prints out network interface information to the console, much like ifconfig/ipconfig/ip/ifdata. +> Print out network interface information to the console, much like ifconfig/ipconfig/ip/ifdata. > More information: . - Show column names: diff --git a/pages/common/tree.md b/pages/common/tree.md index fb068c0df..a089e2c0a 100644 --- a/pages/common/tree.md +++ b/pages/common/tree.md @@ -1,7 +1,7 @@ # tree > Show the contents of the current directory as a tree. -> More information: . +> More information: . - Print files and directories up to 'num' levels of depth (where 1 means the current directory): diff --git a/pages/common/truncate.md b/pages/common/truncate.md index d5fd62086..d466c277c 100644 --- a/pages/common/truncate.md +++ b/pages/common/truncate.md @@ -5,20 +5,20 @@ - Set a size of 10 GB to an existing file, or create a new file with the specified size: -`truncate --size {{10G}} {{filename}}` +`truncate --size 10G {{path/to/file}}` - Extend the file size by 50 MiB, fill with holes (which reads as zero bytes): -`truncate --size +{{50M}} {{filename}}` +`truncate --size +50M {{path/to/file}}` - Shrink the file by 2 GiB, by removing data from the end of file: -`truncate --size -{{2G}} {{filename}}` +`truncate --size -2G {{path/to/file}}` - Empty the file's content: -`truncate --size 0 {{filename}}` +`truncate --size 0 {{path/to/file}}` - Empty the file's content, but do not create the file if it does not exist: -`truncate --no-create --size 0 {{filename}}` +`truncate --no-create --size 0 {{path/to/file}}` diff --git a/pages/common/tspin.md b/pages/common/tspin.md new file mode 100644 index 000000000..5b66a325c --- /dev/null +++ b/pages/common/tspin.md @@ -0,0 +1,20 @@ +# tspin + +> A log file highlighter based on the `less` pager and basically behaves like any pager. +> More information: . + +- Read from file and view in `less`: + +`tspin {{path/to/application.log}}` + +- Read from another command and print to stdout: + +`journalctl -b --follow | tspin` + +- Read from file and print to `stdout`: + +`tspin {{path/to/application.log}} --print` + +- Read from stdin and print to `stdout`: + +`echo "2021-01-01 12:00:00 [INFO] This is a log message" | tspin` diff --git a/pages/common/tuckr.md b/pages/common/tuckr.md index 1a4b9589b..1d70e00b6 100644 --- a/pages/common/tuckr.md +++ b/pages/common/tuckr.md @@ -1,6 +1,7 @@ # tuckr > Dotfile manager written in Rust. +> See also: `chezmoi`, `vcsh`, `homeshick`, `stow`. > More information: . - Check dotfile status: diff --git a/pages/common/twopi.md b/pages/common/twopi.md index cc7de323a..1b7a4184e 100644 --- a/pages/common/twopi.md +++ b/pages/common/twopi.md @@ -4,19 +4,19 @@ > Layouts: `dot`, `neato`, `twopi`, `circo`, `fdp`, `sfdp`, `osage` & `patchwork`. > More information: . -- Render a `png` image with a filename based on the input filename and output format (uppercase -O): +- Render a PNG image with a filename based on the input filename and output format (uppercase -O): `twopi -T {{png}} -O {{path/to/input.gv}}` -- Render a `svg` image with the specified output filename (lowercase -o): +- Render a SVG image with the specified output filename (lowercase -o): `twopi -T {{svg}} -o {{path/to/image.svg}} {{path/to/input.gv}}` -- Render the output in `ps`, `pdf`, `svg`, `fig`, `png`, `gif`, `jpg`, `json`, or `dot` format: +- Render the output in PS, PDF, SVG, Fig, PNG, GIF, JPEG, JSON, or DOT format: `twopi -T {{format}} -O {{path/to/input.gv}}` -- Render a `gif` image using `stdin` and `stdout`: +- Render a GIF image using `stdin` and `stdout`: `echo "{{digraph {this -> that} }}" | twopi -T {{gif}} > {{path/to/image.gif}}` diff --git a/pages/common/type.md b/pages/common/type.md index a692c4296..104bcccf4 100644 --- a/pages/common/type.md +++ b/pages/common/type.md @@ -1,16 +1,21 @@ # type > Display the type of command the shell will execute. +> Note: all examples are not POSIX compliant. > More information: . - Display the type of a command: `type {{command}}` -- Display all locations containing the specified executable: +- Display all locations containing the specified executable (works only in Bash/fish/Zsh shells): `type -a {{command}}` -- Display the name of the disk file that would be executed: +- Display the name of the disk file that would be executed (works only in Bash/fish/Zsh shells): `type -p {{command}}` + +- Display the type of a specific command, alias/keyword/function/builtin/file (works only in Bash/fish shells): + +`type -t {{command}}` diff --git a/pages/common/typeinc.md b/pages/common/typeinc.md new file mode 100644 index 000000000..9e7e61f76 --- /dev/null +++ b/pages/common/typeinc.md @@ -0,0 +1,21 @@ +# typeinc + +> An `ncurses` based terminal typing speed test program, written in Python. +> Try out different difficulty levels and improve your typing speed. +> More information: . + +- Enter the typing test: + +`typeinc` + +- Display the top 10 rank list for input difficulty level: + +`typeinc {{-r|--ranklist}} {{difficulty_level}}` + +- Get random English words present in our wordlist: + +`typeinc {{-w|--words}} {{word_count}}` + +- Calculate hypothetical Typeinc score: + +`typeinc {{-s|--score}}` diff --git a/pages/common/ufraw-batch.md b/pages/common/ufraw-batch.md index 5cde5ebbe..fad2207ae 100644 --- a/pages/common/ufraw-batch.md +++ b/pages/common/ufraw-batch.md @@ -3,7 +3,7 @@ > Convert RAW files from cameras into standard image files. > More information: . -- Simply convert RAW files to JPG: +- Simply convert RAW files to JPEG: `ufraw-batch --out-type=jpg {{input_file(s)}}` diff --git a/pages/common/ugrep.md b/pages/common/ugrep.md index beb719c02..1d8c38917 100644 --- a/pages/common/ugrep.md +++ b/pages/common/ugrep.md @@ -23,7 +23,7 @@ `ugrep --fuzzy={{3}} "{{search_pattern}}"` -- Also search compressed files, `zip` and `tar` archives recursively: +- Also search compressed files, Zip and tar archives recursively: `ugrep --decompress "{{search_pattern}}"` diff --git a/pages/common/unar.md b/pages/common/unar.md index 9666da33d..cd68d1e3d 100644 --- a/pages/common/unar.md +++ b/pages/common/unar.md @@ -5,20 +5,20 @@ - Extract an archive to the current directory: -`unar {{archive}}` +`unar {{path/to/archive}}` - Extract an archive to the specified directory: -`unar -o {{path/to/directory}} {{archive}}` +`unar -o {{path/to/directory}} {{path/to/archive}}` - Force overwrite if files to be unpacked already exist: -`unar -f {{archive}}` +`unar -f {{path/to/archive}}` - Force rename if files to be unpacked already exist: -`unar -r {{archive}}` +`unar -r {{path/to/archive}}` - Force skip if files to be unpacked already exist: -`unar -s {{archive}}` +`unar -s {{path/to/archive}}` diff --git a/pages/common/unison.md b/pages/common/unison.md index 97e6359db..5309a8bb4 100644 --- a/pages/common/unison.md +++ b/pages/common/unison.md @@ -1,7 +1,7 @@ # unison > Bidirectional file synchronisation tool. -> More information: . +> More information: . - Sync two directories (creates log first time these two directories are synchronized): diff --git a/pages/common/units.md b/pages/common/units.md index d287fdc70..814be86b2 100644 --- a/pages/common/units.md +++ b/pages/common/units.md @@ -1,6 +1,6 @@ # units -> Provide the conversion between two units of measure. +> Convert between two units of measure. > More information: . - Run in interactive mode: diff --git a/pages/common/unzip.md b/pages/common/unzip.md index c5817ff57..82b8d5679 100644 --- a/pages/common/unzip.md +++ b/pages/common/unzip.md @@ -1,6 +1,6 @@ # unzip -> Extract files/directories from ZIP archives. +> Extract files/directories from Zip archives. > See also: `zip`. > More information: . @@ -26,4 +26,4 @@ - Extract a specific file from an archive: -`unzip -j {{path/to/archive.zip}} {{path/to/file_in_archive1 path/to/file_in_archive2 ...}}` +`unzip -j {{path/to/archive.zip}} {{path/to/file1_in_archive path/to/file2_in_archive ...}}` diff --git a/pages/common/upt.md b/pages/common/upt.md new file mode 100644 index 000000000..d39166e23 --- /dev/null +++ b/pages/common/upt.md @@ -0,0 +1,38 @@ +# upt + +> Unified interface for managing packages across various operating systems, like Windows, many Linux distributions, macOS, FreeBSD and even Haiku. +> It requires the native OS package manager to be installed. +> See also: `flatpak`, `brew`, `scoop`, `apt`, `dnf`. +> More information: . + +- Update the list of available packages: + +`upt update` + +- Search for a given package: + +`upt search {{search_term}}` + +- Show information for a package: + +`upt info {{package}}` + +- Install a given package: + +`upt install {{package}}` + +- Remove a given package: + +`upt {{remove|uninstall}} {{package}}` + +- Upgrade all installed packages: + +`upt upgrade` + +- Upgrade a given package: + +`upt upgrade {{package}}` + +- List installed packages: + +`upt list` diff --git a/pages/common/usql.md b/pages/common/usql.md index 48c3614ed..fe0670719 100644 --- a/pages/common/usql.md +++ b/pages/common/usql.md @@ -15,10 +15,6 @@ `usql --command="{{sql_command}}"` -- List databases available on the server: - -`usql --list-databases` - - Run an SQL command in the `usql` prompt: `{{prompt}}=> {{command}}` @@ -29,8 +25,8 @@ - Export query results to a specific file: -`{{prompt}}=> \g {{/path/to/results.txt}}` +`{{prompt}}=> \g {{path/to/file_with_results}}` - Import data from a CSV file into a specific table: -`{{prompt}}=> \copy {{/path/to/data.csv}} {{table_name}}` +`{{prompt}}=> \copy {{path/to/data.csv}} {{table_name}}` diff --git a/pages/common/uv-python.md b/pages/common/uv-python.md new file mode 100644 index 000000000..9ce2a4c00 --- /dev/null +++ b/pages/common/uv-python.md @@ -0,0 +1,28 @@ +# uv python + +> Manage Python versions and installations. +> More information: . + +- List all available Python installations: + +`uv python list` + +- Install a Python version: + +`uv python install {{version}}` + +- Uninstall a Python version: + +`uv python uninstall {{version}}` + +- Search for a Python installation: + +`uv python find {{version}}` + +- Pin the current project to use a specific Python version: + +`uv python pin {{version}}` + +- Show the `uv` Python installation directory: + +`uv python dir` diff --git a/pages/common/uv-tool.md b/pages/common/uv-tool.md new file mode 100644 index 000000000..535bf0aa8 --- /dev/null +++ b/pages/common/uv-tool.md @@ -0,0 +1,24 @@ +# uv tool + +> Install and run commands provided by Python packages. +> More information: . + +- Run a command from a package, without installing it: + +`uv tool run {{command}}` + +- Install a Python package system-wide: + +`uv tool install {{package}}` + +- Upgrade an installed Python package: + +`uv tool upgrade {{package}}` + +- Uninstall a Python package: + +`uv tool uninstall {{package}}` + +- List Python packages installed system-wide: + +`uv tool list` diff --git a/pages/common/uv.md b/pages/common/uv.md new file mode 100644 index 000000000..d2a437593 --- /dev/null +++ b/pages/common/uv.md @@ -0,0 +1,37 @@ +# uv + +> A fast Python package and project manager. +> Some subcommands such as `uv tool` and `uv python` have their own usage documentation. +> More information: . + +- Create a new Python project in the current directory: + +`uv init` + +- Create a new Python project in a directory with the given name: + +`uv init {{project_name}}` + +- Add a new package to the project: + +`uv add {{package}}` + +- Remove a package from the project: + +`uv remove {{package}}` + +- Run a script in the project's environment: + +`uv run {{path/to/script.py}}` + +- Run a command in the project's environment: + +`uv run {{command}}` + +- Update a project's environment from `pyproject.toml`: + +`uv sync` + +- Create a lock file for the project's dependencies: + +`uv lock` diff --git a/pages/common/vboxmanage-cloud.md b/pages/common/vboxmanage-cloud.md index d5bf01f31..80b67f5e3 100644 --- a/pages/common/vboxmanage-cloud.md +++ b/pages/common/vboxmanage-cloud.md @@ -25,7 +25,7 @@ - Create a new image: -`VBoxManage cloud --provider={{provider_name}} --profile={{profile_name}} image create --instance-id={{instance_id}} --display-name={{display_name}} --compartment-id={{compartmet_id}}` +`VBoxManage cloud --provider={{provider_name}} --profile={{profile_name}} image create --instance-id={{instance_id}} --display-name={{display_name}} --compartment-id={{compartment_id}}` - Retrieve information about a particular image: diff --git a/pages/common/vboxmanage-registervm.md b/pages/common/vboxmanage-registervm.md index 5ec2f3b09..00ed83359 100644 --- a/pages/common/vboxmanage-registervm.md +++ b/pages/common/vboxmanage-registervm.md @@ -11,6 +11,6 @@ `VBoxManage registervm {{path/to/filename.vbox}} --password {{path/to/password_file}}` -- Prompt for the encryption password on the command line: +- Prompt for the encryption password on the command-line: `VBoxManage registervm {{path/to/filename.vbox}} --password -` diff --git a/pages/common/vcsh.md b/pages/common/vcsh.md index 3ec8b0e88..9f01bc613 100644 --- a/pages/common/vcsh.md +++ b/pages/common/vcsh.md @@ -1,6 +1,7 @@ # vcsh > Version Control System for the home directory using Git repositories. +> See also: `chezmoi`, `stow`, `tuckr`, `homeshick`. > More information: . - Initialize an (empty) repository: diff --git a/pages/common/venv.md b/pages/common/venv.md index 5a99b5d8b..d9a0cbab7 100644 --- a/pages/common/venv.md +++ b/pages/common/venv.md @@ -5,7 +5,7 @@ - Create a Python virtual environment: -` python -m venv {{path/to/virtual_environment}}` +`python -m venv {{path/to/virtual_environment}}` - Activate the virtual environment (Linux and macOS): diff --git a/pages/common/verilator.md b/pages/common/verilator.md index bf78d0814..e289c232f 100644 --- a/pages/common/verilator.md +++ b/pages/common/verilator.md @@ -1,6 +1,6 @@ # verilator -> Converts Verilog and SystemVerilog hardware description language (HDL) design into a C++ or SystemC model to be executed after compiling. +> Convert Verilog and SystemVerilog hardware description language (HDL) design into a C++ or SystemC model to be executed after compiling. > More information: . - Build a specific C project in the current directory: diff --git a/pages/common/vifm.md b/pages/common/vifm.md index 07d45f2d1..2f656b168 100644 --- a/pages/common/vifm.md +++ b/pages/common/vifm.md @@ -1,6 +1,7 @@ # vifm -> VI File Manager is a command-line file manager. +> VI File Manager is a TUI file manager. +> See also: `clifm`, `vifm`, `mc`, `caja`. > More information: . - Open the current directory: diff --git a/pages/common/virsh-connect.md b/pages/common/virsh-connect.md index 5232e84d5..e8e50cc27 100644 --- a/pages/common/virsh-connect.md +++ b/pages/common/virsh-connect.md @@ -16,6 +16,6 @@ `virsh connect qemu:///session` -- Connect as root to a remote hypervisor using ssh: +- Connect as root to a remote hypervisor using SSH: `virsh connect qemu+ssh://{{user_name@host_name}}/system` diff --git a/pages/common/virsh.md b/pages/common/virsh.md index ecfb40a45..516077354 100644 --- a/pages/common/virsh.md +++ b/pages/common/virsh.md @@ -1,8 +1,8 @@ # virsh -> Manage virsh guest domains. (Note: 'guest_id' can be the id, name or UUID of the guest). +> Manage virsh guest domains. (Note: 'guest_id' can be the ID, name or UUID of the guest). > Some subcommands such as `virsh list` have their own usage documentation. -> More information: . +> More information: . - Connect to a hypervisor session: diff --git a/pages/common/virt-qemu-run.md b/pages/common/virt-qemu-run.md new file mode 100644 index 000000000..3249228a5 --- /dev/null +++ b/pages/common/virt-qemu-run.md @@ -0,0 +1,20 @@ +# virt-qemu-run + +> Experimental tool to run a QEMU Guest VM independent of `libvirtd`. +> More information: . + +- Run a QEMU virtual machine: + +`virt-qemu-run {{path/to/guest.xml}}` + +- Run a QEMU virtual machine and store the state in a specific directory: + +`virt-qemu-run --root={{path/to/directory}} {{path/to/guest.xml}}` + +- Run a QEMU virtual machine and display verbose information about the startup: + +`virt-qemu-run --verbose {{path/to/guest.xml}}` + +- Display help: + +`virt-qemu-run --help` diff --git a/pages/common/vlc.md b/pages/common/vlc.md index 43727ba56..a71414678 100644 --- a/pages/common/vlc.md +++ b/pages/common/vlc.md @@ -1,6 +1,7 @@ # vlc > Cross-platform multimedia player. +> See also: `mpv`, `mplayer`, `ytfzf`. > More information: . - Play a file: diff --git a/pages/common/vt.md b/pages/common/vt.md index 512a50ef1..5291ce901 100644 --- a/pages/common/vt.md +++ b/pages/common/vt.md @@ -16,7 +16,7 @@ `vt analysis {{file_id|analysis_id}}` -- Download files in encrypted `.zip` format (requires premium account): +- Download files in encrypted Zip format (requires premium account): `vt download {{file_id}} --output {{path/to/directory}} --zip --zip-password {{password}}` diff --git a/pages/common/vulkaninfo.md b/pages/common/vulkaninfo.md new file mode 100644 index 000000000..138310420 --- /dev/null +++ b/pages/common/vulkaninfo.md @@ -0,0 +1,16 @@ +# vulkaninfo + +> Print system Vulkan information. +> More information: . + +- Print full Vulkan information: + +`vulkaninfo` + +- Print a summary: + +`vulkaninfo --summary` + +- Make a HTML document of the full Vulkan information: + +`vulkaninfo --html` diff --git a/pages/common/wafw00f.md b/pages/common/wafw00f.md new file mode 100644 index 000000000..b2018732d --- /dev/null +++ b/pages/common/wafw00f.md @@ -0,0 +1,32 @@ +# wafw00f + +> Identify and fingerprint Web Application Firewall (WAF) products protecting a website. +> More information: . + +- Check if a website is using any WAF: + +`wafw00f {{https://www.example.com}}` + +- Test for [a]ll detectable WAFs without stopping at the first match: + +`wafw00f --findall {{https://www.example.com}}` + +- Pass requests through a [p]roxy (such as BurpSuite): + +`wafw00f --proxy {{http://localhost:8080}} {{https://www.example.com}}` + +- [t]est for a specific WAF product (run `wafw00f -l` to get list of all supported WAFs): + +`wafw00f --test {{Cloudflare|Cloudfront|Fastly|ZScaler|...}} {{https://www.example.com}}` + +- Pass custom [H]eaders from a file: + +`wafw00f --headers {{path/to/headers.txt}} {{https://www.example.com}}` + +- Read target [i]nputs from a file and show verbose output (multiple `v` for more verbosity): + +`wafw00f --input {{path/to/urls.txt}} -v{{v}}` + +- [l]ist all WAFs that can be detected: + +`wafw00f --list` diff --git a/pages/common/wakeonlan.md b/pages/common/wakeonlan.md new file mode 100644 index 000000000..fb7fab179 --- /dev/null +++ b/pages/common/wakeonlan.md @@ -0,0 +1,20 @@ +# wakeonlan + +> Send packets to wake-on-LAN (WOL) enabled PCs. +> More information: . + +- Send packets to all devices on the local network (255.255.255.255) by specifying a MAC address: + +`wakeonlan {{01:02:03:04:05:06}}` + +- Send packet to a specific device via IP address: + +`wakeonlan {{01:02:03:04:05:06}} -i {{192.168.178.2}}` + +- Print the commands, but don't execute them (dry-run): + +`wakeonlan -n {{01:02:03:04:05:06}}` + +- Run in quiet mode: + +`wakeonlan -q {{01:02:03:04:05:06}}` diff --git a/pages/common/warp-diag.md b/pages/common/warp-diag.md index 3c0cd4f4a..e693757f2 100644 --- a/pages/common/warp-diag.md +++ b/pages/common/warp-diag.md @@ -4,11 +4,11 @@ > See also: `warp-cli`. > More information: . -- Generate a `zip` file with information about the system configuration and the WARP connection: +- Generate a Zip file with information about the system configuration and the WARP connection: `warp-diag` -- Generate a `zip` file with debug information including a timestamp to the output filename: +- Generate a Zip file with debug information including a timestamp to the output filename: `warp-diag --add-ts` diff --git a/pages/common/waybar.md b/pages/common/waybar.md new file mode 100644 index 000000000..65d4b4ed2 --- /dev/null +++ b/pages/common/waybar.md @@ -0,0 +1,20 @@ +# waybar + +> Highly customizable Wayland bar for Sway and Wlroots based compositors. +> More information: . + +- Start `waybar` with the default configuration and stylesheet: + +`waybar` + +- Use a different configuration file: + +`waybar {{-c|--config}} {{path/to/config.jsonc}}` + +- Use a different stylesheet file: + +`waybar {{-s|--style}} {{path/to/stylesheet.css}}` + +- Set the logging level: + +`waybar {{-l|--log-level}} {{trace|debug|info|warning|error|critical|off}}` diff --git a/pages/common/waymore.md b/pages/common/waymore.md new file mode 100644 index 000000000..5c24efb02 --- /dev/null +++ b/pages/common/waymore.md @@ -0,0 +1,21 @@ +# waymore + +> Fetch URLs of a domain from Wayback Machine, Common Crawl, Alien Vault OTX, URLScan, and VirusTotal. +> Note: Unless specified, output is dumped into the `results/` directory where waymore's `config.yml` resides (by default in `~/.config/waymore/`). +> More information: . + +- Search for URLs of a domain (output will typically be in `~/.config/waymore/results/`): + +`waymore -i {{example.com}}` + +- Limit search results to only include a list of URLs for a domain and store outputs to the specified file: + +`waymore -mode U -oU {{path/to/example.com-urls.txt}} -i {{example.com}}` + +- Only output the content bodies of URLs and store outputs to the specified directory: + +`waymore -mode R -oR {{path/to/example.com-url-responses}} -i {{example.com}}` + +- Filter the results by specifying date ranges: + +`waymore -from {{YYYYMMDD|YYYYMM|YYYY}} -to {{YYYYMMDD|YYYYMM|YYYY}} -i {{example.com}}` diff --git a/pages/common/wdiff.md b/pages/common/wdiff.md new file mode 100644 index 000000000..d90a38ef8 --- /dev/null +++ b/pages/common/wdiff.md @@ -0,0 +1,16 @@ +# wdiff + +> Display word differences between text files. +> More information: . + +- Compare two files: + +`wdiff {{path/to/file1}} {{path/to/file2}}` + +- Ignore case when comparing: + +`wdiff --ignore-case {{path/to/file1}} {{path/to/file2}}` + +- Display how many words are deleted, inserted or replaced: + +`wdiff --statistics {{path/to/file1}} {{path/to/file2}}` diff --git a/pages/common/webpack.md b/pages/common/webpack.md index c61d53988..66e54a33f 100644 --- a/pages/common/webpack.md +++ b/pages/common/webpack.md @@ -7,7 +7,7 @@ `webpack {{app.js}} {{bundle.js}}` -- Load CSS files too from the JavaScript file (this uses the CSS loader for `.css` files): +- Load CSS files too from the JavaScript file (this uses the CSS loader for CSS files): `webpack {{app.js}} {{bundle.js}} --module-bind '{{css=css}}'` diff --git a/pages/common/wfuzz.md b/pages/common/wfuzz.md index 90de31ab1..513adfb6f 100644 --- a/pages/common/wfuzz.md +++ b/pages/common/wfuzz.md @@ -3,18 +3,34 @@ > A web application bruteforcer. > More information: . -- Directory and file bruteforce using the specified wordlist and also proxying the traffic: +- Directory and file bruteforce using the specified [w]ordlist and also [p]roxying the traffic: -`wfuzz -w {{path/to/file}} -p {{127.0.0.1:8080}} {{http://example.com/FUZZ}}` +`wfuzz -w {{path/to/file}} -p {{127.0.0.1:8080:HTTP}} {{http://example.com/FUZZ}}` -- Save the results to a file: +- Save the results to a [f]ile: `wfuzz -w {{path/to/file}} -f {{filename}} {{http://example.com/FUZZ}}` -- Show colorized output while only showing the declared response codes in the output: +- Show [c]olorized output while only showing the declared response codes in the output: `wfuzz -c -w {{path/to/file}} --sc {{200,301,302}} {{http://example.com/FUZZ}}` -- Use a custom header to fuzz subdomains while hiding specific response codes and word counts. Increase the threads to 100 and include the target ip/domain: +- Use a custom [H]eader to fuzz subdomains while [h]iding specific response [c]odes and word counts. Increase the [t]hreads to 100 and include the target ip/domain: `wfuzz -w {{path/to/file}} -H {{"Host: FUZZ.example.com"}} --hc {{301}} --hw {{222}} -t {{100}} {{example.com}}` + +- Brute force Basic Authentication using a list of usernames and passwords from files for each FUZ[z] keyword, [h]iding response [c]odes of unsuccessful attempts: + +`wfuzz -c --hc {{401}} -s {{delay_between_requests_in_seconds}} -z file,{{path/to/usernames}} -z file,{{path/to/passwords}} --basic 'FUZZ:FUZ2Z' {{https://example.com}}` + +- Provide wordlist directly from the command-line and use POST request for fuzzing: + +`wfuzz -z list,{{word1-word2-...}} {{https://api.example.com}} -d {{"id=FUZZ&showwallet=true"}}` + +- Provide wordlists from a file applying base64 and md5 encoding on them (`wfuzz -e encoders` lists all available encoders): + +`wfuzz -z file,{{path/to/file}},none-base64-md5 {{https://example.com/FUZZ}}` + +- List available encoders/payloads/iterators/printers/scripts: + +`wfuzz -e {{encoders|payloads|iterators|printers|scripts}}` diff --git a/pages/common/whatwaf.md b/pages/common/whatwaf.md new file mode 100644 index 000000000..12c7567c4 --- /dev/null +++ b/pages/common/whatwaf.md @@ -0,0 +1,32 @@ +# whatwaf + +> Detect and bypass web application firewalls and protection systems. +> More information: . + +- Detect protection on a single [u]RL, optionally use verbose output: + +`whatwaf --url {{https://example.com}} --verbose` + +- Detect protection on a [l]ist of URLs in parallel from a file (one URL per line): + +`whatwaf --threads {{number}} --list {{path/to/file}}` + +- Send requests through a proxy and use custom payload list from a file (one payload per line): + +`whatwaf --proxy {{http://127.0.0.1:8080}} --pl {{path/to/file}} -u {{https://example.com}}` + +- Send requests through Tor (Tor must be installed) using custom [p]ayloads (comma-separated): + +`whatwaf --tor --payloads '{{payload1,payload2,...}}' -u {{https://example.com}}` + +- Use a random user-agent, set throttling and timeout, send a [P]OST request, and force HTTPS connection: + +`whatwaf --ra --throttle {{seconds}} --timeout {{seconds}} --post --force-ssl -u {{http://example.com}}` + +- List all WAFs that can be detected: + +`whatwaf --wafs` + +- List all available tamper scripts: + +`whatwaf --tampers` diff --git a/pages/common/whereis.md b/pages/common/whereis.md index 6ee3f8a0f..1bde40421 100644 --- a/pages/common/whereis.md +++ b/pages/common/whereis.md @@ -3,7 +3,7 @@ > Locate the binary, source, and manual page files for a command. > More information: . -- Locate binary, source and man pages for ssh: +- Locate binary, source and man pages for SSH: `whereis {{ssh}}` diff --git a/pages/common/who.md b/pages/common/who.md index cf2bc03e2..7a32f9127 100644 --- a/pages/common/who.md +++ b/pages/common/who.md @@ -1,16 +1,13 @@ # who > Display who is logged in and related data (processes, boot time). +> See also: `whoami`. > More information: . - Display the username, line, and time of all currently logged-in sessions: `who` -- Display information only for the current terminal session: - -`who am i` - - Display all available information: `who -a` diff --git a/pages/common/wikit.md b/pages/common/wikit.md index b8e55ba94..dc2ef00a0 100644 --- a/pages/common/wikit.md +++ b/pages/common/wikit.md @@ -1,6 +1,6 @@ # wikit -> A command line program for getting Wikipedia summaries easily. +> A command-line program for getting Wikipedia summaries easily. > More information: . - Show a short summary of a specific topic on Wikipedia: diff --git a/pages/common/wireplumber.md b/pages/common/wireplumber.md index 421df182f..e8b170ac9 100644 --- a/pages/common/wireplumber.md +++ b/pages/common/wireplumber.md @@ -2,7 +2,7 @@ > A modular session/policy manager for PipeWire and a GObject-based high-level library that wraps PipeWire’s API. > See also: `wpctl`, `pipewire`. -> More information: . +> More information: . - Make WirePlumber start with the user session immediately (for systemd systems): diff --git a/pages/common/wpexec.md b/pages/common/wpexec.md index 64c90ecc4..9d5e33e4d 100644 --- a/pages/common/wpexec.md +++ b/pages/common/wpexec.md @@ -2,7 +2,7 @@ > Run WirePlumber Lua scripts. > See also: `wpctl`, `wireplumber`. -> More information: . +> More information: . - Run a WirePlumber script: diff --git a/pages/common/write.md b/pages/common/write.md index 6a7315d24..bdd45f35d 100644 --- a/pages/common/write.md +++ b/pages/common/write.md @@ -4,7 +4,7 @@ > Use the `who` command to find out all terminal_ids of all active users active on the system. See also `mesg`. > More information: . -- Send a message to a given user on a given terminal id: +- Send a message to a given user on a given terminal ID: `write {{username}} {{terminal_id}}` diff --git a/pages/common/xargs.md b/pages/common/xargs.md index bc6b754c1..dc56cb1f9 100644 --- a/pages/common/xargs.md +++ b/pages/common/xargs.md @@ -12,9 +12,13 @@ `{{arguments_source}} | xargs sh -c "{{command1}} && {{command2}} | {{command3}}"` -- Delete all files with a `.backup` extension (`-print0` uses a null character to split file names, and `-0` uses it as delimiter): +- Gzip all files with `.log` extension taking advantage of multiple threads (`-print0` uses a null character to split file names, and `-0` uses it as delimiter): -`find . -name {{'*.backup'}} -print0 | xargs -0 rm -v` +`find . -name '*.log' -print0 | xargs -0 -P {{4}} -n 1 gzip` + +- Execute the command once per argument: + +`{{arguments_source}} | xargs -n1 {{command}}` - Execute the command once for each input line, replacing any occurrences of the placeholder (here marked as `_`) with the input line: diff --git a/pages/common/xdelta.md b/pages/common/xdelta.md index 067cadc5a..f9ba5bb45 100644 --- a/pages/common/xdelta.md +++ b/pages/common/xdelta.md @@ -2,7 +2,7 @@ > Delta encoding utility. > Often used for applying patches to binary files. -> More information: . +> More information: . - Apply a patch: diff --git a/pages/common/xh.md b/pages/common/xh.md index c033a43af..3cc59cb6d 100644 --- a/pages/common/xh.md +++ b/pages/common/xh.md @@ -1,6 +1,8 @@ # xh > Friendly and fast tool for sending HTTP requests. +> Note: `xh`, written in rust, serves as an effective drop-in replacement for `http`. +> See also: `http`, `curl`. > More information: . - Send a GET request: @@ -22,3 +24,7 @@ - Make a GET request and save the response body to a file: `xh --download {{httpbin.org/json}} --output {{path/to/file}}` + +- Show equivalent `curl` command (this will not send any request): + +`xh --{{curl|curl-long}} {{--follow --verbose get http://example.com user-agent:curl}}` diff --git a/pages/common/xkill.md b/pages/common/xkill.md index f86234649..bc63c0bc3 100644 --- a/pages/common/xkill.md +++ b/pages/common/xkill.md @@ -12,6 +12,6 @@ `xkill -button any` -- Kill a window with a specific id (use `xwininfo` to get info about windows): +- Kill a window with a specific ID (use `xwininfo` to get info about windows): `xkill -id {{id}}` diff --git a/pages/common/xmake.md b/pages/common/xmake.md new file mode 100644 index 000000000..fdc05dbb8 --- /dev/null +++ b/pages/common/xmake.md @@ -0,0 +1,24 @@ +# xmake + +> A cross-platform C & C++ build utility based on Lua. +> More information: . + +- Create an Xmake C project, consisting of a hello world and `xmake.lua`: + +`xmake create --language c -P {{project_name}}` + +- Build and run an Xmake project: + +`xmake build run` + +- Run a compiled Xmake target directly: + +`xmake run {{target_name}}` + +- Configure a project's build targets: + +`xmake config --plat={{macosx|linux|iphoneos|...}} --arch={{x86_64|i386|arm64|...}} --mode={{debug|release}}` + +- Install the compiled target to a directory: + +`xmake install -o {{path/to/directory}}` diff --git a/pages/common/xprop.md b/pages/common/xprop.md index 86bbe076f..71120de5d 100644 --- a/pages/common/xprop.md +++ b/pages/common/xprop.md @@ -15,6 +15,6 @@ `xprop -font "{{font_name}}" POINT_SIZE` -- Display all the properties of the window with the id 0x200007: +- Display all the properties of the window with the ID 0x200007: `xprop -id {{0x200007}}` diff --git a/pages/common/xz.md b/pages/common/xz.md index 1ed5a10c2..ac3e93e48 100644 --- a/pages/common/xz.md +++ b/pages/common/xz.md @@ -1,13 +1,13 @@ # xz -> Compress or decompress `.xz` and `.lzma` files. +> Compress or decompress XZ and LZMA files. > More information: . - Compress a file using xz: `xz {{path/to/file}}` -- Decompress an xz file: +- Decompress an XZ file: `xz --decompress {{path/to/file.xz}}` @@ -15,7 +15,7 @@ `xz --format=lzma {{path/to/file}}` -- Decompress an lzma file: +- Decompress an LZMA file: `xz --decompress --format=lzma {{path/to/file.lzma}}` diff --git a/pages/common/ya.md b/pages/common/ya.md new file mode 100644 index 000000000..97d2c8771 --- /dev/null +++ b/pages/common/ya.md @@ -0,0 +1,28 @@ +# ya + +> Manage Yazi packages and plugins. +> More information: . + +- Add a package: + +`ya pack -a {{package}}` + +- Upgrade all packages: + +`ya pack -u` + +- Subscribe to messages from all remote instances: + +`ya sub {{kinds}}` + +- Publish a message to the current instance with string body: + +`ya pub --str {{string_message}}` + +- Publish a message to the current instance with JSON body: + +`ya pub --json {{json_message}}` + +- Publish a message to the specified instance with string body: + +`ya pub-to --str {{message}} {{receiver}} {{kind}}` diff --git a/pages/common/yacc.md b/pages/common/yacc.md index a598cadc4..b84f368e2 100644 --- a/pages/common/yacc.md +++ b/pages/common/yacc.md @@ -2,7 +2,7 @@ > Generate an LALR parser (in C) with a formal grammar specification file. > See also: `bison`. -> More information: . +> More information: . - Create a file `y.tab.c` containing the C parser code and compile the grammar file with all necessary constant declarations for values. (Constant declarations file `y.tab.h` is created only when the `-d` flag is used): diff --git a/pages/common/yazi.md b/pages/common/yazi.md new file mode 100644 index 000000000..e4fa20523 --- /dev/null +++ b/pages/common/yazi.md @@ -0,0 +1,21 @@ +# yazi + +> Blazing fast terminal file manager written in Rust. +> Efficient, user-friendly, and customizable file management experience. +> More information: . + +- Launch Yazi from the current directory: + +`yazi` + +- Print debug information: + +`yazi --debug` + +- Write the current working directory on exit to the file: + +`yazi --cwd-file {{path/to/cwd_file}}` + +- Clear the cache directory: + +`yazi --clear-cache` diff --git a/pages/common/you-get.md b/pages/common/you-get.md index e6dec4a8a..0d7ac7893 100644 --- a/pages/common/you-get.md +++ b/pages/common/you-get.md @@ -1,6 +1,7 @@ # you-get > Download media contents (videos, audios, images) from the Web. +> See also: `yt-dlp`, `youtube-viewer`, `instaloader`. > More information: . - Print media information about a specific media on the web: diff --git a/pages/common/youtube-dl.md b/pages/common/youtube-dl.md index 938faad49..240063d63 100644 --- a/pages/common/youtube-dl.md +++ b/pages/common/youtube-dl.md @@ -1,6 +1,7 @@ # youtube-dl > Download videos from YouTube and other websites. +> See also: `yt-dlp`, `ytfzf`, `you-get`. > More information: . - Download a video or playlist: diff --git a/pages/common/youtube-viewer.md b/pages/common/youtube-viewer.md index e1485d7c5..5da879e38 100644 --- a/pages/common/youtube-viewer.md +++ b/pages/common/youtube-viewer.md @@ -1,6 +1,7 @@ # youtube-viewer > Search and play videos from YouTube. +> See also: `you-get`, `ytfzf`, `yt-dlp`. > More information: . - Search for a video: diff --git a/pages/common/yt-dlp.md b/pages/common/yt-dlp.md index d560237a4..5e5cec100 100644 --- a/pages/common/yt-dlp.md +++ b/pages/common/yt-dlp.md @@ -2,6 +2,7 @@ > A youtube-dl fork with additional features and fixes. > Download videos from YouTube and other websites. +> See also: `yt-dlp`, `ytfzf`. > More information: . - Download a video or playlist (with the default options from command below): @@ -12,7 +13,7 @@ `yt-dlp --list-formats "{{https://www.youtube.com/watch?v=oHg5SJYRHA0}}"` -- Download a video with a defined format, in this case the best mp4 video available (default is "bv\*+ba/b"): +- Download a video or playlist using the best MP4 video available (default is "bv\*+ba/b"): `yt-dlp --format "{{bv*[ext=mp4]+ba[ext=m4a]/b[ext=mp4]}}" "{{https://www.youtube.com/watch?v=oHg5SJYRHA0}}"` @@ -24,14 +25,10 @@ `yt-dlp --extract-audio --audio-format {{mp3}} --audio-quality {{0}} "{{https://www.youtube.com/watch?v=oHg5SJYRHA0}}"` -- Download all playlists of YouTube channel/user keeping each playlist in separate directory: +- Download all playlists of a YouTube channel/user keeping each playlist in a separate directory: `yt-dlp -o "{{%(uploader)s/%(playlist)s/%(playlist_index)s - %(title)s.%(ext)s}}" "{{https://www.youtube.com/user/TheLinuxFoundation/playlists}}"` -- Download Udemy course keeping each chapter in separate directory under MyVideos directory in your home: +- Download a Udemy course keeping each chapter in a separate directory: -`yt-dlp -u {{user}} -p {{password}} -P "{{~/MyVideos}}" -o "{{%(playlist)s/%(chapter_number)s - %(chapter)s/%(title)s.%(ext)s}}" "{{https://www.udemy.com/java-tutorial}}"` - -- Download entire series season keeping each series and each season in separate directory under C:/MyVideos: - -`yt-dlp -P "{{C:/MyVideos}}" -o "{{%(series)s/%(season_number)s - %(season)s/%(episode_number)s - %(episode)s.%(ext)s}}" "{{https://videomore.ru/kino_v_detalayah/5_sezon/367617}}"` +`yt-dlp -u {{user}} -p {{password}} -P "{{path/to/directory}}" -o "{{%(playlist)s/%(chapter_number)s - %(chapter)s/%(title)s.%(ext)s}}" "{{https://www.udemy.com/java-tutorial}}"` diff --git a/pages/common/z.md b/pages/common/z.md index ed5d4af1e..b7f21f777 100644 --- a/pages/common/z.md +++ b/pages/common/z.md @@ -1,6 +1,6 @@ # z -> Tracks the most used (by frecency) directories and enables quickly navigating to them using string patterns or regular expressions. +> Tracks the most used (by frequency) directories and enables quickly navigating to them using string patterns or regular expressions. > More information: . - Go to a directory that contains "foo" in the name: diff --git a/pages/common/zeek.md b/pages/common/zeek.md index c34be6e8f..3492b32a0 100644 --- a/pages/common/zeek.md +++ b/pages/common/zeek.md @@ -24,6 +24,6 @@ `sudo zeek --watchdog --iface {{interface}}` -- Analyze traffic from a `pcap` file: +- Analyze traffic from a PCAP file: `zeek --readfile {{path/to/file.trace}}` diff --git a/pages/common/zint.md b/pages/common/zint.md new file mode 100644 index 000000000..b10131455 --- /dev/null +++ b/pages/common/zint.md @@ -0,0 +1,16 @@ +# zint + +> Generate barcodes and QR codes. +> More information: . + +- Generate a barcode and save it: + +`zint --data "{{UTF-8 data}}" --output {{path/to/file}}` + +- Specify a code type for generation: + +`zint --barcode {{code_type}} --data "{{UTF-8 data}}" --output {{path/to/file}}` + +- List all supported code types: + +`zint --types` diff --git a/pages/common/zip.md b/pages/common/zip.md index aa3722a73..fc26fd855 100644 --- a/pages/common/zip.md +++ b/pages/common/zip.md @@ -1,6 +1,6 @@ # zip -> Package and compress (archive) files into `zip` archive. +> Package and compress (archive) files into a Zip archive. > See also: `unzip`. > More information: . @@ -24,7 +24,7 @@ `zip -r -e {{path/to/compressed.zip}} {{path/to/file_or_directory1 path/to/file_or_directory2 ...}}` -- Archive files/directories to a multi-part [s]plit `zip` archive (e.g. 3 GB parts): +- Archive files/directories to a multi-part [s]plit Zip archive (e.g. 3 GB parts): `zip -r -s {{3g}} {{path/to/compressed.zip}} {{path/to/file_or_directory1 path/to/file_or_directory2 ...}}` diff --git a/pages/common/zip2john.md b/pages/common/zip2john.md index f5346aaa7..cf51beb19 100644 --- a/pages/common/zip2john.md +++ b/pages/common/zip2john.md @@ -1,6 +1,6 @@ # zip2john -> Extract password hashes from `zip` archives for use with John the Ripper password cracker. +> Extract password hashes from Zip archives for use with John the Ripper password cracker. > This is a utility tool usually installed as part of the John the Ripper installation. > More information: . diff --git a/pages/common/zipalign.md b/pages/common/zipalign.md index 33e2d8c29..8680fb93c 100644 --- a/pages/common/zipalign.md +++ b/pages/common/zipalign.md @@ -4,10 +4,10 @@ > Part of the Android SDK build tools. > More information: . -- Align the data of a ZIP file on 4-byte boundaries: +- Align the data of a Zip file on 4-byte boundaries: `zipalign {{4}} {{path/to/input.zip}} {{path/to/output.zip}}` -- Check that a ZIP file is correctly aligned on 4-byte boundaries and display the results in a verbose manner: +- Check that a Zip file is correctly aligned on 4-byte boundaries and display the results in a verbose manner: `zipalign -v -c {{4}} {{path/to/input.zip}}` diff --git a/pages/common/zipcloak.md b/pages/common/zipcloak.md new file mode 100644 index 000000000..da03d4b03 --- /dev/null +++ b/pages/common/zipcloak.md @@ -0,0 +1,16 @@ +# zipcloak + +> Encrypt the contents within a Zip archive. +> More information: . + +- Encrypt the contents of a Zip archive: + +`zipcloak {{path/to/archive.zip}}` + +- [d]ecrypt the contents of a Zip archive: + +`zipcloak -d {{path/to/archive.zip}}` + +- [O]utput the encrypted contents into a new Zip archive: + +`zipcloak {{path/to/archive.zip}} -O {{path/to/encrypted.zip}}` diff --git a/pages/common/zipgrep.md b/pages/common/zipgrep.md index a85300857..db197b04b 100644 --- a/pages/common/zipgrep.md +++ b/pages/common/zipgrep.md @@ -1,9 +1,9 @@ # zipgrep -> Find patterns in files in a ZIP archive using extended regular expression (supports `?`, `+`, `{}`, `()` and `|`). +> Find patterns in files in a Zip archive using extended regular expression (supports `?`, `+`, `{}`, `()` and `|`). > More information: . -- Search for a pattern within a ZIP archive: +- Search for a pattern within a Zip archive: `zipgrep "{{search_pattern}}" {{path/to/file.zip}}` @@ -15,10 +15,10 @@ `zipgrep -v "{{search_pattern}}" {{path/to/file.zip}}` -- Specify files inside a ZIP archive from search: +- Specify files inside a Zip archive from search: `zipgrep "{{search_pattern}}" {{path/to/file.zip}} {{file/to/search1}} {{file/to/search2}}` -- Exclude files inside a ZIP archive from search: +- Exclude files inside a Zip archive from search: `zipgrep "{{search_pattern}}" {{path/to/file.zip}} -x {{file/to/exclude1}} {{file/to/exclude2}}` diff --git a/pages/common/zipinfo.md b/pages/common/zipinfo.md index b8eb089ff..55d26d6d6 100644 --- a/pages/common/zipinfo.md +++ b/pages/common/zipinfo.md @@ -1,12 +1,12 @@ # zipinfo -> List detailed information about the contents of a `.zip` file. +> List detailed information about the contents of a Zip file. > More information: . -- List all files in a `.zip` file in long format (permissions, ownership, size, and modification date): +- List all files in a Zip file in long format (permissions, ownership, size, and modification date): `zipinfo {{path/to/archive.zip}}` -- List all files in a `.zip` file: +- List all files in a Zip file: `zipinfo -1 {{path/to/archive.zip}}` diff --git a/pages/common/zipnote.md b/pages/common/zipnote.md index 0bbbc647a..c6012faba 100644 --- a/pages/common/zipnote.md +++ b/pages/common/zipnote.md @@ -1,17 +1,17 @@ # zipnote -> View, add, or edit a `zip` archive's comments. -> Files can also be renamed in the `zip` archive. +> View, add, or edit a Zip archive's comments. +> Files can also be renamed in the Zip archive. > More information: . -- View the comments on a `zip` archive: +- View the comments on a Zip archive: `zipnote {{path/to/file.zip}}` -- Extract the comments on a `zip` archive to a file: +- Extract the comments on a Zip archive to a file: `zipnote {{path/to/file.zip}} > {{path/to/file.txt}}` -- Add/Update comments in a `zip` archive from a file: +- Add/Update comments in a Zip archive from a file: `zipnote -w {{path/to/file.zip}} < {{path/to/file.txt}}` diff --git a/pages/common/znew.md b/pages/common/znew.md index 49b5574da..eea5b791e 100644 --- a/pages/common/znew.md +++ b/pages/common/znew.md @@ -1,9 +1,9 @@ # znew -> Recompress files from `.Z` to `.gz` format. +> Recompress files from `.Z` to gzip format. > More information: . -- Recompress a file from `.Z` to `.gz` format: +- Recompress a file from `.Z` to gzip format: `znew {{path/to/file1.Z}}` @@ -15,6 +15,6 @@ `znew -9 {{path/to/file1.Z}}` -- Recompress a file, [K]eeping the `.Z` file if it is smaller than the `.gz` file: +- Recompress a file, [K]eeping the `.Z` file if it is smaller than the gzip file: `znew -K {{path/to/file1.Z}}` diff --git a/pages/freebsd/look.md b/pages/freebsd/look.md index fb46deba0..dd9f98491 100644 --- a/pages/freebsd/look.md +++ b/pages/freebsd/look.md @@ -10,11 +10,11 @@ - Case-insensitively search only on alphanumeric characters: -`look -{{f|-ignore-case}} -{{d|-alphanum}} {{prefix}} {{path/to/file}}` +`look {{-f|--ignore-case}} {{-d|--alphanum}} {{prefix}} {{path/to/file}}` -- Specify a string [t]ermination character (space by default): +- Specify a string termination character (space by default): -`look -{{t|-terminate}} {{,}}` +`look {{-t|--terminate}} {{,}}` - Search in `/usr/share/dict/words` (`--ignore-case` and `--alphanum` are assumed): diff --git a/pages/linux/a2disconf.md b/pages/linux/a2disconf.md index bc32017e9..fd6d96e43 100644 --- a/pages/linux/a2disconf.md +++ b/pages/linux/a2disconf.md @@ -1,7 +1,7 @@ # a2disconf > Disable an Apache configuration file on Debian-based OSes. -> More information: . +> More information: . - Disable a configuration file: diff --git a/pages/linux/a2dismod.md b/pages/linux/a2dismod.md index ca90e649b..cd548ced7 100644 --- a/pages/linux/a2dismod.md +++ b/pages/linux/a2dismod.md @@ -1,7 +1,7 @@ # a2dismod > Disable an Apache module on Debian-based OSes. -> More information: . +> More information: . - Disable a module: diff --git a/pages/linux/a2dissite.md b/pages/linux/a2dissite.md index 6f82b0df3..23a8d0d43 100644 --- a/pages/linux/a2dissite.md +++ b/pages/linux/a2dissite.md @@ -1,7 +1,7 @@ # a2dissite > Disable an Apache virtual host on Debian-based OSes. -> More information: . +> More information: . - Disable a virtual host: diff --git a/pages/linux/a2enconf.md b/pages/linux/a2enconf.md index 37cc678bc..6906bc96e 100644 --- a/pages/linux/a2enconf.md +++ b/pages/linux/a2enconf.md @@ -1,7 +1,7 @@ # a2enconf > Enable an Apache configuration file on Debian-based OSes. -> More information: . +> More information: . - Enable a configuration file: diff --git a/pages/linux/a2enmod.md b/pages/linux/a2enmod.md index 4c29959bc..199c30c73 100644 --- a/pages/linux/a2enmod.md +++ b/pages/linux/a2enmod.md @@ -1,7 +1,7 @@ # a2enmod > Enable an Apache module on Debian-based OSes. -> More information: . +> More information: . - Enable a module: diff --git a/pages/linux/a2ensite.md b/pages/linux/a2ensite.md index f1568538d..f55893c99 100644 --- a/pages/linux/a2ensite.md +++ b/pages/linux/a2ensite.md @@ -1,7 +1,7 @@ # a2ensite > Enable an Apache virtual host on Debian-based OSes. -> More information: . +> More information: . - Enable a virtual host: diff --git a/pages/linux/a2query.md b/pages/linux/a2query.md index 5c7e15ab8..b9812ab92 100644 --- a/pages/linux/a2query.md +++ b/pages/linux/a2query.md @@ -1,7 +1,7 @@ # a2query > Retrieve runtime configuration from Apache on Debian-based OSes. -> More information: . +> More information: . - List enabled Apache modules: diff --git a/pages/linux/add-apt-repository.md b/pages/linux/add-apt-repository.md index 506479fbf..f791ffee0 100644 --- a/pages/linux/add-apt-repository.md +++ b/pages/linux/add-apt-repository.md @@ -1,6 +1,6 @@ # add-apt-repository -> Manages `apt` repository definitions. +> Manage `apt` repository definitions. > More information: . - Add a new `apt` repository: diff --git a/pages/linux/adduser.md b/pages/linux/adduser.md index 732876926..6380b4694 100644 --- a/pages/linux/adduser.md +++ b/pages/linux/adduser.md @@ -1,7 +1,7 @@ # adduser > User addition utility. -> More information: . +> More information: . - Create a new user with a default home directory and prompt the user to set a password: diff --git a/pages/linux/agetty.md b/pages/linux/agetty.md new file mode 100644 index 000000000..6075a87c3 --- /dev/null +++ b/pages/linux/agetty.md @@ -0,0 +1,30 @@ +# agetty + +> Alternative `getty`: Open a `tty` port, prompt for a login name, and invoke the `/bin/login` command. +> It is normally invoked by `init`. +> Note: the baud rate is the speed of data transfer between a terminal and a device over a serial connection. +> More information: . + +- Connect `stdin` to a port (relative to `/dev`) and optionally specify a baud rate (defaults to 9600): + +`agetty {{tty}} {{115200}}` + +- Assume `stdin` is already connected to a `tty` and set a timeout for the login: + +`agetty {{-t|--timeout}} {{timeout_in_seconds}} -` + +- Assume the `tty` is [8]-bit, overriding the `TERM` environment variable set by `init`: + +`agetty -8 - {{term_var}}` + +- Skip the login (no login) and invoke, as root, another login program instead of `/bin/login`: + +`agetty {{-n|--skip-login}} {{-l|--login-program}} {{login_program}} {{tty}}` + +- Do not display the pre-login (issue) file (`/etc/issue` by default) before writing the login prompt: + +`agetty {{-i|--noissue}} -` + +- Change the root directory and write a specific fake host into the `utmp` file: + +`agetty {{-r|--chroot}} {{/path/to/root_directory}} {{-H|--host}} {{fake_host}} -` diff --git a/pages/linux/apache2ctl.md b/pages/linux/apache2ctl.md index 8254def05..1f3001b34 100644 --- a/pages/linux/apache2ctl.md +++ b/pages/linux/apache2ctl.md @@ -2,7 +2,7 @@ > Administrate the Apache HTTP web server. > This command comes with Debian based OSes, for RHEL based ones see `httpd`. -> More information: . +> More information: . - Start the Apache daemon. Throw a message if it is already running: diff --git a/pages/linux/apt-add-repository.md b/pages/linux/apt-add-repository.md index 13d0ca2a8..c2c575c50 100644 --- a/pages/linux/apt-add-repository.md +++ b/pages/linux/apt-add-repository.md @@ -1,7 +1,7 @@ # apt-add-repository -> Manages `apt` repository definitions. -> More information: . +> Manage `apt` repository definitions. +> More information: . - Add a new `apt` repository: diff --git a/pages/linux/apt-cache.md b/pages/linux/apt-cache.md index f67e4d7b8..ca742202d 100644 --- a/pages/linux/apt-cache.md +++ b/pages/linux/apt-cache.md @@ -1,7 +1,7 @@ # apt-cache > Debian and Ubuntu package query tool. -> More information: . +> More information: . - Search for a package in your current sources: diff --git a/pages/linux/apt-file.md b/pages/linux/apt-file.md index 23395728c..1a32a8083 100644 --- a/pages/linux/apt-file.md +++ b/pages/linux/apt-file.md @@ -1,7 +1,7 @@ # apt-file > Search for files in `apt` packages, including ones not yet installed. -> More information: . +> More information: . - Update the metadata database: diff --git a/pages/linux/apt-get.md b/pages/linux/apt-get.md index 23c96c3c1..4254bab18 100644 --- a/pages/linux/apt-get.md +++ b/pages/linux/apt-get.md @@ -3,7 +3,7 @@ > Debian and Ubuntu package management utility. > Search for packages using `apt-cache`. > It is recommended to use `apt` when used interactively in Ubuntu versions 16.04 and later. -> More information: . +> More information: . - Update the list of available packages and versions (it's recommended to run this before other `apt-get` commands): diff --git a/pages/linux/apt-key.md b/pages/linux/apt-key.md index 7f34d869e..e530a8476 100644 --- a/pages/linux/apt-key.md +++ b/pages/linux/apt-key.md @@ -2,7 +2,7 @@ > Key management utility for the APT Package Manager on Debian and Ubuntu. > Note: `apt-key` is now deprecated (except for the use of `apt-key del` in maintainer scripts). -> More information: . +> More information: . - List trusted keys: @@ -20,6 +20,6 @@ `wget -qO - {{https://host.tld/filename.key}} | apt-key add -` -- Add a key from keyserver with only key id: +- Add a key from keyserver with only key ID: `apt-key adv --keyserver {{pgp.mit.edu}} --recv {{KEYID}}` diff --git a/pages/linux/apt-mark.md b/pages/linux/apt-mark.md index 34f619641..7f14fc692 100644 --- a/pages/linux/apt-mark.md +++ b/pages/linux/apt-mark.md @@ -1,7 +1,7 @@ # apt-mark > Utility to change the status of installed packages. -> More information: . +> More information: . - Mark a package as automatically installed: diff --git a/pages/linux/apt-moo.md b/pages/linux/apt-moo.md index 2035150a7..b019cd70e 100644 --- a/pages/linux/apt-moo.md +++ b/pages/linux/apt-moo.md @@ -1,7 +1,7 @@ # apt moo > An `APT` easter egg. -> More information: . +> More information: . - Print a cow easter egg: diff --git a/pages/linux/apt.md b/pages/linux/apt.md index 0f86dd550..f768c7956 100644 --- a/pages/linux/apt.md +++ b/pages/linux/apt.md @@ -3,7 +3,7 @@ > Package management utility for Debian based distributions. > Recommended replacement for `apt-get` when used interactively in Ubuntu versions 16.04 and later. > For equivalent commands in other package managers, see . -> More information: . +> More information: . - Update the list of available packages and versions (it's recommended to run this before other `apt` commands): diff --git a/pages/linux/aptitude.md b/pages/linux/aptitude.md index e0cb416c8..d9e95bca6 100644 --- a/pages/linux/aptitude.md +++ b/pages/linux/aptitude.md @@ -1,7 +1,7 @@ # aptitude > Debian and Ubuntu package management utility. -> More information: . +> More information: . - Synchronize list of packages and versions available. This should be run first, before running subsequent `aptitude` commands: diff --git a/pages/linux/arch-chroot.md b/pages/linux/arch-chroot.md index 92c702369..3a80cfb0d 100644 --- a/pages/linux/arch-chroot.md +++ b/pages/linux/arch-chroot.md @@ -3,7 +3,7 @@ > Enhanced `chroot` command to help in the Arch Linux installation process. > More information: . -- Start an interactive shell (`bash`, by default) in a new root directory: +- Start an interactive shell (Bash, by default) in a new root directory: `arch-chroot {{path/to/new/root}}` @@ -11,10 +11,10 @@ `arch-chroot -u {{user}} {{path/to/new/root}}` -- Run a custom command (instead of the default `bash`) in the new root directory: +- Run a custom command (instead of the default Bash) in the new root directory: `arch-chroot {{path/to/new/root}} {{command}} {{command_arguments}}` -- Specify the shell, other than the default `bash` (in this case, the `zsh` package should have been installed in the target system): +- Specify the shell, other than the default Bash (in this case, the `zsh` package should have been installed in the target system): `arch-chroot {{path/to/new/root}} {{zsh}}` diff --git a/pages/linux/arecord.md b/pages/linux/arecord.md index e8ffa5e45..8c4820ff5 100644 --- a/pages/linux/arecord.md +++ b/pages/linux/arecord.md @@ -22,3 +22,7 @@ - Allow interactive interface (e.g. use space-bar or enter to play or pause): `arecord --interactive` + +- Test your microphone by recording a 5 second sample and playing it back: + +`arecord -d 5 test-mic.wav && aplay test-mic.wav && rm test-mic.wav` diff --git a/pages/linux/arithmetic.md b/pages/linux/arithmetic.md index 5a238f39f..d77369af3 100644 --- a/pages/linux/arithmetic.md +++ b/pages/linux/arithmetic.md @@ -1,7 +1,7 @@ # arithmetic > Quiz on simple arithmetic problems. -> More information: . +> More information: . - Start an arithmetic quiz: diff --git a/pages/linux/arpaname.md b/pages/linux/arpaname.md index 023f9ee48..315b2586e 100644 --- a/pages/linux/arpaname.md +++ b/pages/linux/arpaname.md @@ -1,6 +1,6 @@ # arpaname -> Provides corresponding ARPA name for IP addresses. +> Get the corresponding ARPA name for a IP addresses. > More information: . - Translate IP addresses (IPv4 and IPv6) to the corresponding ARPA name: diff --git a/pages/linux/as.md b/pages/linux/as.md index f2fbb228b..105ea33b3 100644 --- a/pages/linux/as.md +++ b/pages/linux/as.md @@ -6,16 +6,16 @@ - Assemble a file, writing the output to `a.out`: -`as {{file.s}}` +`as {{path/to/file.s}}` - Assemble the output to a given file: -`as {{file.s}} -o {{out.o}}` +`as {{path/to/file.s}} -o {{path/to/output_file.o}}` - Generate output faster by skipping whitespace and comment preprocessing. (Should only be used for trusted compilers): -`as -f {{file.s}}` +`as -f {{path/to/file.s}}` - Include a given path to the list of directories to search for files specified in `.include` directives: -`as -I {{path/to/directory}} {{file.s}}` +`as -I {{path/to/directory}} {{path/to/file.s}}` diff --git a/pages/linux/asterisk.md b/pages/linux/asterisk.md index 709e3922c..e5d9c01e9 100644 --- a/pages/linux/asterisk.md +++ b/pages/linux/asterisk.md @@ -1,7 +1,7 @@ # asterisk > Run and manage telephone and exchange (phone) server instances. -> More information: . +> More information: . - [R]econnect to a running server, and turn on logging 3 levels of [v]erbosity: diff --git a/pages/linux/atool.md b/pages/linux/atool.md index a4faa9d6d..d0e034d45 100644 --- a/pages/linux/atool.md +++ b/pages/linux/atool.md @@ -3,7 +3,7 @@ > Manage archives of various formats. > More information: . -- List files in a `zip` archive: +- List files in a Zip archive: `atool --list {{path/to/archive.zip}}` @@ -11,10 +11,10 @@ `atool --extract {{path/to/archive.tar.gz}}` -- Create a new `7z` archive with two files: +- Create a new 7z archive with two files: `atool --add {{path/to/archive.7z}} {{path/to/file1 path/to/file2 ...}}` -- Extract all `zip` and rar archives in the current directory: +- Extract all Zip and rar archives in the current directory: `atool --each --extract {{*.zip *.rar}}` diff --git a/pages/linux/audit2allow.md b/pages/linux/audit2allow.md new file mode 100644 index 000000000..d5abbdb44 --- /dev/null +++ b/pages/linux/audit2allow.md @@ -0,0 +1,21 @@ +# audit2allow + +> Create an SELinux local policy module to allow rules based on denied operations found in logs. +> Note: Use audit2allow with caution—always review the generated policy before applying it, as it may allow excessive access. +> More information: . + +- Generate a local policy to allow access for all denied services: + +`sudo audit2allow --all -M {{local_policy_name}}` + +- Generate a local policy module to grant access to a specific process/service/command from the audit logs: + +`sudo grep {{apache2}} /var/log/audit/audit.log | sudo audit2allow -M {{local_policy_name}}` + +- Inspect and review the Type Enforcement (.te) file for a local policy: + +`vim {{local_policy_name}}.te` + +- Install a local policy module: + +`sudo semodule -i {{local_policy_name}}.pp` diff --git a/pages/linux/auditctl.md b/pages/linux/auditctl.md new file mode 100644 index 000000000..72e16da6e --- /dev/null +++ b/pages/linux/auditctl.md @@ -0,0 +1,32 @@ +# auditctl + +> Utility to control the behavior, get status and manage rules of the Linux Auditing System. +> More information: . + +- Display the [s]tatus of the audit system: + +`sudo auditctl -s` + +- [l]ist all currently loaded audit rules: + +`sudo auditctl -l` + +- [D]elete all audit rules: + +`sudo auditctl -D` + +- [e]nable/disable the audit system: + +`sudo auditctl -e {{1|0}}` + +- Watch a file for changes: + +`sudo auditctl -a always,exit -F arch=b64 -F path={{/path/to/file}} -F perm=wa` + +- Recursively watch a directory for changes: + +`sudo auditctl -a always,exit -F arch=b64 -F dir={{/path/to/directory/}} -F perm=wa` + +- Display [h]elp: + +`auditctl -h` diff --git a/pages/linux/aur.md b/pages/linux/aur.md index d9a834c40..d87e2f6b1 100644 --- a/pages/linux/aur.md +++ b/pages/linux/aur.md @@ -19,3 +19,7 @@ - [u]pgrade local repository packages: `aur sync --upgrades` + +- Install a package without viewing changes in Vim and do not confirm dependency installation: + +`aur sync --noview --noconfirm {{package}}` diff --git a/pages/linux/autorecon.md b/pages/linux/autorecon.md new file mode 100644 index 000000000..9ea6d56e7 --- /dev/null +++ b/pages/linux/autorecon.md @@ -0,0 +1,20 @@ +# autorecon + +> A multi-threaded network reconnaissance tool which performs automated enumeration of services. +> More information: . + +- Perform reconnaissance on target host(s) (detailed scan results will be dumped in `./results`): + +`sudo autorecon {{host_or_ip1,host_or_ip2,...}}` + +- Perform reconnaissance on [t]arget(s) from a file: + +`sudo autorecon --target-file {{path/to/file}}` + +- [o]utput results to a different directory: + +`sudo autorecon --output {{path/to/results}} {{host_or_ip1,host_or_ip2,...}}` + +- Limit scanning to specific [p]orts and protocols (`T` for TCP, `U` for UDP, `B` for both): + +`sudo autorecon --ports {{T:21-25,80,443,U:53,B:123}} {{host_or_ip1,host_or_ip2,...}}` diff --git a/pages/linux/avahi-browse.md b/pages/linux/avahi-browse.md index 065b9936c..dc156dac8 100644 --- a/pages/linux/avahi-browse.md +++ b/pages/linux/avahi-browse.md @@ -1,6 +1,6 @@ # avahi-browse -> Displays services and hosts exposed on the local network via mDNS/DNS-SD. +> Display services and hosts exposed on the local network via mDNS/DNS-SD. > Avahi is compatible with Bonjour (Zeroconf) found in Apple devices. > More information: . diff --git a/pages/linux/bcachefs.md b/pages/linux/bcachefs.md index 675b39cea..e81f3c414 100644 --- a/pages/linux/bcachefs.md +++ b/pages/linux/bcachefs.md @@ -23,6 +23,14 @@ `bcachefs fs usage --human-readable {{path/to/mountpoint}}` +- Set replicas after formatting and mounting: + +`sudo bcachefs set-fs-option --metadata_replicas={{2}} --data_replicas={{2}} {{path/to/partition}}` + +- Force `bcachefs` to ensure all files are replicated: + +`sudo bcachefs data rereplicate {{path/to/mountpoint}}` + - Display help: `bcachefs` diff --git a/pages/linux/blkdiscard.md b/pages/linux/blkdiscard.md index 3937625e2..adc701456 100644 --- a/pages/linux/blkdiscard.md +++ b/pages/linux/blkdiscard.md @@ -5,12 +5,12 @@ - Discard all sectors on a device, removing all data: -`blkdiscard /dev/{{device}}` +`blkdiscard {{/dev/device}}` - Securely discard all blocks on a device, removing all data: -`blkdiscard --secure /dev/{{device}}` +`blkdiscard --secure {{/dev/device}}` - Discard the first 100 MB of a device: -`blkdiscard --length {{100MB}} /dev/{{device}}` +`blkdiscard --length {{100MB}} {{/dev/device}}` diff --git a/pages/linux/blkpr.md b/pages/linux/blkpr.md new file mode 100644 index 000000000..0334969cd --- /dev/null +++ b/pages/linux/blkpr.md @@ -0,0 +1,24 @@ +# blkpr + +> Register, reserve, release, preempt, and clear persistent reservations on a block device that supports Persistent Reservations. +> More information: . + +- Register (command) a new reservation with a given key on a given device: + +`blkpr {{-c|--command}} register {{-k|--key}} {{reservation_key}} {{path/to/device}}` + +- Set the type of an existing reservation to exclusive access: + +`blkpr -c reserve {{-k|--key}} {{reservation_key}} {{-t|--type}} exclusive-access {{path/to/device}}` + +- Preempt the existing reservation with a given key and replace it with a new reservation: + +`blkpr -c preempt {{-K|--oldkey}} {{old_key}} {{-k|--key}} {{new_key}} {{-t|--type}} write-exclusive {{path/to/device}}` + +- Release a reservation with a given key and type on a given device: + +`blkpr -c release {{-k|--key}} {{reservation_key}} {{-t|--type}} {{reservation_type}} {{path/to/device}}` + +- Clear all reservations from a given device: + +`blkpr -c clear {{-k|--key}} {{key}} {{path/to/device}}` diff --git a/pages/linux/bwa.md b/pages/linux/bwa.md new file mode 100644 index 000000000..e8896d5d2 --- /dev/null +++ b/pages/linux/bwa.md @@ -0,0 +1,25 @@ +# bwa + +> Burrows-Wheeler Alignment tool. +> Short, low-divergent DNA sequences mapper against a large reference genome, such as the human genome. +> More information: . + +- Index the reference genome: + +`bwa index {{path/to/reference.fa}}` + +- Map single-end reads (sequences) to indexed genome using 32 [t]hreads and compress the result to save space: + +`bwa mem -t 32 {{path/to/reference.fa}} {{path/to/read_single_end.fq.gz}} | gzip > {{path/to/alignment_single_end.sam.gz}}` + +- Map pair-end reads (sequences) to the indexed genome using 32 [t]hreads and compress the result to save space: + +`bwa mem -t 32 {{path/to/reference.fa}} {{path/to/read_pair_end_1.fq.gz}} {{path/to/read_pair_end_2.fq.gz}} | gzip > {{path/to/alignment_pair_end.sam.gz}}` + +- Map pair-end reads (sequences) to the indexed genome using 32 [t]hreads with [M]arking shorter split hits as secondary for output SAM file compatibility in Picard software and compress the result: + +`bwa mem -M -t 32 {{path/to/reference.fa}} {{path/to/read_pair_end_1.fq.gz}} {{path/to/read_pair_end_2.fq.gz}} | gzip > {{path/to/alignment_pair_end.sam.gz}}` + +- Map pair-end reads (sequences) to indexed genome using 32 [t]hreads with FASTA/Q [C]omments (e.g. BC:Z:CGTAC) appending to a compressed result: + +`bwa mem -C -t 32 {{path/to/reference.fa}} {{path/to/read_pair_end_1.fq.gz}} {{path/to/read_pair_end_2.fq.gz}} | gzip > {{path/to/alignment_pair_end.sam.gz}}` diff --git a/pages/linux/cacaclock.md b/pages/linux/cacaclock.md new file mode 100644 index 000000000..4f7f79352 --- /dev/null +++ b/pages/linux/cacaclock.md @@ -0,0 +1,16 @@ +# cacaclock + +> Display the current time as ASCII art. +> More information: . + +- Display the time: + +`cacaclock` + +- Change the font: + +`cacaclock -f {{font}}` + +- Change the format using an `strftime` format specification: + +`cacaclock -d {{strftime_arguments}}` diff --git a/pages/linux/cacademo.md b/pages/linux/cacademo.md new file mode 100644 index 000000000..3e6826b7b --- /dev/null +++ b/pages/linux/cacademo.md @@ -0,0 +1,8 @@ +# cacademo + +> Display a random ASCII art animation. +> More information: . + +- View an animation: + +`cacademo` diff --git a/pages/linux/cacafire.md b/pages/linux/cacafire.md new file mode 100644 index 000000000..cc55af20e --- /dev/null +++ b/pages/linux/cacafire.md @@ -0,0 +1,8 @@ +# cacafire + +> Display an animated ASCII fire. +> More information: . + +- Display the ASCII fire: + +`cacafire` diff --git a/pages/linux/cacaview.md b/pages/linux/cacaview.md new file mode 100644 index 000000000..0d58e589e --- /dev/null +++ b/pages/linux/cacaview.md @@ -0,0 +1,8 @@ +# cacaview + +> Display an image in PMN format. +> More information: . + +- Display an image: + +`cacaview {{path/to/image}}` diff --git a/pages/linux/caja.md b/pages/linux/caja.md index 78bc8e4f8..0ad032b17 100644 --- a/pages/linux/caja.md +++ b/pages/linux/caja.md @@ -1,6 +1,7 @@ # caja -> Manages files and directories in MATE desktop environment. +> Manage files and directories in the MATE desktop environment. +> See also: `nautilus`, `dolphin`, `thunar`, `ranger`. > More information: . - Open the current user home directory: diff --git a/pages/linux/chat.md b/pages/linux/chat.md new file mode 100644 index 000000000..1a495f16f --- /dev/null +++ b/pages/linux/chat.md @@ -0,0 +1,33 @@ +# chat + +> Automate conversations with a modem or serial device. +> Commonly used to establish PPP (Point-to-Point Protocol) connections. +> More information: . + +- Execute a chat script directly from the command line: + +`chat '{{expect_send_pairs}}'` + +- Execute a chat script from a file: + +`chat -f '{{path/to/chat_script}}'` + +- Set a custom timeout (in seconds) for expecting a response: + +`chat -t {{timeout_in_seconds}} '{{expect_send_pairs}}'` + +- Enable verbose output to log the conversation to `syslog`: + +`chat -v '{{expect_send_pairs}}'` + +- Use a report file to log specific strings received during the conversation: + +`chat -r {{path/to/report_file}} '{{expect_send_pairs}}'` + +- Dial a phone number using a variable, substituting `\T` in the script: + +`chat -T '{{phone_number}}' '{{"ATDT\\T CONNECT"}}'` + +- Include an abort condition if a specific string is received: + +`chat 'ABORT "{{error_string}}" {{expect_send_pairs}}'` diff --git a/pages/linux/chcon.md b/pages/linux/chcon.md index e83bacaaf..9b37c0aab 100644 --- a/pages/linux/chcon.md +++ b/pages/linux/chcon.md @@ -1,6 +1,7 @@ # chcon > Change SELinux security context of a file or files/directories. +> See also: `secon`, `restorecon`, `semanage-fcontext`. > More information: . - View security context of a file: diff --git a/pages/linux/check-support-status.md b/pages/linux/check-support-status.md index 8d2b7f788..fb8fd65fd 100644 --- a/pages/linux/check-support-status.md +++ b/pages/linux/check-support-status.md @@ -1,7 +1,7 @@ # check-support-status > Identify installed Debian packages for which support has had to be limited or prematurely ended. -> More information: . +> More information: . - Display packages whose support is limited, has already ended or will end earlier than the distribution's end of life: diff --git a/pages/linux/choom.md b/pages/linux/choom.md new file mode 100644 index 000000000..bb135dba5 --- /dev/null +++ b/pages/linux/choom.md @@ -0,0 +1,16 @@ +# choom + +> Display and change the adjust out-of-memory killer score. +> More information: . + +- Display the OOM-killer score of the process with a specific ID: + +`choom -p {{pid}}` + +- Change the adjust OOM-killer score of a specific process: + +`choom -p {{pid}} -n {{-1000..+1000}}` + +- Run a command with a specific adjust OOM-killer score: + +`choom -n {{-1000..+1000}} {{command}} {{argument1 argument2 ...}}` diff --git a/pages/linux/chrt.md b/pages/linux/chrt.md index e0f195a79..5d32bb5ff 100644 --- a/pages/linux/chrt.md +++ b/pages/linux/chrt.md @@ -1,7 +1,7 @@ # chrt > Manipulate the real-time attributes of a process. -> More information: . +> More information: . - Display attributes of a process: @@ -15,6 +15,10 @@ `chrt --max` -- Set the scheduling policy for a process: +- Set the scheduling priority of a process: -`chrt --pid {{PID}} --{{deadline|idle|batch|rr|fifo|other}}` +`chrt --pid {{priority}} {{PID}}` + +- Set the scheduling policy of a process: + +`chrt --{{deadline|idle|batch|rr|fifo|other}} --pid {{priority}} {{PID}}` diff --git a/pages/linux/cmus.md b/pages/linux/cmus.md index f58d06231..30830ea16 100644 --- a/pages/linux/cmus.md +++ b/pages/linux/cmus.md @@ -2,6 +2,7 @@ > Command-line Music Player. > Use arrow keys to navigate, `` to select, and numbers 1-8 switch between different views. +> See also: `ncmpcpp`, `clementine`, `qmmp`. > More information: . - Open cmus into the specified directory (this will become your new working directory): diff --git a/pages/linux/cockpit-desktop.md b/pages/linux/cockpit-desktop.md index 35af50aa8..b3ac993a4 100644 --- a/pages/linux/cockpit-desktop.md +++ b/pages/linux/cockpit-desktop.md @@ -1,6 +1,6 @@ # cockpit-desktop -> Provides secure access to Cockpit pages in an already running session. +> Securely access Cockpit pages in a running session. > It starts `cockpit-ws` and a web browser in an isolated network space and a `cockpit-bridge` in a running user session. > More information: . diff --git a/pages/linux/compseq.md b/pages/linux/compseq.md new file mode 100644 index 000000000..e9c519c6a --- /dev/null +++ b/pages/linux/compseq.md @@ -0,0 +1,36 @@ +# compseq + +> Calculate the composition of unique words in sequences. +> More information: . + +- Count observed frequencies of words in a FASTA file, providing parameter values with interactive prompt: + +`compseq {{path/to/file.fasta}}` + +- Count observed frequencies of amino acid pairs from a FASTA file, save output to a text file: + +`compseq {{path/to/input_protein.fasta}} -word 2 {{path/to/output_file.comp}}` + +- Count observed frequencies of hexanucleotides from a FASTA file, save output to a text file and ignore zero counts: + +`compseq {{path/to/input_dna.fasta}} -word 6 {{path/to/output_file.comp}} -nozero` + +- Count observed frequencies of codons in a particular reading frame; ignoring any overlapping counts (i.e. move window across by word-length 3): + +`compseq -sequence {{path/to/input_rna.fasta}} -word 3 {{path/to/output_file.comp}} -nozero -frame {{1}}` + +- Count observed frequencies of codons frame-shifted by 3 positions; ignoring any overlapping counts (should report all codons except the first one): + +`compseq -sequence {{path/to/input_rna.fasta}} -word 3 {{path/to/output_file.comp}} -nozero -frame 3` + +- Count amino acid triplets in a FASTA file and compare to a previous run of `compseq` to calculate expected and normalised frequency values: + +`compseq -sequence {{path/to/human_proteome.fasta}} -word 3 {{path/to/output_file1.comp}} -nozero -infile {{path/to/output_file2.comp}}` + +- Approximate the above command without a previously prepared file, by calculating expected frequencies using the single base/residue frequencies in the supplied input sequence(s): + +`compseq -sequence {{path/to/human_proteome.fasta}} -word 3 {{path/to/output_file.comp}} -nozero -calcfreq` + +- Display help (use `-help -verbose` for more information on associated and general qualifiers): + +`compseq -help` diff --git a/pages/linux/ctop.md b/pages/linux/ctop.md new file mode 100644 index 000000000..3e426eec7 --- /dev/null +++ b/pages/linux/ctop.md @@ -0,0 +1,20 @@ +# ctop + +> Instantly visualize container performance and health with real-time metrics on CPU, memory, and block IO usage. +> More information: . + +- Show only [a]ctive containers: + +`ctop -a` + +- [r]everse the container sort order: + +`ctop -r` + +- [i]nvert the default colors: + +`ctop -i` + +- Display [h]elp: + +`ctop -h` diff --git a/pages/linux/cu.md b/pages/linux/cu.md new file mode 100644 index 000000000..23a5bb7e4 --- /dev/null +++ b/pages/linux/cu.md @@ -0,0 +1,24 @@ +# cu + +> Call Up another system and act as a dial-in/serial terminal or perform file transfers with no error checking. +> More information: . + +- Open a given serial port: + +`sudo cu --line {{/dev/ttyUSB0}}` + +- Open a given serial port with a given baud rate: + +`sudo cu --line {{/dev/ttyUSB0}} --speed {{115200}}` + +- Open a given serial port with a given baud rate and echo characters locally (half-duplex mode): + +`sudo cu --line {{/dev/ttyUSB0}} --speed {{115200}} --halfduplex` + +- Open a given serial port with a given baud rate, parity, and no hardware or software flow control: + +`sudo cu --line {{/dev/ttyUSB0}} --speed {{115200}} --parity={{even|odd|none}} --nortscts --nostop` + +- Exit the `cu` session when in connection: + +`~.` diff --git a/pages/linux/daemon.md b/pages/linux/daemon.md index 8f5ad57ff..691a6aa9c 100644 --- a/pages/linux/daemon.md +++ b/pages/linux/daemon.md @@ -1,7 +1,7 @@ # daemon > Run processes into daemons. -> More information: . +> More information: . - Run a command as a daemon: diff --git a/pages/linux/dconf-reset.md b/pages/linux/dconf-reset.md index 5752c659b..bcf4717fb 100644 --- a/pages/linux/dconf-reset.md +++ b/pages/linux/dconf-reset.md @@ -6,8 +6,8 @@ - Reset a specific key value: -`dconf read {{/path/to/key}}` +`dconf reset {{/path/to/key}}` - Reset a specific directory: -`dconf read -d {{/path/to/directory/}}` +`dconf reset -f {{/path/to/directory/}}` diff --git a/pages/linux/dd.md b/pages/linux/dd.md index 02b22516a..545dae5f8 100644 --- a/pages/linux/dd.md +++ b/pages/linux/dd.md @@ -5,11 +5,11 @@ - Make a bootable USB drive from an isohybrid file (such as `archlinux-xxx.iso`) and show the progress: -`dd status=progress if={{path/to/file.iso}} of={{/dev/usb_drive}}` +`dd if={{path/to/file.iso}} of={{/dev/usb_drive}} status=progress` - Clone a drive to another drive with 4 MiB block size and flush writes before the command terminates: -`dd bs={{4M}} conv={{fsync}} if={{/dev/source_drive}} of={{/dev/dest_drive}}` +`dd bs=4M conv=fsync if={{/dev/source_drive}} of={{/dev/dest_drive}}` - Generate a file with a specific number of random bytes by using kernel random driver: @@ -17,12 +17,12 @@ - Benchmark the write performance of a disk: -`dd bs={{1M}} count={{1000000}} if=/dev/zero of={{path/to/file_1GB}}` +`dd bs={{1M}} count={{1024}} if=/dev/zero of={{path/to/file_1GB}}` -- Create a system backup and save it into an IMG file (can be restored later by swapping `if` and `of`): +- Create a system backup, save it into an IMG file (can be restored later by swapping `if` and `of`), and show the progress: -`dd if={{/dev/drive_device}} of={{path/to/file.img}}` +`dd if={{/dev/drive_device}} of={{path/to/file.img}} status=progress` -- Check the progress of an ongoing dd operation (run this command from another shell): +- Check the progress of an ongoing `dd` operation (run this command from another shell): `kill -USR1 $(pgrep -x dd)` diff --git a/pages/common/deb-get.md b/pages/linux/deb-get.md similarity index 85% rename from pages/common/deb-get.md rename to pages/linux/deb-get.md index 17c2b7ce3..e6cbad56b 100644 --- a/pages/common/deb-get.md +++ b/pages/linux/deb-get.md @@ -6,7 +6,7 @@ - Update the list of available packages and versions: -`sudo deb-get update` +`deb-get update` - Search for a given package: @@ -18,15 +18,15 @@ - Install a package, or update it to the latest available version: -`sudo deb-get install {{package}}` +`deb-get install {{package}}` - Remove a package (using `purge` instead also removes its configuration files): -`sudo deb-get remove {{package}}` +`deb-get remove {{package}}` - Upgrade all installed packages to their newest available versions: -`sudo deb-get upgrade` +`deb-get upgrade` - List all available packages: diff --git a/pages/linux/debchange.md b/pages/linux/debchange.md index b4b9d9af0..62de8d6be 100644 --- a/pages/linux/debchange.md +++ b/pages/linux/debchange.md @@ -1,7 +1,7 @@ # debchange > Mantain the debian/changelog file of a Debian source package. -> More information: . +> More information: . - Add a new version for a non-maintainer upload to the changelog: diff --git a/pages/linux/debman.md b/pages/linux/debman.md index 3d93792a0..76b54dbcc 100644 --- a/pages/linux/debman.md +++ b/pages/linux/debman.md @@ -1,7 +1,7 @@ # debman > Read man pages from uninstalled packages. -> More information: . +> More information: . - Read a man page for a command that is provided by a specified package: diff --git a/pages/linux/deborphan.md b/pages/linux/deborphan.md index b54084da7..44ef39d48 100644 --- a/pages/linux/deborphan.md +++ b/pages/linux/deborphan.md @@ -1,7 +1,7 @@ # deborphan > Display orphan packages on operating systems using the APT package manager. -> More information: . +> More information: . - Display library packages (from the "libs" section of the package repository) which are not required by another package: diff --git a/pages/linux/debuild.md b/pages/linux/debuild.md index bed629571..41a819910 100644 --- a/pages/linux/debuild.md +++ b/pages/linux/debuild.md @@ -1,7 +1,7 @@ # debuild > Build a Debian package from source. -> More information: . +> More information: . - Build the package in the current directory: diff --git a/pages/linux/deluser.md b/pages/linux/deluser.md index 4fe330f6c..a67202829 100644 --- a/pages/linux/deluser.md +++ b/pages/linux/deluser.md @@ -1,7 +1,7 @@ # deluser > Delete a user from the system. -> More information: . +> More information: . - Remove a user: diff --git a/pages/linux/dget.md b/pages/linux/dget.md index a8adf4ab5..4a12cde85 100644 --- a/pages/linux/dget.md +++ b/pages/linux/dget.md @@ -1,7 +1,7 @@ # dget > Download Debian packages. -> More information: . +> More information: . - Download a binary package: diff --git a/pages/linux/dhcpcd.md b/pages/linux/dhcpcd.md new file mode 100644 index 000000000..a6c10d311 --- /dev/null +++ b/pages/linux/dhcpcd.md @@ -0,0 +1,12 @@ +# dhcpcd + +> DHCP client. +> More information: . + +- Release all address leases: + +`sudo dhcpcd --release` + +- Request the DHCP server for new leases: + +`sudo dhcpcd --rebind` diff --git a/pages/linux/dir.md b/pages/linux/dir.md index ea7af1332..4879ae093 100644 --- a/pages/linux/dir.md +++ b/pages/linux/dir.md @@ -6,7 +6,7 @@ - List all files, including hidden files: -`dir -all` +`dir --all` - List files including their author (`-l` is required): diff --git a/pages/linux/distrobox-list.md b/pages/linux/distrobox-list.md index dc1d740e0..5fd88840e 100644 --- a/pages/linux/distrobox-list.md +++ b/pages/linux/distrobox-list.md @@ -1,7 +1,7 @@ # distrobox-list > List all Distrobox containers. See also: `tldr distrobox`. -> Distrobox containers are listed separately from the rest of normal podman or Docker containers. +> Distrobox containers are listed separately from the rest of normal Podman or Docker containers. > More information: . - List all Distrobox containers: diff --git a/pages/linux/dmenu.md b/pages/linux/dmenu.md index 5201208a3..1c852b724 100644 --- a/pages/linux/dmenu.md +++ b/pages/linux/dmenu.md @@ -1,7 +1,7 @@ # dmenu > Dynamic menu. -> Creates a menu from a text input with each item on a new line. +> Create a menu from a text input with each item on a new line. > More information: . - Display a menu of the output of the `ls` command: diff --git a/pages/linux/dnf5.md b/pages/linux/dnf5.md new file mode 100644 index 000000000..ff4bc4e74 --- /dev/null +++ b/pages/linux/dnf5.md @@ -0,0 +1,38 @@ +# dnf5 + +> Package management utility for RHEL, Fedora, and CentOS (it replaces dnf, which in turn replaced yum). +> DNF5 is a C++ rewrite of the DNF package manager featuring improved performance and a smaller size. +> For equivalent commands in other package managers, see . +> More information: . + +- Upgrade installed packages to the newest available versions: + +`sudo dnf5 upgrade` + +- Search packages via keywords: + +`dnf5 search {{keyword1 keyword2 ...}}` + +- Display details about a package: + +`dnf5 info {{package}}` + +- Install new packages (Note: use `-y` to confirm all prompts automatically): + +`sudo dnf5 install {{package1 package2 ...}}` + +- Remove packages: + +`sudo dnf5 remove {{package1 package2 ...}}` + +- List installed packages: + +`dnf5 list --installed` + +- Find which packages provide a given command: + +`dnf5 provides {{command}}` + +- Remove or expire cached data: + +`sudo dnf5 clean all` diff --git a/pages/linux/dockerd.md b/pages/linux/dockerd.md index 3c68318bc..8d92e8334 100644 --- a/pages/linux/dockerd.md +++ b/pages/linux/dockerd.md @@ -1,13 +1,13 @@ # dockerd -> A persistent process to start and manage docker containers. -> More information: . +> A persistent process to start and manage Docker containers. +> More information: . -- Run docker daemon: +- Run Docker daemon: `dockerd` -- Run docker daemon and configure it to listen to specific sockets (UNIX and TCP): +- Run Docker daemon and configure it to listen to specific sockets (UNIX and TCP): `dockerd --host unix://{{path/to/tmp.sock}} --host tcp://{{ip}}` @@ -21,4 +21,4 @@ - Run and set a specific log level: -`dockerd --log-level={{debug|info|warn|error|fatal}}` +`dockerd --log-level {{debug|info|warn|error|fatal}}` diff --git a/pages/linux/dolphin.md b/pages/linux/dolphin.md index 022a89c54..cdbc47e1e 100644 --- a/pages/linux/dolphin.md +++ b/pages/linux/dolphin.md @@ -1,6 +1,7 @@ # dolphin > KDE's file manager to manage files and directories. +> See also: `nautilus`, `caja`, `thunar`, `ranger`. > More information: . - Launch the file manager: @@ -23,7 +24,7 @@ `dolphin --split {{path/to/directory1}} {{path/to/directory2}}` -- Launch the daemon (only required to use the DBus interface): +- Launch the daemon (only required to use the D-Bus interface): `dolphin --daemon` diff --git a/pages/linux/dos2unix.md b/pages/linux/dos2unix.md index 5c3a2aeff..d85919117 100644 --- a/pages/linux/dos2unix.md +++ b/pages/linux/dos2unix.md @@ -2,12 +2,21 @@ > Change DOS-style line endings to Unix-style. > Replaces CRLF with LF. +> See also `unix2dos`, `unix2mac`, and `mac2unix`. > More information: . - Change the line endings of a file: -`dos2unix {{filename}}` +`dos2unix {{path/to/file}}` - Create a copy with Unix-style line endings: -`dos2unix -n {{filename}} {{new_filename}}` +`dos2unix -n {{path/to/file}} {{path/to/new_file}}` + +- Display file information: + +`dos2unix -i {{path/to/file}}` + +- Keep/add/remove Byte Order Mark: + +`dos2unix --{{keep-bom|add-bom|remove-bom}} {{path/to/file}}` diff --git a/pages/linux/dphys-swapfile.md b/pages/linux/dphys-swapfile.md index 33cc91062..5084b9456 100644 --- a/pages/linux/dphys-swapfile.md +++ b/pages/linux/dphys-swapfile.md @@ -1,7 +1,7 @@ # dphys-swapfile > Manage the swap file on Debian-based Linux systems. -> More information: . +> More information: . - Disable the swap file: diff --git a/pages/linux/dpkg-deb.md b/pages/linux/dpkg-deb.md index b06f8be49..cbccfa722 100644 --- a/pages/linux/dpkg-deb.md +++ b/pages/linux/dpkg-deb.md @@ -1,7 +1,7 @@ # dpkg-deb > Pack, unpack and provide information about Debian archives. -> More information: . +> More information: . - Display information about a package: diff --git a/pages/linux/dpkg-query.md b/pages/linux/dpkg-query.md index 97b0ca3f3..80fd4afd7 100644 --- a/pages/linux/dpkg-query.md +++ b/pages/linux/dpkg-query.md @@ -1,7 +1,7 @@ # dpkg-query > Display information about installed packages. -> More information: . +> More information: . - List all installed packages: diff --git a/pages/linux/dpkg-reconfigure.md b/pages/linux/dpkg-reconfigure.md index 4795af708..bf88372aa 100644 --- a/pages/linux/dpkg-reconfigure.md +++ b/pages/linux/dpkg-reconfigure.md @@ -1,7 +1,7 @@ # dpkg-reconfigure > Reconfigure an already installed package. -> More information: . +> More information: . - Reconfigure one or more packages: diff --git a/pages/linux/dpkg.md b/pages/linux/dpkg.md index 600836112..d9e97cec4 100644 --- a/pages/linux/dpkg.md +++ b/pages/linux/dpkg.md @@ -3,7 +3,7 @@ > Debian package manager. > Some subcommands such as `dpkg deb` have their own usage documentation. > For equivalent commands in other package managers, see . -> More information: . +> More information: . - Install a package: diff --git a/pages/linux/dysk.md b/pages/linux/dysk.md new file mode 100644 index 000000000..e101b8f12 --- /dev/null +++ b/pages/linux/dysk.md @@ -0,0 +1,24 @@ +# dysk + +> Display filesystem information in a table. +> More information: . + +- Get a standard overview of your usual disks: + +`dysk` + +- Sort by free size: + +`dysk --sort free` + +- Include only HDD disks: + +`dysk --filter 'disk = HDD'` + +- Exclude SSD disks: + +`dysk --filter 'disk <> SSD'` + +- Display disks with high utilization or low free space: + +`dysk --filter 'use > 65% | free < 50G'` diff --git a/pages/linux/e2undo.md b/pages/linux/e2undo.md index 4faed7c70..84191f53a 100644 --- a/pages/linux/e2undo.md +++ b/pages/linux/e2undo.md @@ -2,7 +2,7 @@ > Replay undo logs for an ext2/ext3/ext4 filesystem. > This can be used to undo a failed operation by an e2fsprogs program. -> More information: . +> More information: . - Display information about a specific undo file: diff --git a/pages/linux/efibootmgr.md b/pages/linux/efibootmgr.md index dc1cb2386..58f04f731 100644 --- a/pages/linux/efibootmgr.md +++ b/pages/linux/efibootmgr.md @@ -3,22 +3,22 @@ > Manipulate the UEFI Boot Manager. > More information: . -- List the current settings then bootnums with their name: +- List all boot options with their numbers: -`efibootmgr` - -- List the filepaths: - -`efibootmgr -v` +`efibootmgr {{-u|--unicode}}` - Add UEFI Shell v2 as a boot option: -`sudo efibootmgr -c -d {{/dev/sda1}} -l {{\EFI\tools\Shell.efi}} -L "{{UEFI Shell}}"` +`sudo efibootmgr -c -d {{/dev/sda}} -p {{1}} -l "{{\path\to\shell.efi}}" -L "{{UEFI Shell}}"` + +- Add Linux as a boot option: + +`sudo efibootmgr --create --disk {{/dev/sda}} --part {{1}} --loader "{{\vmlinuz}}" --unicode "{{kernel_cmdline}}" --label "{{Linux}}"` - Change the current boot order: -`sudo efibootmgr -o {{0002,0008,0001,0005}}` +`sudo efibootmgr {{-o|--bootorder}} {{0002,0008,0001,0005}}` - Delete a boot option: -`sudo efibootmgr -b {{0008}} --delete-bootnum` +`sudo efibootmgr {{-b|--bootnum}} {{0008}} {{-B|--delete-bootnum}}` diff --git a/pages/linux/eopkg.md b/pages/linux/eopkg.md index b94037ef0..c6f440e54 100644 --- a/pages/linux/eopkg.md +++ b/pages/linux/eopkg.md @@ -1,7 +1,7 @@ # eopkg > Package manager for Solus. -> More information: . +> More information: . - Install a specific package: diff --git a/pages/linux/eselect-locale.md b/pages/linux/eselect-locale.md new file mode 100644 index 000000000..3269c010f --- /dev/null +++ b/pages/linux/eselect-locale.md @@ -0,0 +1,16 @@ +# eselect locale + +> An `eselect` module for managing the `LANG` environment variable, which sets the system language. +> More information: . + +- List available locales: + +`eselect locale list` + +- Set the `LANG` environment variable in `/etc/profile.env` by name or index from the `list` command: + +`eselect locale set {{name|index}}` + +- Display the value of `LANG` in `/etc/profile.env`: + +`eselect locale show` diff --git a/pages/linux/eselect-repository.md b/pages/linux/eselect-repository.md new file mode 100644 index 000000000..51a7a210b --- /dev/null +++ b/pages/linux/eselect-repository.md @@ -0,0 +1,33 @@ +# eselect repository + +> An `eselect` module for configuring ebuild repositories for Portage. +> After enabling a repository, you have to run `emerge --sync repo_name` to download ebuilds. +> More information: . + +- List all ebuild repositories registered on : + +`eselect repository list` + +- List enabled repositories: + +`eselect repository list -i` + +- Enable a repository from the list by its name or index from the `list` command: + +`eselect repository enable {{name|index}}` + +- Enable an unregistered repository: + +`eselect repository add {{name}} {{rsync|git|mercurial|svn|...}} {{sync_uri}}` + +- Disable repositories without removing their contents: + +`eselect repository disable {{repo1 repo2 ...}}` + +- Disable repositories and remove their contents: + +`eselect repository remove {{repo1 repo2 ...}}` + +- Create a local repository and enable it: + +`eselect repository create {{name}} {{path/to/repo}}` diff --git a/pages/linux/eselect.md b/pages/linux/eselect.md new file mode 100644 index 000000000..ca07e7d1c --- /dev/null +++ b/pages/linux/eselect.md @@ -0,0 +1,17 @@ +# eselect + +> Gentoo's multi-purpose configuration and management tool. +> It consists of various modules that take care of individual administrative tasks. +> More information: . + +- Display a list of installed modules: + +`eselect` + +- View documentation for a specific module: + +`tldr eselect {{module}}` + +- Display a help message for a specific module: + +`eselect {{module}} help` diff --git a/pages/linux/ethtool.md b/pages/linux/ethtool.md index 2d3484243..ec1383464 100644 --- a/pages/linux/ethtool.md +++ b/pages/linux/ethtool.md @@ -1,7 +1,7 @@ # ethtool > Display and modify Network Interface Controller (NIC) parameters. -> More information: . +> More information: . - Display the current settings for an interface: diff --git a/pages/linux/eu-readelf.md b/pages/linux/eu-readelf.md new file mode 100644 index 000000000..348c186a6 --- /dev/null +++ b/pages/linux/eu-readelf.md @@ -0,0 +1,12 @@ +# eu-readelf + +> Displays information about ELF files. +> More information: . + +- Display all extractable information contained in the ELF file: + +`eu-readelf --all {{path/to/file}}` + +- Display the contents of all NOTE segments/sections, or of a particular segment/section: + +`eu-readelf --notes[={{.note.ABI-tag}}] {{path/to/file}}` diff --git a/pages/linux/evtest.md b/pages/linux/evtest.md new file mode 100644 index 000000000..675b6396d --- /dev/null +++ b/pages/linux/evtest.md @@ -0,0 +1,20 @@ +# evtest + +> Display information from input device drivers. +> More information: . + +- List all detected input devices: + +`sudo evtest` + +- Display events from a specific input device: + +`sudo evtest /dev/input/event{{number}}` + +- Grab the device exclusively, preventing other clients from receiving events: + +`sudo evtest --grab /dev/input/event{{number}}` + +- Query the state of a specific key or button on an input device: + +`sudo evtest --query /dev/input/event{{number}} {{event_type}} {{event_code}}` diff --git a/pages/linux/export.md b/pages/linux/export.md index c9ef7df52..ffc36387c 100644 --- a/pages/linux/export.md +++ b/pages/linux/export.md @@ -18,3 +18,7 @@ - Append a pathname to the environment variable `PATH`: `export PATH=$PATH:{{path/to/append}}` + +- Display a list of active exported variables in shell command form: + +`export -p` diff --git a/pages/linux/factorio.md b/pages/linux/factorio.md new file mode 100644 index 000000000..bc2d27aff --- /dev/null +++ b/pages/linux/factorio.md @@ -0,0 +1,12 @@ +# factorio + +> Create and start a headless Factorio server. +> More information: . + +- Create a new save file: + +`{{path/to/factorio}} --create {{path/to/save_file.zip}}` + +- Start a Factorio server: + +`{{path/to/factorio}} --start-server {{path/to/save_file.zip}}` diff --git a/pages/linux/fakeroot.md b/pages/linux/fakeroot.md index 3ebdc7348..5c4e92c25 100644 --- a/pages/linux/fakeroot.md +++ b/pages/linux/fakeroot.md @@ -1,7 +1,7 @@ # fakeroot > Run a command in an environment faking root privileges for file manipulation. -> More information: . +> More information: . - Start the default shell as fakeroot: diff --git a/pages/linux/faketime.md b/pages/linux/faketime.md index dab425b8f..32a796eaf 100644 --- a/pages/linux/faketime.md +++ b/pages/linux/faketime.md @@ -7,7 +7,7 @@ `faketime '{{today 23:30}}' {{date}}` -- Open a new `bash` shell, which uses yesterday as the current date: +- Open a new Bash shell, which uses yesterday as the current date: `faketime '{{yesterday}}' {{bash}}` diff --git a/pages/linux/fatlabel.md b/pages/linux/fatlabel.md index 1b100d305..b615b74de 100644 --- a/pages/linux/fatlabel.md +++ b/pages/linux/fatlabel.md @@ -1,6 +1,6 @@ # fatlabel -> Sets or gets the label of a FAT32 partition. +> Get or set the label of a FAT32 partition. > More information: . - Get the label of a FAT32 partition: diff --git a/pages/linux/feedreader.md b/pages/linux/feedreader.md index 9bf3feac2..5a51cef10 100644 --- a/pages/linux/feedreader.md +++ b/pages/linux/feedreader.md @@ -1,7 +1,8 @@ # feedreader > A GUI desktop RSS client. -> More information: . +> Note: FeedReader is no longer being maintained. +> More information: . - Print the count of unread articles: diff --git a/pages/linux/ffuf.md b/pages/linux/ffuf.md deleted file mode 100644 index 8b38af239..000000000 --- a/pages/linux/ffuf.md +++ /dev/null @@ -1,28 +0,0 @@ -# ffuf - -> Subdomain and directory discovery tool. -> More information: . - -- Discover directories using a [w]ordlist on a target [u]rl with [c]olorized and [v]erbose output: - -`ffuf -w {{path/to/wordlist}} -u {{https://target/FUZZ}} -c -v` - -- Fuzz host-[H]eaders with a host file on a target website and [m]atch HTTP 200 [c]ode responses: - -`ffuf -w {{hosts.txt}} -u {{https://example.org}} -H "{{Host: FUZZ}}" -mc {{200}}` - -- Discover directories using a [w]ordlist on a target website with a max individual job time of 60 seconds and recursion discovery depth of 2 levels: - -`ffuf -w {{path/to/wordlist}} -u {{https://target/FUZZ}} -maxtime-job {{60}} -recursion -recursion-depth {{2}}` - -- Fuzz GET parameter on a target website and [f]ilter out message [s]ize response of 4242 bytes: - -`ffuf -w {{path/to/param_names.txt}} -u {{https://target/script.php?FUZZ=test_value}} -fs {{4242}}` - -- Fuzz POST method with POST [d]ata of password on a target website and [f]ilter out HTTP response [c]ode 401: - -`ffuf -w {{path/to/postdata.txt}} -X {{POST}} -d "{{username=admin\&password=FUZZ}}" -u {{https://target/login.php}} -fc {{401}}` - -- Discover subdomains using a subdomain list on a target website: - -`ffuf -w {{subdomains.txt}} -u {{https://website.com}} -H "{{Host: FUZZ.website.com}}"` diff --git a/pages/linux/filefrag.md b/pages/linux/filefrag.md index 894101fef..e5ffade50 100644 --- a/pages/linux/filefrag.md +++ b/pages/linux/filefrag.md @@ -9,7 +9,11 @@ - Display a report using a 1024 byte blocksize: -`filefrag -b {{path/to/file}}` +`filefrag -k {{path/to/file}}` + +- Display a report using a certain blocksize: + +`filefrag -b{{1024|1K|1M|1G|...}} {{path/to/file}}` - Sync the file before requesting the mapping: diff --git a/pages/linux/firejail.md b/pages/linux/firejail.md index 688a7481f..a7971e6c1 100644 --- a/pages/linux/firejail.md +++ b/pages/linux/firejail.md @@ -26,3 +26,11 @@ - Shutdown a running sandbox: `firejail --shutdown={{7777}}` + +- Run a restricted Firefox session to browse the internet: + +`firejail --seccomp --private --private-dev --private-tmp --protocol=inet firefox --new-instance --no-remote --safe-mode --private-window` + +- Use custom hosts file (overriding `/etc/hosts` file): + +`firejail --hosts-file={{~/myhosts}} {{curl http://mysite.arpa}}` diff --git a/pages/linux/flatpak-run.md b/pages/linux/flatpak-run.md new file mode 100644 index 000000000..04589149f --- /dev/null +++ b/pages/linux/flatpak-run.md @@ -0,0 +1,16 @@ +# flatpak run + +> Run flatpak applications and runtimes. +> More information: . + +- Run an installed application: + +`flatpak run {{com.example.app}}` + +- Run an installed application from a specific branch e.g. stable, beta, master: + +`flatpak run --branch={{stable|beta|master|...}} {{com.example.app}}` + +- Run an interactive shell inside a flatpak: + +`flatpak run --command={{sh}} {{com.example.app}}` diff --git a/pages/linux/flatpak.md b/pages/linux/flatpak.md index 54088c9ef..9ba35514c 100644 --- a/pages/linux/flatpak.md +++ b/pages/linux/flatpak.md @@ -5,11 +5,11 @@ - Run an installed application: -`flatpak run {{name}}` +`flatpak run {{com.example.app}}` - Install an application from a remote source: -`flatpak install {{remote}} {{name}}` +`flatpak install {{remote_name}} {{com.example.app}}` - List installed applications, ignoring runtimes: @@ -25,7 +25,7 @@ - Remove an installed application: -`flatpak remove {{name}}` +`flatpak remove {{com.example.app}}` - Remove all unused applications: @@ -33,4 +33,4 @@ - Show information about an installed application: -`flatpak info {{name}}` +`flatpak info {{com.example.app}}` diff --git a/pages/linux/fpsync.md b/pages/linux/fpsync.md new file mode 100644 index 000000000..e94e1d6cc --- /dev/null +++ b/pages/linux/fpsync.md @@ -0,0 +1,28 @@ +# fpsync + +> Execute several synchronization processes locally or on several remote workers through SSH. +> More information: . + +- Recursively synchronize a directory to another location: + +`fpsync -v {{/path/to/source/}} {{/path/to/destination/}}` + +- Recursively synchronize a directory with the final pass (It enables rsync's `--delete` option with each synchronization job): + +`fpsync -v -E {{/path/to/source/}} {{/path/to/destination/}}` + +- Recursively synchronize a directory to a destination using 8 concurrent synchronization jobs: + +`fpsync -v -n 8 -E {{/path/to/source/}} {{/path/to/destination/}}` + +- Recursively synchronize a directory to a destination using 8 concurrent synchronization jobs spread over two remote workers (machine1 and machine2): + +`fpsync -v -n 8 -E -w login@machine1 -w login@machine2 -d {{/path/to/shared/directory}} {{/path/to/source/}} {{/path/to/destination/}}` + +- Recursively synchronize a directory to a destination using 4 local workers, each one transferring at most 1000 files and 100 MB per synchronization job: + +`fpsync -v -n 4 -f 1000 -s $((100 * 1024 * 1024)) {{/path/to/source/}} {{/path/to/destination/}}` + +- Recursively synchronize any directories but exclude specific `.snapshot*` files (Note: options and values must be separated by a pipe character): + +`fpsync -v -O "-x|.snapshot*" {{/path/to/source/}} {{/path/to/destination/}}` diff --git a/pages/linux/genid.md b/pages/linux/genid.md deleted file mode 100644 index bc3da06f6..000000000 --- a/pages/linux/genid.md +++ /dev/null @@ -1,24 +0,0 @@ -# genid - -> Generate IDs, such as snowflakes, UUIDs, and a new GAID. -> More information: . - -- Generate a UUIDv4: - -`genid uuid` - -- Generate a UUIDv5 using a namespace UUID and a specific name: - -`genid uuidv5 {{ce598faa-8dd0-49ee-8525-9e24fff71dca}} {{name}}` - -- Generate a Discord Snowflake, without a trailing newline (useful in shell scripts): - -`genid --script snowflake` - -- Generate a Generic Anonymous ID with a specific "real ID": - -`genid gaid {{real_id}}` - -- Generate a Snowflake with the epoch set to a specific date: - -`genid snowflake --epoch={{unix_epoch_time}}` diff --git a/pages/linux/genisoimage.md b/pages/linux/genisoimage.md index 81a7d6529..00aad09d3 100644 --- a/pages/linux/genisoimage.md +++ b/pages/linux/genisoimage.md @@ -1,7 +1,7 @@ # genisoimage > Pre-mastering program to generate ISO9660/Joliet/HFS hybrid filesystems. -> More information: . +> More information: . - Create an ISO image from the given source directory: diff --git a/pages/linux/getenforce.md b/pages/linux/getenforce.md new file mode 100644 index 000000000..e06be2f0f --- /dev/null +++ b/pages/linux/getenforce.md @@ -0,0 +1,9 @@ +# getenforce + +> Get the current mode of SELinux (i.e. enforcing, permissive, or disabled). +> See also: `setenforce`, `semanage-permissive`. +> More information: . + +- Display the current mode of SELinux: + +`getenforce` diff --git a/pages/linux/getsebool.md b/pages/linux/getsebool.md new file mode 100644 index 000000000..aafd10234 --- /dev/null +++ b/pages/linux/getsebool.md @@ -0,0 +1,17 @@ +# getsebool + +> Get SELinux boolean value. +> See also: `semanage-boolean`, `setsebool`. +> More information: . + +- Show the current setting of a boolean: + +`getsebool {{httpd_can_connect_ftp}}` + +- Show the current setting of [a]ll booleans: + +`getsebool -a` + +- Show the current setting of all booleans with explanations: + +`sudo semanage boolean {{-l|--list}}` diff --git a/pages/linux/groupmod.md b/pages/linux/groupmod.md index 0a59edaa6..3bc8f8b25 100644 --- a/pages/linux/groupmod.md +++ b/pages/linux/groupmod.md @@ -8,6 +8,6 @@ `sudo groupmod --new-name {{new_group}} {{group_name}}` -- Change the group id: +- Change the group ID: `sudo groupmod --gid {{new_id}} {{group_name}}` diff --git a/pages/linux/grub-editenv.md b/pages/linux/grub-editenv.md index 03baa0bf8..1b3fa45c4 100644 --- a/pages/linux/grub-editenv.md +++ b/pages/linux/grub-editenv.md @@ -15,6 +15,6 @@ `grub-editenv /boot/grub/grubenv unset saved_entry` -- Append "quiet splash" to the kernel command line: +- Append "quiet splash" to the kernel command-line: `grub-editenv /boot/grub/grubenv list kernel_cmdline` diff --git a/pages/linux/gummy.md b/pages/linux/gummy.md index a19674672..5e5088b2e 100644 --- a/pages/linux/gummy.md +++ b/pages/linux/gummy.md @@ -1,7 +1,7 @@ # gummy > Screen brightness/temperature manager for Linux/X11. -> More information: . +> More information: . - Set the screen temperature to 3000K: diff --git a/pages/linux/hdparm.md b/pages/linux/hdparm.md index fda072246..89da8d650 100644 --- a/pages/linux/hdparm.md +++ b/pages/linux/hdparm.md @@ -5,23 +5,23 @@ - Request the identification info of a given device: -`sudo hdparm -I /dev/{{device}}` +`sudo hdparm -I {{/dev/device}}` - Get the Advanced Power Management level: -`sudo hdparm -B /dev/{{device}}` +`sudo hdparm -B {{/dev/device}}` - Set the Advanced Power Management value (values 1-127 permit spin-down, and values 128-254 do not): -`sudo hdparm -B {{1}} /dev/{{device}}` +`sudo hdparm -B {{1}} {{/dev/device}}` - Display the device's current power mode status: -`sudo hdparm -C /dev/{{device}}` +`sudo hdparm -C {{/dev/device}}` - Force a drive to immediately enter standby mode (usually causes a drive to spin down): -`sudo hdparm -y /dev/{{device}}` +`sudo hdparm -y {{/dev/device}}` - Put the drive into idle (low-power) mode, also setting its standby timeout: diff --git a/pages/linux/homeshick.md b/pages/linux/homeshick.md index cece7f486..ed38436b9 100644 --- a/pages/linux/homeshick.md +++ b/pages/linux/homeshick.md @@ -1,6 +1,7 @@ # homeshick > Synchronize Git dotfiles. +> See also: `chezmoi`, `stow`, `tuckr`, `vcsh`. > More information: . - Create a new castle: diff --git a/pages/linux/httpie.md b/pages/linux/httpie.md deleted file mode 100644 index 4c8ecaf97..000000000 --- a/pages/linux/httpie.md +++ /dev/null @@ -1,36 +0,0 @@ -# httpie - -> A user friendly HTTP tool. -> More information: . - -- Send a GET request (default method with no request data): - -`http {{https://example.com}}` - -- Send a POST request (default method with request data): - -`http {{https://example.com}} {{hello=World}}` - -- Send a POST request with redirected input: - -`http {{https://example.com}} < {{file.json}}` - -- Send a PUT request with a given JSON body: - -`http PUT {{https://example.com/todos/7}} {{hello=world}}` - -- Send a DELETE request with a given request header: - -`http DELETE {{https://example.com/todos/7}} {{API-Key:foo}}` - -- Show the whole HTTP exchange (both request and response): - -`http -v {{https://example.com}}` - -- Download a file: - -`http --download {{https://example.com}}` - -- Follow redirects and show intermediary requests and responses: - -`http --follow --all {{https://example.com}}` diff --git a/pages/linux/hyprctl.md b/pages/linux/hyprctl.md new file mode 100644 index 000000000..156e97544 --- /dev/null +++ b/pages/linux/hyprctl.md @@ -0,0 +1,32 @@ +# hyprctl + +> Control parts of the Hyprland Wayland compositor. +> More information: . + +- Reload Hyprland configuration: + +`hyprctl reload` + +- Return the active window name: + +`hyprctl activewindow` + +- List all connected input devices: + +`hyprctl devices` + +- List all outputs with respective properties: + +`hyprctl workspaces` + +- Call a dispatcher with an argument: + +`hyprctl dispatch exec {{app}}` + +- Set a configuration keyword dynamically: + +`hyprctl keyword {{keyword}} {{value}}` + +- Display version: + +`hyprctl version` diff --git a/pages/linux/hyprpm.md b/pages/linux/hyprpm.md new file mode 100644 index 000000000..42fae2620 --- /dev/null +++ b/pages/linux/hyprpm.md @@ -0,0 +1,32 @@ +# hyprpm + +> Control plugins for the Hyprland Wayland compositor. +> More information: . + +- Add a plugin: + +`hyprpm add {{git_url}}` + +- Remove a plugin: + +`hyprpm remove {{git_url|plugin_name}}` + +- Enable a plugin: + +`hyprpm enable {{plugin_name}}` + +- Disable a plugin: + +`hyprpm disable {{plugin_name}}` + +- Update and check all plugins: + +`hyprpm update` + +- Force an operation: + +`hyprpm {{-f|--force}} {{operation}}` + +- List all installed plugins: + +`hyprpm list` diff --git a/pages/linux/ico.md b/pages/linux/ico.md index e494fa96d..8bcc0cfff 100644 --- a/pages/linux/ico.md +++ b/pages/linux/ico.md @@ -1,6 +1,6 @@ # ico -> Displays an animation of a polyhedron. +> Display an animation of a polyhedron. > More information: . - Display the wireframe of an icosahedron that changes its position every 0.1 seconds: diff --git a/pages/linux/id3v2.md b/pages/linux/id3v2.md index 77cf55914..0a4c9d93d 100644 --- a/pages/linux/id3v2.md +++ b/pages/linux/id3v2.md @@ -1,6 +1,6 @@ # id3v2 -> Manages id3v2 tags, converts and lists id3v1. +> Manage id3v2 tags, converts and lists id3v1. > More information: . - List all genres: @@ -9,7 +9,7 @@ - List all tags of specific files: -`id3v2 --list-tags {{path/to/file1 path/to/file2 ...}}` +`id3v2 --list {{path/to/file1 path/to/file2 ...}}` - Delete all `id3v2` or `id3v1` tags of specific files: diff --git a/pages/linux/ifup.md b/pages/linux/ifup.md index 66315dce3..714857f71 100644 --- a/pages/linux/ifup.md +++ b/pages/linux/ifup.md @@ -1,7 +1,7 @@ # ifup > Enable network interfaces. -> More information: . +> More information: . - Enable interface eth0: diff --git a/pages/linux/ip-link.md b/pages/linux/ip-link.md index 5dc3c0e63..ad90f5156 100644 --- a/pages/linux/ip-link.md +++ b/pages/linux/ip-link.md @@ -1,7 +1,7 @@ # ip link > Manage network interfaces. -> More information: . +> More information: . - Show information about all network interfaces: diff --git a/pages/linux/ip-rule.md b/pages/linux/ip-rule.md index 46b729051..cbb5e058c 100644 --- a/pages/linux/ip-rule.md +++ b/pages/linux/ip-rule.md @@ -1,7 +1,7 @@ # ip rule > IP routing policy database management. -> More information: . +> More information: . - Display the routing policy: diff --git a/pages/linux/ip.md b/pages/linux/ip.md index 110584516..51cb93e56 100644 --- a/pages/linux/ip.md +++ b/pages/linux/ip.md @@ -2,7 +2,7 @@ > Show/manipulate routing, devices, policy routing and tunnels. > Some subcommands such as `ip address` have their own usage documentation. -> More information: . +> More information: . - List interfaces with detailed info: diff --git a/pages/linux/ipcs.md b/pages/linux/ipcs.md new file mode 100644 index 000000000..a913e6e3e --- /dev/null +++ b/pages/linux/ipcs.md @@ -0,0 +1,37 @@ +# ipcs + +> Show information about the usage of System V IPC facilities: shared memory segments, message queues, and semaphore arrays. +> See also: `lsipc` for a more flexible tool, `ipcmk` for creating IPC facilities, and `ipcrm` for deleting them. +> More information: . + +- Show information about all active IPC facilities: + +`ipcs` + +- Show information about active shared [m]emory segments, message [q]ueues or [s]empahore sets: + +`ipcs {{--shmems|--queues|--semaphores}}` + +- Show full details on the resource with a specific [i]D: + +`ipcs {{--shmems|--queues|--semaphores}} --id {{resource_id}}` + +- Show [l]imits in [b]ytes or in a human-readable format: + +`ipcs --limits {{--bytes|--human}}` + +- Show s[u]mmary about current usage: + +`ipcs --summary` + +- Show [c]reator's and owner's UIDs and PIDs for all IPC facilities: + +`ipcs --creator` + +- Show the [p]ID of the last operators for all IPC facilities: + +`ipcs --pid` + +- Show last access [t]imes for all IPC facilities: + +`ipcs --time` diff --git a/pages/linux/iptables-save.md b/pages/linux/iptables-save.md index 655aaa688..b0d241ca5 100644 --- a/pages/linux/iptables-save.md +++ b/pages/linux/iptables-save.md @@ -1,7 +1,7 @@ # iptables-save > Save the `iptables` IPv4 configuration. -> Use `ip6tables-save` to to the same for IPv6. +> Use `ip6tables-save` to do the same for IPv6. > More information: . - Print the `iptables` configuration: diff --git a/pages/linux/journalctl.md b/pages/linux/journalctl.md index e447ec1df..68ed1a520 100644 --- a/pages/linux/journalctl.md +++ b/pages/linux/journalctl.md @@ -11,13 +11,13 @@ `journalctl --vacuum-time={{2d}}` -- [f]ollow new messages (like `tail -f` for traditional syslog): +- Show only the last N li[n]es and [f]ollow new messages (like `tail -f` for traditional syslog): -`journalctl -f` +`journalctl --lines {{N}} --follow` - Show all messages by a specific [u]nit: -`journalctl -u {{unit}}` +`journalctl --unit {{unit}}` - Show logs for a given unit since the last time it started: diff --git a/pages/linux/kde-builder.md b/pages/linux/kde-builder.md new file mode 100644 index 000000000..3220bc683 --- /dev/null +++ b/pages/linux/kde-builder.md @@ -0,0 +1,37 @@ +# kde-builder + +> Easily build KDE components from its source repositories. +> Drop-in replacement for `kdesrc-build`. +> More information: . + +- Initialize `kde-builder`: + +`kde-builder --initial-setup` + +- Compile a KDE component and its dependencies from the source: + +`kde-builder {{component_name}}` + +- Compile a component without updating its local code and without compiling its [D]ependencies: + +`kde-builder --no-src --no-include-dependencies {{component_name}}` + +- [r]efresh the build directories before compiling: + +`kde-builder --refresh-build {{component_name}}` + +- Resume compilation from a specific dependency: + +`kde-builder --resume-from={{dependency_component}} {{component_name}}` + +- Run a component with a specified executable name: + +`kde-builder --run {{executable_name}}` + +- Build all configured components: + +`kde-builder` + +- Use system libraries in place of a component if it fails to build: + +`kde-builder --no-stop-on-failure {{component_name}}` diff --git a/pages/linux/kdesrc-build.md b/pages/linux/kdesrc-build.md index 4b2a7cb24..d6bfdf352 100644 --- a/pages/linux/kdesrc-build.md +++ b/pages/linux/kdesrc-build.md @@ -1,7 +1,7 @@ # kdesrc-build > Easily build KDE components from its source repositories. -> More information: . +> More information: . - Initialize `kdesrc-build`: @@ -23,9 +23,9 @@ `kdesrc-build --resume-from={{dependency_component}} {{component_name}}` -- Print full compilation info: +- Run a component with a specified executable name: -`kdesrc-build --debug {{component_name}}` +`kdesrc-build --run --exec {{executable_name}} {{component_name}}` - Build all configured components: diff --git a/pages/linux/kdesrc-run.md b/pages/linux/kdesrc-run.md deleted file mode 100644 index 703f9b546..000000000 --- a/pages/linux/kdesrc-run.md +++ /dev/null @@ -1,8 +0,0 @@ -# kdesrc-run - -> Run KDE components that have been built with `kdesrc-build`. -> More information: . - -- Run a component: - -`kdesrc-run {{component_name}}` diff --git a/pages/linux/kdialog.md b/pages/linux/kdialog.md index 737b58731..48ffe4360 100644 --- a/pages/linux/kdialog.md +++ b/pages/linux/kdialog.md @@ -1,7 +1,7 @@ # kdialog > Show KDE dialog boxes from within shell scripts. -> More information: . +> More information: . - Open a dialog box displaying a specific message: @@ -31,6 +31,6 @@ `kdialog --getopenfilename` -- Open a progressbar dialog and print a DBUS reference for communication to `stdout`: +- Open a progressbar dialog and print a D-Bus reference for communication to `stdout`: `kdialog --progressbar "{{message}}"` diff --git a/pages/linux/kill.md b/pages/linux/kill.md index fe9c3d4bd..7a6203d04 100644 --- a/pages/linux/kill.md +++ b/pages/linux/kill.md @@ -10,7 +10,7 @@ - List signal values and their corresponding names (to be used without the `SIG` prefix): -`kill -{{L|-table}}` +`kill -L` - Terminate a background job: diff --git a/pages/linux/krfb-virtualmonitor.md b/pages/linux/krfb-virtualmonitor.md new file mode 100644 index 000000000..6a44c51cb --- /dev/null +++ b/pages/linux/krfb-virtualmonitor.md @@ -0,0 +1,8 @@ +# krfb-virtualmonitor + +> Create a virtual monitor and allow that monitor to be used with VNC. +> More information: . + +- Create a virtual monitor: + +`krfb-virtualmonitor --resolution {{1920}}x{{1080}} --name {{monitor_name}} --password {{password}} --port {{5900}}` diff --git a/pages/linux/last.md b/pages/linux/last.md new file mode 100644 index 000000000..c6000b467 --- /dev/null +++ b/pages/linux/last.md @@ -0,0 +1,37 @@ +# last + +> List information of last user logins. +> See also: `lastb`, `login`. +> More information: . + +- List login information (e.g., username, terminal, boot time, kernel) of all users: + +`last` + +- List login information of a specific user: + +`last {{username}}` + +- List information of a specific TTY: + +`last {{tty1}}` + +- List most recent information (by default, the newest are at the top): + +`last | tac` + +- List information of system boots: + +`last "{{system boot}}"` + +- List information with a specific [t]imestamp format: + +`last --time-format {{notime|full|iso}}` + +- List information [s]ince a specific time and date: + +`last --since {{-7days}}` + +- List information (i.e., hostname and IP) of remote hosts: + +`last --dns` diff --git a/pages/linux/look.md b/pages/linux/look.md index 6d50adeba..ac1c73837 100644 --- a/pages/linux/look.md +++ b/pages/linux/look.md @@ -11,11 +11,11 @@ - Case-insensitively search only on blank and alphanumeric characters: -`look -{{f|-ignore-case}} -{{d|-alphanum}} {{prefix}} {{path/to/file}}` +`look {{-f|--ignore-case}} {{-d|--alphanum}} {{prefix}} {{path/to/file}}` -- Specify a string [t]ermination character (space by default): +- Specify a string termination character (space by default): -`look -{t|-terminate} {{,}}` +`look {{-t|--terminate}} {{,}}` - Search in `/usr/share/dict/words` (`--ignore-case` and `--alphanum` are assumed): @@ -23,4 +23,4 @@ - Search in `/usr/share/dict/web2` (`--ignore-case` and `--alphanum` are assumed): -`look -{{a|-alternative}} {{prefix}}` +`look {{-a|--alternative}} {{prefix}}` diff --git a/pages/linux/losetup.md b/pages/linux/losetup.md index 78a47064c..2bb5fbf0e 100644 --- a/pages/linux/losetup.md +++ b/pages/linux/losetup.md @@ -9,7 +9,7 @@ - Attach a file to a given loop device: -`sudo losetup /dev/{{loop}} /{{path/to/file}}` +`sudo losetup {{/dev/loop}} /{{path/to/file}}` - Attach a file to a new free loop device and scan the device for partitions: @@ -17,7 +17,7 @@ - Attach a file to a read-only loop device: -`sudo losetup --read-only /dev/{{loop}} /{{path/to/file}}` +`sudo losetup --read-only {{/dev/loop}} /{{path/to/file}}` - Detach all loop devices: @@ -25,4 +25,4 @@ - Detach a given loop device: -`sudo losetup -d /dev/{{loop}}` +`sudo losetup -d {{/dev/loop}}` diff --git a/pages/linux/lrztar.md b/pages/linux/lrztar.md index 3099859fe..7c9761ada 100644 --- a/pages/linux/lrztar.md +++ b/pages/linux/lrztar.md @@ -4,7 +4,7 @@ > See also: `tar`, `lrzuntar`, `lrunzip`. > More information: . -- Archive a directory with `tar`, then compress: +- Archive a directory with tar, then compress: `lrztar {{path/to/directory}}` diff --git a/pages/linux/lsb_release.md b/pages/linux/lsb_release.md index fd54439aa..9f980c478 100644 --- a/pages/linux/lsb_release.md +++ b/pages/linux/lsb_release.md @@ -1,6 +1,6 @@ # lsb_release -> Provides certain LSB (Linux Standard Base) and distribution-specific information. +> Get LSB (Linux Standard Base) and distribution-specific information. > More information: . - Print all available information: diff --git a/pages/linux/lscpu.md b/pages/linux/lscpu.md index 2d5c72a69..64b8618a1 100644 --- a/pages/linux/lscpu.md +++ b/pages/linux/lscpu.md @@ -1,6 +1,6 @@ # lscpu -> Displays information about the CPU architecture. +> Display information about the CPU architecture. > More information: . - Display information about all CPUs: diff --git a/pages/linux/lsipc.md b/pages/linux/lsipc.md new file mode 100644 index 000000000..7862f39f8 --- /dev/null +++ b/pages/linux/lsipc.md @@ -0,0 +1,29 @@ +# lsipc + +> Show information on System V IPC facilities currently employed in the system. +> See also: `ipcs` for the older tool. +> More information: . + +- Show information about all active IPC facilities: + +`lsipc` + +- Show information about active shared [m]emory segments, message [q]ueues or [s]empahore sets: + +`lsipc {{--shmems|--queues|--semaphores}}` + +- Show full details on the resource with a specific [i]D: + +`lsipc {{--shmems|--queues|--semaphores}} --id {{resource_id}}` + +- Print the given [o]utput columns (see all supported columns with `--help`): + +`lsipc --output {{KEY,ID,PERMS,SEND,STATUS,NSEMS,RESOURCE,...}}` + +- Use [r]aw, [J]SON, [l]ist or [e]xport (key="value") format: + +`lsipc {{--raw|--json|--list|--export}}` + +- Don't truncate the output: + +`lsipc --notruncate` diff --git a/pages/linux/lslogins.md b/pages/linux/lslogins.md index 44079339e..54f16a99d 100644 --- a/pages/linux/lslogins.md +++ b/pages/linux/lslogins.md @@ -1,7 +1,7 @@ # lslogins > Show information about users on a Linux system. -> More information: . +> More information: . - Display users in the system: diff --git a/pages/linux/lsns.md b/pages/linux/lsns.md index 8ffa45709..898709ead 100644 --- a/pages/linux/lsns.md +++ b/pages/linux/lsns.md @@ -1,7 +1,7 @@ # lsns > List information about all namespaces or about the specified namespace. -> More information: . +> More information: . - List all namespaces: diff --git a/pages/linux/lvcreate.md b/pages/linux/lvcreate.md index 9c6a2983c..3b93e9f6c 100644 --- a/pages/linux/lvcreate.md +++ b/pages/linux/lvcreate.md @@ -2,7 +2,7 @@ > Create a logical volume in an existing volume group. A volume group is a collection of logical and physical volumes. > See also: `lvm`. -> More information: . +> More information: . - Create a logical volume of 10 gigabytes in the volume group vg1: diff --git a/pages/linux/lvdisplay.md b/pages/linux/lvdisplay.md index e3c0268d3..da802d840 100644 --- a/pages/linux/lvdisplay.md +++ b/pages/linux/lvdisplay.md @@ -2,7 +2,7 @@ > Display information about Logical Volume Manager (LVM) logical volumes. > See also: `lvm`. -> More information: . +> More information: . - Display information about all logical volumes: diff --git a/pages/linux/lvm.md b/pages/linux/lvm.md index 571d96477..abb58691a 100644 --- a/pages/linux/lvm.md +++ b/pages/linux/lvm.md @@ -1,7 +1,7 @@ # lvm > Manage physical volumes, volume groups, and logical volumes using the Logical Volume Manager (LVM) interactive shell. -> More information: . +> More information: . - Start the Logical Volume Manager interactive shell: diff --git a/pages/linux/lvreduce.md b/pages/linux/lvreduce.md index 62053ce6e..10bc7c48e 100644 --- a/pages/linux/lvreduce.md +++ b/pages/linux/lvreduce.md @@ -2,7 +2,7 @@ > Reduce the size of a logical volume. > See also: `lvm`. -> More information: . +> More information: . - Reduce a volume's size to 120 GB: diff --git a/pages/linux/lvremove.md b/pages/linux/lvremove.md index 76b38ba9f..350f8cccc 100644 --- a/pages/linux/lvremove.md +++ b/pages/linux/lvremove.md @@ -2,7 +2,7 @@ > Remove logical volumes. > See also: `lvm`. -> More information: . +> More information: . - Remove a logical volume in a volume group: diff --git a/pages/linux/lvresize.md b/pages/linux/lvresize.md index a5dea44a8..44f1546ea 100644 --- a/pages/linux/lvresize.md +++ b/pages/linux/lvresize.md @@ -2,7 +2,7 @@ > Change the size of a logical volume. > See also: `lvm`. -> More information: . +> More information: . - Change the size of a logical volume to 120 GB: diff --git a/pages/linux/lvs.md b/pages/linux/lvs.md index e03f9481e..22b7afe33 100644 --- a/pages/linux/lvs.md +++ b/pages/linux/lvs.md @@ -2,7 +2,7 @@ > Display information about logical volumes. > See also: `lvm`. -> More information: . +> More information: . - Display information about logical volumes: diff --git a/pages/linux/lxterminal.md b/pages/linux/lxterminal.md index d4ce43035..7dadd2444 100644 --- a/pages/linux/lxterminal.md +++ b/pages/linux/lxterminal.md @@ -1,7 +1,7 @@ # lxterminal > Terminal emulator for LXDE. -> More information: . +> More information: . - Open an LXTerminal window: diff --git a/pages/linux/mac2unix.md b/pages/linux/mac2unix.md index 5a7f4235c..ba5aff554 100644 --- a/pages/linux/mac2unix.md +++ b/pages/linux/mac2unix.md @@ -2,12 +2,21 @@ > Change macOS-style line endings to Unix-style. > Replaces CR with LF. +> See also `unix2dos`, `unix2mac`, and `dos2unix`. > More information: . - Change the line endings of a file: -`mac2unix {{filename}}` +`mac2unix {{path/to/file}}` - Create a copy with Unix-style line endings: -`mac2unix -n {{filename}} {{new_filename}}` +`mac2unix -n {{path/to/file}} {{path/to/new_file}}` + +- Display file information: + +`mac2unix -i {{path/to/file}}` + +- Keep/add/remove Byte Order Mark: + +`mac2unix --{{keep-bom|add-bom|remove-bom}} {{path/to/file}}` diff --git a/pages/linux/man.md b/pages/linux/man.md index e41b01cbe..db1698a79 100644 --- a/pages/linux/man.md +++ b/pages/linux/man.md @@ -7,7 +7,7 @@ `man {{command}}` -- Open the man page for a command in a browser: +- Open the man page for a command in a browser (requires the `BROWSER` variable to be set): `man --html {{command}}` @@ -29,7 +29,7 @@ - Display the man page using a specific locale: -`man --locale={{locale}} {{command}}` +`man --locale {{locale}} {{command}}` - Search for manpages containing a search string: diff --git a/pages/linux/mandb.md b/pages/linux/mandb.md index ddb5e6f03..40ed80116 100644 --- a/pages/linux/mandb.md +++ b/pages/linux/mandb.md @@ -1,7 +1,7 @@ # mandb > Manage the pre-formatted manual page database. -> More information: . +> More information: . - Purge and process manual pages: diff --git a/pages/linux/mashtree.md b/pages/linux/mashtree.md index 224c2e2a5..b2692cc86 100644 --- a/pages/linux/mashtree.md +++ b/pages/linux/mashtree.md @@ -1,6 +1,6 @@ # mashtree -> Makes a fast tree from genomes. +> Make a fast tree from genomes. > Does not make a phylogeny. > More information: . diff --git a/pages/linux/matchpathcon.md b/pages/linux/matchpathcon.md new file mode 100644 index 000000000..ed451678d --- /dev/null +++ b/pages/linux/matchpathcon.md @@ -0,0 +1,17 @@ +# matchpathcon + +> Lookup the persistent SELinux security context setting of a path. +> See also: `semanage-fcontext`, `secon`, `chcon`, `restorecon`. +> More information: . + +- Lookup the persistent security context setting of an absolute path: + +`matchpathcon {{/path/to/file}}` + +- Restrict lookup to settings on a specific file type: + +`matchpathcon -m {{file|dir|pipe|chr_file|blk_file|lnk_file|sock_file}} {{/path/to/file}}` + +- [V]erify that the persistent and current security context of a path agree: + +`matchpathcon -V {{/path/to/file}}` diff --git a/pages/linux/medusa.md b/pages/linux/medusa.md deleted file mode 100644 index 8ac906ccb..000000000 --- a/pages/linux/medusa.md +++ /dev/null @@ -1,20 +0,0 @@ -# Medusa - -> A modular and parallel login brute-forcer for a variety of protocols. -> More information: . - -- Execute brute force against an FTP server using a file containing usernames and a file containing passwords: - -`medusa -M ftp -h host -U {{path/to/username_file}} -P {{path/to/password_file}}` - -- Execute a login attempt against an HTTP server using the username, password and user-agent specified: - -`medusa -M HTTP -h host -u {{username}} -p {{password}} -m USER-AGENT:"{{Agent}}"` - -- Execute a brute force against a MySQL server using a file containing usernames and a hash: - -`medusa -M mysql -h host -U {{path/to/username_file}} -p {{hash}} -m PASS:HASH` - -- Execute a brute force against a list of SMB servers using a username and a pwdump file: - -`medusa -M smbnt -H {{path/to/hosts_file}} -C {{path/to/pwdump_file}} -u {{username}} -m PASS:HASH` diff --git a/pages/linux/mke2fs.md b/pages/linux/mke2fs.md index 9301f55af..fff11fb3f 100644 --- a/pages/linux/mke2fs.md +++ b/pages/linux/mke2fs.md @@ -1,6 +1,6 @@ # mke2fs -> Creates a Linux filesystem inside a partition. +> Create a Linux filesystem inside a partition. > More information: . - Create an ext2 filesystem in partition 1 of device b (`sdb1`): diff --git a/pages/linux/mkfs.cramfs.md b/pages/linux/mkfs.cramfs.md index f2341b5b8..0fa2b6dcf 100644 --- a/pages/linux/mkfs.cramfs.md +++ b/pages/linux/mkfs.cramfs.md @@ -1,6 +1,6 @@ # mkfs.cramfs -> Creates a ROM filesystem inside a partition. +> Create a ROM filesystem inside a partition. > More information: . - Create a ROM filesystem inside partition 1 on device b (`sdb1`): diff --git a/pages/linux/mkfs.erofs.md b/pages/linux/mkfs.erofs.md new file mode 100644 index 000000000..a26a08806 --- /dev/null +++ b/pages/linux/mkfs.erofs.md @@ -0,0 +1,20 @@ +# mkfs.erofs + +> Create an EROFS filesystem in an image. +> More information: . + +- Create an EROFS filesystem based on the root directory: + +`mkfs.erofs image.erofs root/` + +- Create an EROFS image with a specific UUID: + +`mkfs.erofs -U {{UUID}} image.erofs root/` + +- Create a compressed EROFS image: + +`mkfs.erofs -zlz4hc image.erofs root/` + +- Create an EROFS image where all files are owned by root: + +`mkfs.erofs --all-root image.erofs root/` diff --git a/pages/linux/mkfs.exfat.md b/pages/linux/mkfs.exfat.md index da5213a74..464b8d6c1 100644 --- a/pages/linux/mkfs.exfat.md +++ b/pages/linux/mkfs.exfat.md @@ -1,6 +1,6 @@ # mkfs.exfat -> Creates an exfat filesystem inside a partition. +> Create an exfat filesystem inside a partition. > More information: . - Create an exfat filesystem inside partition 1 on device b (`sdb1`): diff --git a/pages/linux/mkfs.ext4.md b/pages/linux/mkfs.ext4.md index aa479958b..190eb86d5 100644 --- a/pages/linux/mkfs.ext4.md +++ b/pages/linux/mkfs.ext4.md @@ -1,6 +1,6 @@ # mkfs.ext4 -> Creates an ext4 filesystem inside a partition. +> Create an ext4 filesystem inside a partition. > More information: . - Create an ext4 filesystem inside partition 1 on device b (`sdb1`): diff --git a/pages/linux/mkfs.f2fs.md b/pages/linux/mkfs.f2fs.md new file mode 100644 index 000000000..b320882d6 --- /dev/null +++ b/pages/linux/mkfs.f2fs.md @@ -0,0 +1,12 @@ +# mkfs.f2fs + +> Create an F2FS filesystem inside a partition. +> More information: . + +- Create an F2FS filesystem inside partition 1 on device b (`sdb1`): + +`sudo mkfs.f2fs {{/dev/sdb1}}` + +- Create an F2FS filesystem with a volume label: + +`sudo mkfs.f2fs -l {{volume_label}} {{/dev/sdb1}}` diff --git a/pages/linux/mkfs.fat.md b/pages/linux/mkfs.fat.md index 3c44843a7..8e483e40a 100644 --- a/pages/linux/mkfs.fat.md +++ b/pages/linux/mkfs.fat.md @@ -1,6 +1,6 @@ # mkfs.fat -> Creates an MS-DOS filesystem inside a partition. +> Create an MS-DOS filesystem inside a partition. > More information: . - Create a fat filesystem inside partition 1 on device b (`sdb1`): diff --git a/pages/linux/mkfs.minix.md b/pages/linux/mkfs.minix.md index d7903fcce..ba3905052 100644 --- a/pages/linux/mkfs.minix.md +++ b/pages/linux/mkfs.minix.md @@ -1,6 +1,6 @@ # mkfs.minix -> Creates a Minix filesystem inside a partition. +> Create a Minix filesystem inside a partition. > More information: . - Create a Minix filesystem inside partition 1 on device b (`sdb1`): diff --git a/pages/linux/mkfs.ntfs.md b/pages/linux/mkfs.ntfs.md index 836b854cc..a72584205 100644 --- a/pages/linux/mkfs.ntfs.md +++ b/pages/linux/mkfs.ntfs.md @@ -1,6 +1,6 @@ # mkfs.ntfs -> Creates a NTFS filesystem inside a partition. +> Create a NTFS filesystem inside a partition. > More information: . - Create a NTFS filesystem inside partition 1 on device b (`sdb1`): diff --git a/pages/linux/mkfs.vfat.md b/pages/linux/mkfs.vfat.md index 9a9e24c2b..22bd41d1c 100644 --- a/pages/linux/mkfs.vfat.md +++ b/pages/linux/mkfs.vfat.md @@ -1,6 +1,6 @@ # mkfs.vfat -> Creates an MS-DOS filesystem inside a partition. +> Create an MS-DOS filesystem inside a partition. > More information: . - Create a vfat filesystem inside partition 1 on device b (`sdb1`): diff --git a/pages/linux/mkfs.xfs.md b/pages/linux/mkfs.xfs.md new file mode 100644 index 000000000..91c15cf77 --- /dev/null +++ b/pages/linux/mkfs.xfs.md @@ -0,0 +1,12 @@ +# mkfs.xfs + +> Create an XFS filesystem inside a partition. +> More information: . + +- Create an XFS filesystem inside partition 1 on a device (`X`): + +`sudo mkfs.xfs {{/dev/sdX1}}` + +- Create an XFS filesystem with a volume label: + +`sudo mkfs.xfs -L {{volume_label}} {{/dev/sdX1}}` diff --git a/pages/linux/mksquashfs.md b/pages/linux/mksquashfs.md index efe7bba98..bc9f836b5 100644 --- a/pages/linux/mksquashfs.md +++ b/pages/linux/mksquashfs.md @@ -15,7 +15,7 @@ `mksquashfs {{path/to/file_or_directory1 path/to/file_or_directory2 ...}} {{filesystem.squashfs}} -e {{file|directory1 file|directory2 ...}}` -- Create or append files and directories to a squashfs filesystem, [e]xcluding those ending with `.gz`: +- Create or append files and directories to a squashfs filesystem, [e]xcluding those ending with gzip: `mksquashfs {{path/to/file_or_directory1 path/to/file_or_directory2 ...}} {{filesystem.squashfs}} -wildcards -e "{{*.gz}}"` diff --git a/pages/linux/mlabel.md b/pages/linux/mlabel.md index 005c5af29..9eb711c8e 100644 --- a/pages/linux/mlabel.md +++ b/pages/linux/mlabel.md @@ -5,4 +5,4 @@ - Set a filesystem label: -`mlabel -i /dev/{{sda}} ::"{{new_label}}"` +`mlabel -i {{/dev/sda}} ::"{{new_label}}"` diff --git a/pages/linux/mopac.md b/pages/linux/mopac.md new file mode 100644 index 000000000..b752e260b --- /dev/null +++ b/pages/linux/mopac.md @@ -0,0 +1,12 @@ +# mopac + +> MOPAC (Molecular Orbital PACkage) is a semiempirical quantum chemistry program based on Dewar and Thiel's NDDO approximation. +> More information: . + +- Perform calculations according to an input file (`.mop`, `.dat`, and `.arc`): + +`mopac {{path/to/input_file}}` + +- Minimal working example with HF that writes to the current directory and streams the output file: + +`touch test.out; echo "PM7\n#comment\n\nH 0.95506 0.05781 -0.03133\nF 1.89426 0.05781 -0.03133" > test.mop; mopac test.mop & tail -f test.out` diff --git a/pages/linux/mount.ddi.md b/pages/linux/mount.ddi.md index b21e42754..d76369a72 100644 --- a/pages/linux/mount.ddi.md +++ b/pages/linux/mount.ddi.md @@ -1,7 +1,7 @@ # mount.ddi > Mount Discoverable Disk Images. -> See `tldr systemd-dissect` for other commands relevant to DDIs. +> See also: `systemd-dissect` for other commands relevant to DDIs. > More information: . - Mount an OS image: diff --git a/pages/linux/nautilus.md b/pages/linux/nautilus.md index 66b90143a..71cdb136b 100644 --- a/pages/linux/nautilus.md +++ b/pages/linux/nautilus.md @@ -2,6 +2,7 @@ > Default file explorer for GNOME desktop environment. > Also known as GNOME Files. +> See also: `dolphin`, `caja`, `thunar`, `vifm`. > More information: . - Launch Nautilus: @@ -10,7 +11,7 @@ - Launch Nautilus as root user: -`sudo nautilus` +`nautilus admin:/` - Launch Nautilus and display a specific directory: diff --git a/pages/linux/navi.md b/pages/linux/navi.md index 7af717f35..60b1b1326 100644 --- a/pages/linux/navi.md +++ b/pages/linux/navi.md @@ -1,6 +1,6 @@ # navi -> An interactive cheatsheet tool for the command line and application launchers. +> An interactive cheatsheet tool for the command-line and application launchers. > More information: . - Browse through all available cheatsheets: diff --git a/pages/linux/nemo.md b/pages/linux/nemo.md index c67fc8e0c..82b2a67b7 100644 --- a/pages/linux/nemo.md +++ b/pages/linux/nemo.md @@ -1,6 +1,6 @@ # nemo -> Manages files and directories in Cinnamon desktop environment. +> Manage files and directories in Cinnamon desktop environment. > More information: . - Open the current user home directory: diff --git a/pages/linux/netselect-apt.md b/pages/linux/netselect-apt.md index ba5085213..8c353f6ce 100644 --- a/pages/linux/netselect-apt.md +++ b/pages/linux/netselect-apt.md @@ -1,7 +1,7 @@ # netselect-apt > Create a `sources.list` file for a Debian mirror with the lowest latency. -> More information: . +> More information: . - Create `sources.list` using the lowest latency server: diff --git a/pages/linux/nl.md b/pages/linux/nl.md index 81ee81299..65f5bc92d 100644 --- a/pages/linux/nl.md +++ b/pages/linux/nl.md @@ -11,7 +11,7 @@ `{{command}} | nl -` -- Number [a]ll [b]ody lines including blank lines or do not [n]umber [b]ody lines: +- Number [a]ll [b]ody lines including blank lines or do [n]ot number [b]ody lines: `nl --body-numbering {{a|n}} {{path/to/file}}` @@ -27,10 +27,10 @@ `nl --number-format {{rz|ln|rn}}` -- Specify the line numbering's width (6 by default): +- Specify the line numbering's [w]idth (6 by default): `nl --number-width {{col_width}} {{path/to/file}}` -- Use a specific string to separate the line numbers from the lines (TAB by default): +- Use a specific string to [s]eparate the line numbers from the lines (TAB by default): `nl --number-separator {{separator}} {{path/to/file}}` diff --git a/pages/linux/nsenter.md b/pages/linux/nsenter.md index 309b0d502..7aa126e86 100644 --- a/pages/linux/nsenter.md +++ b/pages/linux/nsenter.md @@ -1,24 +1,16 @@ # nsenter > Run a new command in a running process' namespace. -> Particularly useful for docker images or chroot jails. +> Particularly useful for Docker images or chroot jails. > More information: . - Run a specific command using the same namespaces as an existing process: `nsenter --target {{pid}} --all {{command}} {{command_arguments}}` -- Run a specific command in an existing process's network namespace: +- Run a specific command in an existing process's mount|UTS|IPC|network|PID|user|cgroup|time namespace: -`nsenter --target {{pid}} --net {{command}} {{command_arguments}}` - -- Run a specific command in an existing process's PID namespace: - -`nsenter --target {{pid}} --pid {{command}} {{command_arguments}}` - -- Run a specific command in an existing process's IPC namespace: - -`nsenter --target {{pid}} --ipc {{command}} {{command_arguments}}` +`nsenter --target {{pid}} --{{mount|uts|ipc|net|pid|user|cgroup}} {{command}} {{command_arguments}}` - Run a specific command in an existing process's UTS, time, and IPC namespaces: diff --git a/pages/linux/ntpd.md b/pages/linux/ntpd.md new file mode 100644 index 000000000..cb0874454 --- /dev/null +++ b/pages/linux/ntpd.md @@ -0,0 +1,16 @@ +# ntpd + +> The official NTP (Network Time Protocol) daemon to synchronize the system clock to remote time servers or local reference clocks. +> More information: . + +- Start the daemon: + +`sudo ntpd` + +- Synchronize system time with remote servers a single time (quit after synchronizing): + +`sudo ntpd --quit` + +- Synchronize a single time allowing "Big" adjustments: + +`sudo ntpd --panicgate --quit` diff --git a/pages/linux/ntpdate.md b/pages/linux/ntpdate.md index faf68c452..54eaaea8f 100644 --- a/pages/linux/ntpdate.md +++ b/pages/linux/ntpdate.md @@ -1,7 +1,7 @@ # ntpdate > Synchronize and set the date and time via NTP. -> More information: . +> More information: . - Synchronize and set date and time: diff --git a/pages/linux/numactl.md b/pages/linux/numactl.md index 25545386e..3924f8718 100644 --- a/pages/linux/numactl.md +++ b/pages/linux/numactl.md @@ -1,7 +1,7 @@ # numactl > Control NUMA policy for processes or shared memory. -> More information: . +> More information: . - Run a command on node 0 with memory allocated on node 0 and 1: diff --git a/pages/linux/obabel.md b/pages/linux/obabel.md index 3c0ef0169..e9b8307df 100644 --- a/pages/linux/obabel.md +++ b/pages/linux/obabel.md @@ -1,7 +1,7 @@ # obabel > Translate chemistry-related data. -> More information: . +> More information: . - Convert a .mol file to XYZ coordinates: @@ -9,7 +9,7 @@ - Convert a SMILES string to a 500x500 picture: -`obabel -:"{{SMILES}} -O {{path/to/output_file.png}} -xp 500` +`obabel -:"{{SMILES}}" -O {{path/to/output_file.png}} -xp 500` - Convert a file of SMILES string to separate 3D .mol files: diff --git a/pages/linux/objcopy.md b/pages/linux/objcopy.md new file mode 100644 index 000000000..0fa6b238e --- /dev/null +++ b/pages/linux/objcopy.md @@ -0,0 +1,24 @@ +# objcopy + +> Copy the contents of an object file to another file. +> More information: . + +- Copy data to another file: + +`objcopy {{path/to/source_file}} {{path/to/target_file}}` + +- Translate object files from one format to another: + +`objcopy --input-target={{input_format}} --output-target {{output_format}} {{path/to/source_file}} {{path/to/target_file}}` + +- Strip all symbol information from the file: + +`objcopy --strip-all {{path/to/source_file}} {{path/to/target_file}}` + +- Strip debugging information from the file: + +`objcopy --strip-debug {{path/to/source_file}} {{path/to/target_file}}` + +- Copy a specific section from the source file to the destination file: + +`objcopy --only-section {{section}} {{path/to/source_file}} {{path/to/target_file}}` diff --git a/pages/linux/pacgraph.md b/pages/linux/pacgraph.md new file mode 100644 index 000000000..31db7da79 --- /dev/null +++ b/pages/linux/pacgraph.md @@ -0,0 +1,36 @@ +# pacgraph + +> Draw a graph of installed packages to PNG/SVG/GUI/console. +> More information: . + +- Produce an SVG and PNG graph: + +`pacgraph` + +- Produce an SVG graph: + +`pacgraph --svg` + +- Print summary to console: + +`pacgraph --console` + +- Override the default filename/location (Note: Do not specify the file extension): + +`pacgraph --file={{path/to/file}}` + +- Change the color of packages that are not dependencies: + +`pacgraph --top={{color}}` + +- Change the color of package dependencies: + +`pacgraph --dep={{color}}` + +- Change the background color of a graph: + +`pacgraph --background={{color}}` + +- Change the color of links between packages: + +`pacgraph --link={{color}}` diff --git a/pages/linux/partx.md b/pages/linux/partx.md index f42adc475..50df5e007 100644 --- a/pages/linux/partx.md +++ b/pages/linux/partx.md @@ -1,7 +1,7 @@ # partx > Parse a partition table and tell the kernel about it. -> More information: . +> More information: . - List the partitions on a block device or disk image: diff --git a/pages/linux/pidof.md b/pages/linux/pidof.md index f5f1c2710..2fe0f2a00 100644 --- a/pages/linux/pidof.md +++ b/pages/linux/pidof.md @@ -1,6 +1,6 @@ # pidof -> Gets the ID of a process using its name. +> Get the ID of a process using its name. > More information: . - List all process IDs with given name: diff --git a/pages/linux/pidstat.md b/pages/linux/pidstat.md index 554394c5b..3be8406cf 100644 --- a/pages/linux/pidstat.md +++ b/pages/linux/pidstat.md @@ -11,7 +11,7 @@ `pidstat -r` -- Show input/output usage per process id: +- Show input/output usage per process ID: `pidstat -d` diff --git a/pages/linux/pkgctl-db-update.md b/pages/linux/pkgctl-db-update.md index 2ac713704..94ccc9b5b 100644 --- a/pages/linux/pkgctl-db-update.md +++ b/pages/linux/pkgctl-db-update.md @@ -1,6 +1,6 @@ # pkgctl db update -> Update the `pacman` database as final release step for packages that have been transfered and staged on . +> Update the `pacman` database as final release step for packages that have been transferred and staged on . > More information: . - Update the binary repository as final release step: diff --git a/pages/linux/plasmashell.md b/pages/linux/plasmashell.md new file mode 100644 index 000000000..97625a93b --- /dev/null +++ b/pages/linux/plasmashell.md @@ -0,0 +1,20 @@ +# plasmashell + +> Start and restart Plasma Desktop. +> More information: . + +- Restart `plasmashell`: + +`systemctl restart --user plasma-plasmashell` + +- Restart `plasmashell` without systemd: + +`plasmashell --replace & disown` + +- Display [h]elp on command-line options: + +`plasmashell --help` + +- Display help, including Qt options: + +`plasmashell --help-all` diff --git a/pages/linux/pmap.md b/pages/linux/pmap.md index 812f4569c..44579bf24 100644 --- a/pages/linux/pmap.md +++ b/pages/linux/pmap.md @@ -3,7 +3,7 @@ > Report memory map of a process or processes. > More information: . -- Print memory map for a specific process id (PID): +- Print memory map for a specific process ID (PID): `pmap {{pid}}` diff --git a/pages/linux/pngcheck.md b/pages/linux/pngcheck.md index 466b56989..e508d8b43 100644 --- a/pages/linux/pngcheck.md +++ b/pages/linux/pngcheck.md @@ -1,6 +1,6 @@ # pngcheck -> Forensics tool for validating the integrity of PNG based (`.png`, `.jng`, `.mng`) image files. +> Forensics tool for validating the integrity of PNG based (PNG, JNG, MNG) image files. > Can also extract embedded images and text from a file. > More information: . diff --git a/pages/linux/portageq.md b/pages/linux/portageq.md new file mode 100644 index 000000000..c4a147366 --- /dev/null +++ b/pages/linux/portageq.md @@ -0,0 +1,21 @@ +# portageq + +> Query for information about Portage, the Gentoo Linux package manager. +> Queryable Portage-specific environment variables are listed in `/var/db/repos/gentoo/profiles/info_vars`. +> More information: . + +- Display the value of a Portage-specific environment variable: + +`portageq envvar {{variable}}` + +- Display a detailed list of repositories configured with Portage: + +`portageq repos_config /` + +- Display a list of repositories sorted by priority (highest first): + +`portageq get_repos /` + +- Display a specific piece of metadata about an atom (i.e. package name including the version): + +`portageq metadata / {{ebuild|porttree|binary|...}} {{category}}/{{package}} {{BDEPEND|DEFINED_PHASES|DEPEND|...}}` diff --git a/pages/linux/poweroff.md b/pages/linux/poweroff.md index 875e45498..e5d2edaf3 100644 --- a/pages/linux/poweroff.md +++ b/pages/linux/poweroff.md @@ -1,7 +1,7 @@ # poweroff > Power off the system. -> More information: . +> More information: . - Power off the system: @@ -17,7 +17,7 @@ - Shut down immediately without contacting the system manager: -`poweroff --force --force` +`poweroff --force` - Write the wtmp shutdown entry without shutting down the system: diff --git a/pages/linux/prename.md b/pages/linux/prename.md index a6f2d4cbd..04835f4e7 100644 --- a/pages/linux/prename.md +++ b/pages/linux/prename.md @@ -2,7 +2,7 @@ > Rename multiple files. > Note: this page refers to the command from the `prename` Fedora package. -> More information: . +> More information: . - Rename files using a Perl Common Regular Expression (substitute 'foo' with 'bar' wherever found): diff --git a/pages/linux/prime-run.md b/pages/linux/prime-run.md new file mode 100644 index 000000000..98e11a6e1 --- /dev/null +++ b/pages/linux/prime-run.md @@ -0,0 +1,12 @@ +# prime-run + +> Run a program using an alternative Nvidia graphics card. +> More information: . + +- Run a program using a dedicated Nvidia GPU: + +`prime-run {{command}}` + +- Validate whether the Nvidia card is being used: + +`prime-run glxinfo | grep "OpenGL renderer"` diff --git a/pages/linux/proctl.md b/pages/linux/proctl.md new file mode 100644 index 000000000..0ec691d2c --- /dev/null +++ b/pages/linux/proctl.md @@ -0,0 +1,36 @@ +# proctl + +> Manage projects licenses and languages, switch between templated licenses. +> More information: . + +- List available licenses: + +`proctl {{-ll|-list-licenses}}` + +- List available languages: + +`proctl {{-lL|-list-languages}}` + +- Pick a license in a FZF menu: + +`proctl {{-pl|-pick-license}}` + +- Pick a language in a FZF menu: + +`proctl {{-pL|-pick-language}}` + +- Remove all licenses from the current project: + +`proctl {{-r|-remove-license}}` + +- Create a new license template: + +`proctl {{-t|-new-template}}` + +- Delete a license from templates: + +`proctl {{-R|-delete-license}} {{@license_name1 @license_name2 ...}}` + +- Show this helpful list of commands: + +`proctl {{-h|-help}}` diff --git a/pages/linux/pvcreate.md b/pages/linux/pvcreate.md index 97cbf2856..bc9bf6af1 100644 --- a/pages/linux/pvcreate.md +++ b/pages/linux/pvcreate.md @@ -2,7 +2,7 @@ > Initialize a disk or partition for use as a physical volume. > See also: `lvm`. -> More information: . +> More information: . - Initialize the `/dev/sda1` volume for use by LVM: diff --git a/pages/linux/pvdisplay.md b/pages/linux/pvdisplay.md index 292ac5335..aedf3db03 100644 --- a/pages/linux/pvdisplay.md +++ b/pages/linux/pvdisplay.md @@ -2,7 +2,7 @@ > Display information about Logical Volume Manager (LVM) physical volumes. > See also: `lvm`. -> More information: . +> More information: . - Display information about all physical volumes: diff --git a/pages/linux/pvs.md b/pages/linux/pvs.md index 50663835a..5236b8b40 100644 --- a/pages/linux/pvs.md +++ b/pages/linux/pvs.md @@ -2,7 +2,7 @@ > Display information about physical volumes. > See also: `lvm`. -> More information: . +> More information: . - Display information about physical volumes: diff --git a/pages/linux/pw-cat.md b/pages/linux/pw-cat.md index 91a828736..f3261b093 100644 --- a/pages/linux/pw-cat.md +++ b/pages/linux/pw-cat.md @@ -1,6 +1,6 @@ # pw-cat -> Play and record audio files through pipewire. +> Play and record audio files through PipeWire. > More information: . - Play a WAV file over the default target: diff --git a/pages/linux/pw-cli.md b/pages/linux/pw-cli.md index d86cb9711..bb71fee17 100644 --- a/pages/linux/pw-cli.md +++ b/pages/linux/pw-cli.md @@ -1,7 +1,7 @@ # pw-cli > Manage a PipeWire instance's modules, objects, nodes, devices, links and much more. -> More information: . +> More information: . - Print all nodes (sinks and sources) along with their IDs: diff --git a/pages/linux/pw-config.md b/pages/linux/pw-config.md new file mode 100644 index 000000000..38e7bd463 --- /dev/null +++ b/pages/linux/pw-config.md @@ -0,0 +1,32 @@ +# pw-config + +> List configuration paths and sections that will be used by the PipeWire server and clients. +> More information: . + +- List all configuration files that will be used: + +`pw-config` + +- List all configuration files that will be used by the PipeWire PulseAudio server: + +`pw-config --name pipewire-pulse.conf` + +- List all configuration sections used by the PipeWire PulseAudio server: + +`pw-config --name pipewire-pulse.conf list` + +- List the `context.properties` fragments used by the JACK clients: + +`pw-config --name jack.conf list context.properties` + +- List the merged `context.properties` used by the JACK clients: + +`pw-config --name jack.conf merge context.properties` + +- List the merged `context.modules` used by the PipeWire server and [r]eformat: + +`pw-config --name pipewire.conf --recurse merge context.modules` + +- Display help: + +`pw-config --help` diff --git a/pages/linux/pw-dot.md b/pages/linux/pw-dot.md index 2dc55359b..def8ecea8 100644 --- a/pages/linux/pw-dot.md +++ b/pages/linux/pw-dot.md @@ -8,22 +8,30 @@ `pw-dot` -- Specify an output file, showing all object types: +- Read objects from `pw-dump` JSON file: -`pw-dot --output {{path/to/file.dot}} --all` +`pw-dot {{-j|--json}} {{path/to/file.json}}` + +- Specify an [o]utput file, showing all object types: + +`pw-dot --output {{path/to/file.dot}} {{-a|--all}}` - Print `.dot` graph to `stdout`, showing all object properties: -`pw-dot --output - --detail` +`pw-dot --output - {{-d|--detail}}` -- Generate a graph from a remote instance, showing only linked objects: +- Generate a graph from a [r]emote instance, showing only linked objects: -`pw-dot --remote {{remote_name}} --smart` +`pw-dot --remote {{remote_name}} {{-s|--smart}}` - Lay the graph from left to right, instead of dot's default top to bottom: -`pw-dot --lr` +`pw-dot {{-L|--lr}}` - Lay the graph using 90-degree angles in edges: -`pw-dot --90` +`pw-dot {{-9|--90}}` + +- Display help: + +`pw-dot --help` diff --git a/pages/linux/pw-metadata.md b/pages/linux/pw-metadata.md new file mode 100644 index 000000000..7aee0f8af --- /dev/null +++ b/pages/linux/pw-metadata.md @@ -0,0 +1,33 @@ +# pw-metadata + +> Monitor, set, and delete metadata on PipeWire objects. +> See also: `pipewire`, `pw-mon`, `pw-cli`. +> More information: . + +- Show metadata in `default` name: + +`pw-metadata` + +- Show metadata with ID 0 in `settings`: + +`pw-metadata {{-n|--name}} {{settings}} {{0}}` + +- List all available metadata objects: + +`pw-metadata {{-l|--list}}` + +- Keep running and log the changes to the metadata: + +`pw-metadata {{-m|--monitor}}` + +- Delete all metadata: + +`pw-metadata {{-d|--delete}}` + +- Set `log.level` to 1 in `settings`: + +`pw-metadata --name {{settings}} {{0}} {{log.level}} {{1}}` + +- Display help: + +`pw-metadata --help` diff --git a/pages/linux/pw-play.md b/pages/linux/pw-play.md index e16cb52b5..92f729e07 100644 --- a/pages/linux/pw-play.md +++ b/pages/linux/pw-play.md @@ -1,7 +1,8 @@ # pw-play -> Play audio files through `pipewire`. +> Play audio files through PipeWire. > Shorthand for `pw-cat --playback`. +> See also: `play`. > More information: . - Play a WAV sound file over the default target: diff --git a/pages/linux/pw-profiler.md b/pages/linux/pw-profiler.md index 0afd150ec..2b95230d4 100644 --- a/pages/linux/pw-profiler.md +++ b/pages/linux/pw-profiler.md @@ -3,7 +3,7 @@ > Profile a local or remote instance. > More information: . -- Profile the default instance, logging to `profile.log` (`gnuplot` files and a `.html` file for result visualizing are also generated): +- Profile the default instance, logging to `profile.log` (`gnuplot` files and a HTML file for result visualizing are also generated): `pw-profiler` diff --git a/pages/linux/pw-record.md b/pages/linux/pw-record.md index f553d7eb8..7be54d915 100644 --- a/pages/linux/pw-record.md +++ b/pages/linux/pw-record.md @@ -1,6 +1,6 @@ # pw-record -> Record audio files through pipewire. +> Record audio files through PipeWire. > Shorthand for pw-cat --record. > More information: . diff --git a/pages/linux/qm-suspend.md b/pages/linux/qm-suspend.md index 7d532817f..c4fd707d5 100644 --- a/pages/linux/qm-suspend.md +++ b/pages/linux/qm-suspend.md @@ -4,7 +4,7 @@ > Use `--skiplock` and `--skiplockstorage` flags with caution, as they may lead to data corruption in certain situations. > More information: . -- Suspend a virtual machine by id: +- Suspend a virtual machine by ID: `qm suspend {{vm_id}} {{integer}}` diff --git a/pages/linux/quickget.md b/pages/linux/quickget.md index c80c431ba..3d9a76429 100644 --- a/pages/linux/quickget.md +++ b/pages/linux/quickget.md @@ -19,16 +19,20 @@ - Download a macOS recovery image and creates a virtual machine configuration: -`quickget macos {{high-sierra|mojave|catalina|big-sur|monterey|ventura}}` +`quickget macos {{mojave|catalina|big-sur|monterey|ventura|sonoma}}` -- Show an ISO URL for an operating system (Note: it does not work for Windows): +- Show an ISO URL for an operating system: -`quickget --show-iso-url fedora {{release}} {{edition}}` +`quickget --url fedora {{release}} {{edition}}` - Test if an ISO file is available for an operating system: -`quickget --test-iso-url nixos {{edition}} {{plasma5}}` +`quickget --check nixos {{release}} {{edition}}` -- Open an operating system distribution's homepage in a browser (Note: it does not work for Windows): +- Download an image without building any VM configuration: -`quickget --open-distro-homepage {{os}}` +`quickget --download {{os}} {{release}} {{edition}}` + +- Create a VM configuration for an OS image: + +`quickget --create-config {{os}} {{path/to/iso}}` diff --git a/pages/linux/rcp.md b/pages/linux/rcp.md index 2f8da27c2..4cefe9f73 100644 --- a/pages/linux/rcp.md +++ b/pages/linux/rcp.md @@ -6,16 +6,16 @@ - Copy a file to a remote host: -`rcp {{path/to/local_file}} {{username}}@{{remotehost}}:{{/path/to/destination/}}` +`rcp {{path/to/local_file}} {{username}}@{{remote_host}}:{{/path/to/destination/}}` - Copy a directory recursively: -`rcp -r {{path/to/local_directory}} {{username}}@{{remotehost}}:{{/path/to/destination/}}` +`rcp -r {{path/to/local_directory}} {{username}}@{{remote_host}}:{{/path/to/destination/}}` - Preserve the file attributes: -`rcp -p {{path/to/local_file}} {{username}}@{{remotehost}}:{{/path/to/destination/}}` +`rcp -p {{path/to/local_file}} {{username}}@{{remote_host}}:{{/path/to/destination/}}` - Force copy without a confirmation: -`rcp -f {{path/to/local_file}} {{username}}@{{remotehost}}:{{/path/to/destination/}}` +`rcp -f {{path/to/local_file}} {{username}}@{{remote_host}}:{{/path/to/destination/}}` diff --git a/pages/linux/read.md b/pages/linux/read.md deleted file mode 100644 index 9c9a8156a..000000000 --- a/pages/linux/read.md +++ /dev/null @@ -1,36 +0,0 @@ -# read - -> Shell builtin for retrieving data from `stdin`. -> More information: . - -- Store data that you type from the keyboard: - -`read {{variable}}` - -- Store each of the next lines you enter as values of an array: - -`read -a {{array}}` - -- Specify the number of maximum characters to be read: - -`read -n {{character_count}} {{variable}}` - -- Use a specific character as a delimiter instead of a new line: - -`read -d {{new_delimiter}} {{variable}}` - -- Do not let backslash (\\) act as an escape character: - -`read -r {{variable}}` - -- Display a prompt before the input: - -`read -p "{{Enter your input here: }}" {{variable}}` - -- Do not echo typed characters (silent mode): - -`read -s {{variable}}` - -- Read `stdin` and perform an action on every line: - -`while read line; do echo "$line"; done` diff --git a/pages/linux/readelf.md b/pages/linux/readelf.md index 87234431f..510f9d450 100644 --- a/pages/linux/readelf.md +++ b/pages/linux/readelf.md @@ -1,7 +1,7 @@ # readelf -> Displays information about ELF files. -> More information: . +> Display information about ELF files. +> More information: . - Display all information about the ELF file: @@ -15,6 +15,10 @@ `readelf --symbols {{path/to/binary}}` -- Display the information contained in the ELF header at the start of the file: +- Display ELF header information: `readelf --file-header {{path/to/binary}}` + +- Display ELF section header information: + +`readelf --section-headers {{path/to/binary}}` diff --git a/pages/linux/readpe.md b/pages/linux/readpe.md index 5f4825347..578fa8986 100644 --- a/pages/linux/readpe.md +++ b/pages/linux/readpe.md @@ -1,6 +1,6 @@ # readpe -> Displays information about PE files. +> Display information about PE files. > More information: . - Display all information about a PE file: diff --git a/pages/linux/reportbug.md b/pages/linux/reportbug.md index 3aefb696c..4fe8f1a7f 100644 --- a/pages/linux/reportbug.md +++ b/pages/linux/reportbug.md @@ -1,7 +1,7 @@ # reportbug > Bug report tool of Debian distribution. -> More information: . +> More information: . - Generate a bug report about a specific package, then send it by e-mail: diff --git a/pages/linux/reset.md b/pages/linux/reset.md index f01957047..78fecd153 100644 --- a/pages/linux/reset.md +++ b/pages/linux/reset.md @@ -1,6 +1,6 @@ # reset -> Reinitializes the current terminal. Clears the entire terminal screen. +> Reinitialize the current terminal. Clears the entire terminal screen. > More information: . - Reinitialize the current terminal: diff --git a/pages/linux/rexec.md b/pages/linux/rexec.md index bbfbfb983..e7cc6b7f4 100644 --- a/pages/linux/rexec.md +++ b/pages/linux/rexec.md @@ -1,7 +1,7 @@ # rexec > Execute a command on a remote host. -> Note: Use `rexec` with caution, as it transmits data in plain text. Consider secure alternatives like `ssh` for encrypted communication. +> Note: Use `rexec` with caution, as it transmits data in plain text. Consider secure alternatives like SSH for encrypted communication. > More information: . - Execute a command on a remote [h]ost: diff --git a/pages/linux/rm.md b/pages/linux/rm.md index 784999769..6c0019f98 100644 --- a/pages/linux/rm.md +++ b/pages/linux/rm.md @@ -23,3 +23,7 @@ - Remove specific files and directories recursively: `rm --recursive {{path/to/file_or_directory1 path/to/file_or_directory2 ...}}` + +- Remove empty directories (this is considered the safe method): + +`rm --dir {{path/to/directory}}` diff --git a/pages/linux/rpcinfo.md b/pages/linux/rpcinfo.md index b540605c8..170d0f8c9 100644 --- a/pages/linux/rpcinfo.md +++ b/pages/linux/rpcinfo.md @@ -1,6 +1,6 @@ # rpcinfo -> Makes an RPC call to an RPC server and reports what it finds. +> Make an RPC call to an RPC server and reports what it finds. > More information: . - Show full table of all RPC services registered on localhost: diff --git a/pages/linux/rpi-otp-private-key.md b/pages/linux/rpi-otp-private-key.md new file mode 100644 index 000000000..5c5f2cb7a --- /dev/null +++ b/pages/linux/rpi-otp-private-key.md @@ -0,0 +1,8 @@ +# rpi-otp-private-key + +> Display the One-Time Programmable (OTP) private key of a Raspberry Pi. +> More information: . + +- Read the OTP private key: + +`rpi-otp-private-key` diff --git a/pages/linux/rpicam-vid.md b/pages/linux/rpicam-vid.md index 417614163..ba4f23f09 100644 --- a/pages/linux/rpicam-vid.md +++ b/pages/linux/rpicam-vid.md @@ -1,13 +1,9 @@ # rpicam-vid > Capture a video using a Raspberry Pi camera. -> Some subcommands such as `vlc` have their own usage documentation. +> See also: `vlc`. > More information: . - Capture a 10 second video: `rpicam-vid -t 10000 -o {{path/to/file.h264}}` - -- Play the video using `vlc`: - -`vlc {{path/to/file.h264}}` diff --git a/pages/linux/rpmbuild.md b/pages/linux/rpmbuild.md index c913254d4..b8f534469 100644 --- a/pages/linux/rpmbuild.md +++ b/pages/linux/rpmbuild.md @@ -1,7 +1,7 @@ # rpmbuild > RPM Package Build tool. -> More information: . +> More information: . - Build binary and source packages: diff --git a/pages/linux/run0.md b/pages/linux/run0.md new file mode 100644 index 000000000..82bf195b8 --- /dev/null +++ b/pages/linux/run0.md @@ -0,0 +1,13 @@ +# run0 + +> Elevate privileges interactively. +> Similar to `sudo`, but it's not a SUID binary, authentication takes place via polkit, and commands are invoked from a `systemd` service. +> More information: . + +- Run a command as root: + +`run0 {{command}}` + +- Run a command as another user and/or group: + +`run0 {{-u|--user}} {{username|uid}} {{-g|--group}} {{group_name|gid}} {{command}}` diff --git a/pages/linux/runcon.md b/pages/linux/runcon.md index 7d4c474cd..1127fc73a 100644 --- a/pages/linux/runcon.md +++ b/pages/linux/runcon.md @@ -1,10 +1,10 @@ # runcon > Run a program in a different SELinux security context. -> With neither context nor command, print the current security context. +> See also: `secon`. > More information: . -- Determine the current domain: +- Print the security context of the current execution context: `runcon` diff --git a/pages/linux/sa.md b/pages/linux/sa.md index f03929ef5..095a80c4d 100644 --- a/pages/linux/sa.md +++ b/pages/linux/sa.md @@ -1,8 +1,8 @@ # sa -> Summarizes accounting information. Part of the acct package. -> Shows commands called by users, including basic info on CPU time spent processing and I/O rates. -> More information: . +> Summarize accounting information about commands called by users, including basic information on CPU time spent processing and I/O rates. +> Part of the `acct` package. +> More information: . - Display executable invocations per user (username not displayed): diff --git a/pages/linux/sacct.md b/pages/linux/sacct.md index 15e4521ae..639da463e 100644 --- a/pages/linux/sacct.md +++ b/pages/linux/sacct.md @@ -3,11 +3,11 @@ > Display accounting data from the Slurm service. > More information: . -- Display job id, job name, partition, account, number of allocated cpus, job state, and job exit codes for recent jobs: +- Display job ID, job name, partition, account, number of allocated cpus, job state, and job exit codes for recent jobs: `sacct` -- Display job id, job state, job exit code for recent jobs: +- Display job ID, job state, job exit code for recent jobs: `sacct --brief` diff --git a/pages/linux/sbctl.md b/pages/linux/sbctl.md new file mode 100644 index 000000000..f740e7e2b --- /dev/null +++ b/pages/linux/sbctl.md @@ -0,0 +1,33 @@ +# sbctl + +> A user-friendly secure boot key manager. +> Note: not enrolling Microsoft's certificates can brick your system. See . +> More information: . + +- Show the current secure boot status: + +`sbctl status` + +- Create custom secure boot keys (by default, everything is stored in `/var/lib/sbctl`): + +`sbctl create-keys` + +- Enroll the custom secure boot keys and Microsoft's UEFI vendor certificates: + +`sbctl enroll-keys --microsoft` + +- Automatically run `create-keys` and `enroll-keys` based on the settings in `/etc/sbctl/sbctl.conf`: + +`sbctl setup --setup` + +- Sign an EFI binary with the created key and save the file to the database: + +`sbctl sign {{-s|--save}} {{path/to/efi_binary}}` + +- Re-sign all the saved files: + +`sbctl sign-all` + +- Verify that all EFI executables on the EFI system partition have been signed: + +`sbctl verify` diff --git a/pages/linux/secon.md b/pages/linux/secon.md new file mode 100644 index 000000000..db979b826 --- /dev/null +++ b/pages/linux/secon.md @@ -0,0 +1,25 @@ +# secon + +> Get the SELinux security context of a file, pid, current execution context, or a context specification. +> See also: `semanage`, `runcon`, `chcon`. +> More information: . + +- Get the security context of the current execution context: + +`secon` + +- Get the current security context of a process: + +`secon --pid {{1}}` + +- Get the current security context of a file, resolving all intermediate symlinks: + +`secon --file {{path/to/file_or_directory}}` + +- Get the current security context of a symlink itself (i.e. do not resolve): + +`secon --link {{path/to/symlink}}` + +- Parse and explain a context specification: + +`secon {{system_u:system_r:container_t:s0:c899,c900}}` diff --git a/pages/linux/semanage-boolean.md b/pages/linux/semanage-boolean.md new file mode 100644 index 000000000..c04e6a94f --- /dev/null +++ b/pages/linux/semanage-boolean.md @@ -0,0 +1,17 @@ +# semanage boolean + +> Manage persistent SELinux boolean settings. +> See also: `semanage` for managing SELinux policies, `getsebool` for checking boolean values, and `setsebool` for applying non-persistent boolean settings. +> More information: . + +- List all booleans settings: + +`sudo semanage boolean {{-l|--list}}` + +- List all user-defined boolean settings without headings: + +`sudo semanage boolean {{-l|--list}} {{-C|--locallist}} {{-n|--noheading}}` + +- Set or unset a boolean persistently: + +`sudo semanage boolean {{-m|--modify}} {{-1|--on|-0|--off}} {{haproxy_connect_any}}` diff --git a/pages/linux/semanage-fcontext.md b/pages/linux/semanage-fcontext.md index 72647e1f1..c79570704 100644 --- a/pages/linux/semanage-fcontext.md +++ b/pages/linux/semanage-fcontext.md @@ -1,7 +1,7 @@ # semanage fcontext > Manage persistent SELinux security context rules on files/directories. -> See also: `semanage`, `restorecon`. +> See also: `semanage`, `matchpathcon`, `secon`, `chcon`, `restorecon`. > More information: . - List all file labelling rules: diff --git a/pages/linux/semanage-permissive.md b/pages/linux/semanage-permissive.md new file mode 100644 index 000000000..4c86c23de --- /dev/null +++ b/pages/linux/semanage-permissive.md @@ -0,0 +1,14 @@ +# semanage permissive + +> Manage persistent SELinux permissive domains. +> Note that this effectively makes the process unconfined. For long-term use, it is recommended to configure SELiunx properly. +> See also: `semanage`, `getenforce`, `setenforce`. +> More information: . + +- List all process types (a.k.a domains) that are in permissive mode: + +`sudo semanage permissive {{-l|--list}}` + +- Set or unset permissive mode for a domain: + +`sudo semanage permissive {{-a|--add|-d|--delete}} {{httpd_t}}` diff --git a/pages/linux/semanage-port.md b/pages/linux/semanage-port.md new file mode 100644 index 000000000..050e4c1e3 --- /dev/null +++ b/pages/linux/semanage-port.md @@ -0,0 +1,21 @@ +# semanage port + +> Manage persistent SELinux port definitions. +> See also: `semanage`. +> More information: . + +- List all port labeling rules: + +`sudo semanage port {{-l|--list}}` + +- List all user-defined port labeling rules without headings: + +`sudo semanage port {{-l|--list}} {{-C|--locallist}} {{-n|--noheading}}` + +- Add a user-defined rule that assigns a label to a protocol-port pair: + +`sudo semanage port {{-a|--add}} {{-t|--type}} {{ssh_port_t}} {{-p|--proto}} {{tcp}} {{22000}}` + +- Delete a user-defined rule using its protocol-port pair: + +`sudo semanage port {{-d|--delete}} {{-p|--proto}} {{udp}} {{11940}}` diff --git a/pages/linux/semanage.md b/pages/linux/semanage.md index e7c7cd267..3ce9cc95b 100644 --- a/pages/linux/semanage.md +++ b/pages/linux/semanage.md @@ -1,24 +1,29 @@ # semanage -> SELinux Policy Management tool. +> SELinux persistent policy management tool. +> Some subcommands such as `boolean`, `fcontext`, `port`, etc. have their own usage documentation. > More information: . -- Output local customizations: +- Set or unset a SELinux boolean. Booleans allow the administrator to customize how policy rules affect confined process types (a.k.a domains): -`semanage -S {{store}} -o {{path/to/output_file}}` +`sudo semanage boolean {{-m|--modify}} {{-1|--on|-0|--off}} {{haproxy_connect_any}}` -- Take a set of commands from a specified file and load them in a single transaction: +- Add a user-defined file context labeling rule. File contexts define what files confined domains are allowed to access: -`semanage -S {{store}} -i {{path/to/input_file}}` +`sudo semanage fcontext {{-a|--add}} {{-t|--type}} {{samba_share_t}} '/mnt/share(/.*)?'` -- Manage booleans. Booleans allow the administrator to modify the confinement of processes based on the current configuration: +- Add a user-defined port labeling rule. Port labels define what ports confined domains are allowed to listen on: -`semanage boolean -S {{store}} {{--delete|--modify|--list|--noheading|--deleteall}} {{-on|-off}} -F {{boolean|boolean_file}}` +`sudo semanage port {{-a|--add}} {{-t|--type}} {{ssh_port_t}} {{-p|--proto}} {{tcp}} {{22000}}` -- Manage policy modules: +- Set or unset permissive mode for a confined domain. Per-domain permissive mode allows more granular control compared to `setenforce`: -`semanage module -S {{store}} {{--add|--delete|--list|--modify}} {{--enable|--disable}} {{module_name}}` +`sudo semanage permissive {{-a|--add|-d|--delete}} {{httpd_t}}` -- Disable/Enable dontaudit rules in policy: +- Output local customizations in the default store: -`semanage dontaudit -S {{store}} {{on|off}}` +`sudo semanage export {{-f|--output_file}} {{path/to/file}}` + +- Import a file generated by `semanage export` into local customizations (CAREFUL: may remove current customizations!): + +`sudo semanage import {{-f|--input_file}} {{path/to/file}}` diff --git a/pages/linux/setcap.md b/pages/linux/setcap.md index 4c4f16673..5715018ff 100644 --- a/pages/linux/setcap.md +++ b/pages/linux/setcap.md @@ -1,7 +1,7 @@ # setcap > Set capabilities of specified file. -> See also: `tldr getcap`. +> See also: `getcap`. > More information: . - Set capability `cap_net_raw` (to use RAW and PACKET sockets) for a given file: diff --git a/pages/linux/setenforce.md b/pages/linux/setenforce.md new file mode 100644 index 000000000..fd551a33c --- /dev/null +++ b/pages/linux/setenforce.md @@ -0,0 +1,14 @@ +# setenforce + +> Toggle SELinux between enforcing and permissive modes. +> To enable or disable SELinux, edit `/etc/selinux/config` instead. +> See also: `getenforce`, `semanage-permissive`. +> More information: . + +- Put SELinux in enforcing mode: + +`setenforce {{1|Enforcing}}` + +- Put SELiunx in permissive mode: + +`setenforce {{0|Permissive}}` diff --git a/pages/linux/setsebool.md b/pages/linux/setsebool.md new file mode 100644 index 000000000..f73695454 --- /dev/null +++ b/pages/linux/setsebool.md @@ -0,0 +1,25 @@ +# setsebool + +> Set SELinux boolean value. +> See also: `semanage-boolean`, `getsebool`. +> More information: . + +- Show the current setting of [a]ll booleans: + +`getsebool -a` + +- Set or unset a boolean temporarily (non-persistent across reboot): + +`sudo setsebool {{httpd_can_network_connect}} {{1|true|on|0|false|off}}` + +- Set or unset a boolean [p]ersistently: + +`sudo setsebool -P {{container_use_devices}} {{1|true|on|0|false|off}}` + +- Set or unset multiple booleans [p]ersistently at once: + +`sudo setsebool -P {{ftpd_use_fusefs=1 mount_anyfile=0 ...}}` + +- Set or unset a boolean persistently (alternative method using `semanage-boolean`): + +`sudo semanage boolean {{-m|--modify}} {{-1|--on|-0|--off}} {{haproxy_connect_any}}` diff --git a/pages/linux/sfdisk.md b/pages/linux/sfdisk.md new file mode 100644 index 000000000..d42846bbe --- /dev/null +++ b/pages/linux/sfdisk.md @@ -0,0 +1,24 @@ +# sfdisk + +> Display or manipulate a disk partition table. +> More information: . + +- Back up the partition layout to a file: + +`sudo sfdisk {{-d|--dump}} {{path/to/device}} > {{path/to/file.dump}}` + +- Restore a partition layout: + +`sudo sfdisk {{path/to/device}} < {{path/to/file.dump}}` + +- Set the type of a partition: + +`sfdisk --part-type {{path/to/device}}} {{partition_number}} {{swap}}` + +- Delete a partition: + +`sfdisk --delete {{path/to/device}} {{partition_number}}` + +- Display help: + +`sfdisk {{-h|--help}}` diff --git a/pages/linux/showkey.md b/pages/linux/showkey.md new file mode 100644 index 000000000..7d3ca5a27 --- /dev/null +++ b/pages/linux/showkey.md @@ -0,0 +1,24 @@ +# showkey + +> Display the keycode of pressed keys on the keyboard, helpful for debugging keyboard-related issues and key remapping. +> More information: . + +- View keycodes in decimal: + +`sudo showkey` + +- Display scancodes in hexadecimal: + +`sudo showkey {{-s|--scancodes}}` + +- Display keycodes in decimal (default): + +`sudo showkey {{-k|--keycodes}}` + +- Display keycodes in ASCII, decimal, and hexadecimal: + +`sudo showkey {{-a|--ascii}}` + +- Exit the program: + +`Ctrl + d` diff --git a/pages/linux/size.md b/pages/linux/size.md index 36061ed40..99ede4acf 100644 --- a/pages/linux/size.md +++ b/pages/linux/size.md @@ -1,6 +1,6 @@ # size -> Displays the sizes of sections inside binary files. +> Display the sizes of sections inside binary files. > More information: . - Display the size of sections in a given object or executable file: diff --git a/pages/linux/slurmdbd.md b/pages/linux/slurmdbd.md index 763b90902..bee70944c 100644 --- a/pages/linux/slurmdbd.md +++ b/pages/linux/slurmdbd.md @@ -1,6 +1,6 @@ # slurmdbd -> Provides a secure enterprise-wide interface to a database for Slurm. +> A secure enterprise-wide interface to a database for Slurm. > More information: . - Set the daemon's nice value to the specified value, typically a negative number: diff --git a/pages/linux/slurp.md b/pages/linux/slurp.md new file mode 100644 index 000000000..00a97dbec --- /dev/null +++ b/pages/linux/slurp.md @@ -0,0 +1,28 @@ +# slurp + +> Select a region in a Wayland compositor. +> More information: . + +- Select a region and print it to `stdout`: + +`slurp` + +- Select a region and print it to `stdout`, while displaying the dimensions of the selection: + +`slurp -d` + +- Select a single point instead of a region: + +`slurp -p` + +- Select an output and print its name: + +`slurp -o -f '%o'` + +- Select a specific region and take a borderless screenshot of it, using `grim`: + +`grim -g "$(slurp -w 0)"` + +- Select a specific region and take a borderless video of it, using `wf-recorder`: + +`wf-recorder --geometry "$(slurp -w 0)"` diff --git a/pages/linux/sm.md b/pages/linux/sm.md index e5c2a666e..192310d82 100644 --- a/pages/linux/sm.md +++ b/pages/linux/sm.md @@ -1,6 +1,6 @@ # sm -> Displays a short message fullscreen. +> Display a short message fullscreen. > More information: . - Display a message in full-screen: diff --git a/pages/linux/snake4.md b/pages/linux/snake4.md index b67438f52..f97f1452f 100644 --- a/pages/linux/snake4.md +++ b/pages/linux/snake4.md @@ -1,7 +1,7 @@ # snake4 > Snake game in the terminal. -> More information: . +> More information: . - Start a snake game: diff --git a/pages/linux/sqfstar.md b/pages/linux/sqfstar.md index da718ba29..2630c3714 100644 --- a/pages/linux/sqfstar.md +++ b/pages/linux/sqfstar.md @@ -3,22 +3,22 @@ > Create a squashfs filesystem from a tar archive. > More information: . -- Create a squashfs filesystem (compressed using `gzip` by default) from an uncompressed `tar` archive: +- Create a squashfs filesystem (compressed using `gzip` by default) from an uncompressed tar archive: `sqfstar {{filesystem.squashfs}} < {{archive.tar}}` -- Create a squashfs filesystem from a `tar` archive compressed with `gzip`, and [comp]ress the filesystem using a specific algorithm: +- Create a squashfs filesystem from a tar archive compressed with `gzip`, and [comp]ress the filesystem using a specific algorithm: `zcat {{archive.tar.gz}} | sqfstar -comp {{gzip|lzo|lz4|xz|zstd|lzma}} {{filesystem.squashfs}}` -- Create a squashfs filesystem from a `tar` archive compressed with `xz`, excluding some of the files: +- Create a squashfs filesystem from a tar archive compressed with `xz`, excluding some of the files: `xzcat {{archive.tar.xz}} | sqfstar {{filesystem.squashfs}} {{file1 file2 ...}}` -- Create a squashfs filesystem from a `tar` archive compressed with `zstd`, excluding files ending with `.gz`: +- Create a squashfs filesystem from a tar archive compressed with `zstd`, excluding files ending with `.gz`: `zstdcat {{archive.tar.zst}} | sqfstar {{filesystem.squashfs}} "{{*.gz}}"` -- Create a squashfs filesystem from a `tar` archive compressed with `lz4`, excluding files matching a regular expression: +- Create a squashfs filesystem from a tar archive compressed with `lz4`, excluding files matching a regular expression: `lz4cat {{archive.tar.lz4}} | sqfstar {{filesystem.squashfs}} -regex "{{regular_expression}}"` diff --git a/pages/linux/ss.md b/pages/linux/ss.md index 22f5d9bbf..fbd7d6106 100644 --- a/pages/linux/ss.md +++ b/pages/linux/ss.md @@ -19,7 +19,7 @@ `ss -lt src :{{8080}}` -- Show all TCP sockets along with processes connected to a remote ssh port: +- Show all TCP sockets along with processes connected to a remote SSH port: `ss -pt dst :{{ssh}}` diff --git a/pages/linux/sslstrip.md b/pages/linux/sslstrip.md new file mode 100644 index 000000000..79517ecf2 --- /dev/null +++ b/pages/linux/sslstrip.md @@ -0,0 +1,29 @@ +# sslstrip + +> Perform Moxie Marlinspike's Secure Sockets Layer (SSL) stripping attacks. +> Perform an ARP spoofing attack in conjunction. +> More information: . + +- Log only HTTPS POST traffic on port 10000 by default: + +`sslstrip` + +- Log only HTTPS POST traffic on port 8080: + +`sslstrip --listen={{8080}}` + +- Log all SSL traffic to and from the server on port 8080: + +`sslstrip --ssl --listen={{8080}}` + +- Log all SSL and HTTP traffic to and from the server on port 8080: + +`sslstrip --listen={{8080}} --all` + +- Specify the file path to store the logs: + +`sslstrip --listen={{8080}} --write={{path/to/file}}` + +- Display help: + +`sslstrip --help` diff --git a/pages/linux/steamos-add-to-steam.md b/pages/linux/steamos-add-to-steam.md new file mode 100644 index 000000000..77419d64c --- /dev/null +++ b/pages/linux/steamos-add-to-steam.md @@ -0,0 +1,8 @@ +# steamos-add-to-steam + +> Add a program to Steam library. +> More information: . + +- Add a program to Steam library: + +`steamos-add-to-steam {{path/to/file}}` diff --git a/pages/linux/steamos-dump-info.md b/pages/linux/steamos-dump-info.md new file mode 100644 index 000000000..648d10f8a --- /dev/null +++ b/pages/linux/steamos-dump-info.md @@ -0,0 +1,8 @@ +# steamos-dump-info + +> View SteamOS system information. +> More information: . + +- View SteamOS system information: + +`sudo steamos-dump-info` diff --git a/pages/linux/steamos-readonly.md b/pages/linux/steamos-readonly.md new file mode 100644 index 000000000..60b707150 --- /dev/null +++ b/pages/linux/steamos-readonly.md @@ -0,0 +1,12 @@ +# steamos-readonly + +> Set the readonly status of the filesystem. +> More information: . + +- Set the filesystem to be mutable: + +`sudo steamos-readonly disable` + +- Set the filesystem to be read only: + +`sudo steamos-readonly enable` diff --git a/pages/linux/steamos-session-select.md b/pages/linux/steamos-session-select.md new file mode 100644 index 000000000..b7b840278 --- /dev/null +++ b/pages/linux/steamos-session-select.md @@ -0,0 +1,20 @@ +# steamos-session-select + +> Manipulate which session is currently in use. +> More information: . + +- Change to desktop mode: + +`steamos-session-select plasma` + +- Change to gamemode: + +`steamos-session-select gamescope` + +- Change to Wayland desktop mode: + +`steamos-session-select plasma-wayland-persistent` + +- Change to X11 desktop mode: + +`steamos-session-select plasma-x11-persistent` diff --git a/pages/linux/steamos-update.md b/pages/linux/steamos-update.md new file mode 100644 index 000000000..461f44367 --- /dev/null +++ b/pages/linux/steamos-update.md @@ -0,0 +1,12 @@ +# steamos-update + +> Update SteamOS. +> More information: . + +- Update the operating system: + +`steamos-update` + +- Check if there is an update available: + +`steamos-update check` diff --git a/pages/linux/swupd.md b/pages/linux/swupd.md index 7b6504a42..0a6733249 100644 --- a/pages/linux/swupd.md +++ b/pages/linux/swupd.md @@ -1,7 +1,7 @@ # swupd > Package management utility for Clear Linux. -> More information: . +> More information: . - Update to the latest version: diff --git a/pages/linux/systemctl-reboot.md b/pages/linux/systemctl-reboot.md new file mode 100644 index 000000000..13914e139 --- /dev/null +++ b/pages/linux/systemctl-reboot.md @@ -0,0 +1,12 @@ +# systemctl reboot + +> Reboot the system. +> More information: . + +- Reboot the system: + +`systemctl reboot` + +- Reboot into the BIOS/UEFI menu: + +`systemctl reboot --firmware-setup` diff --git a/pages/linux/systemctl.md b/pages/linux/systemctl.md index 297cf9cb6..304c33a80 100644 --- a/pages/linux/systemctl.md +++ b/pages/linux/systemctl.md @@ -11,26 +11,26 @@ `systemctl --failed` -- Start/Stop/Restart/Reload a service: +- Start/Stop/Restart/Reload/Show the status a service: -`systemctl {{start|stop|restart|reload}} {{unit}}` - -- Show the status of a unit: - -`systemctl status {{unit}}` +`systemctl {{start|stop|restart|reload|status}} {{unit}}` - Enable/Disable a unit to be started on bootup: `systemctl {{enable|disable}} {{unit}}` -- Mask/Unmask a unit to prevent enablement and manual activation: - -`systemctl {{mask|unmask}} {{unit}}` - -- Reload systemd, scanning for new or changed units: +- Reload systemd, scan for new or changed units: `systemctl daemon-reload` -- Check if a unit is enabled: +- Check if a unit is active/enabled/failed: -`systemctl is-enabled {{unit}}` +`systemctl {{is-active|is-enabled|is-failed}} {{unit}}` + +- List all service/socket/automount units filtering by running/failed state: + +`systemctl list-units --type={{service|socket|automount}} --state={{failed|running}}` + +- Show the contents & absolute path of a unit file: + +`systemctl cat {{unit}}` diff --git a/pages/linux/systool.md b/pages/linux/systool.md new file mode 100644 index 000000000..824f6fcdd --- /dev/null +++ b/pages/linux/systool.md @@ -0,0 +1,17 @@ +# systool + +> View system device information by bus, and classes. +> This command is part of the `sysfs` package. +> More information: . + +- List all attributes of devices of a bus (eg. `pci`, `usb`). View all buses using `ls /sys/bus`: + +`systool -b {{bus}} -v` + +- List all attributes of a class of devices (eg. `drm`, `block`). View all classes using `ls /sys/class`: + +`systool -c {{class}} -v` + +- Show only device drivers of a bus (eg. `pci`, `usb`): + +`systool -b {{bus}} -D` diff --git a/pages/linux/tcpkill.md b/pages/linux/tcpkill.md index 7ef95ef67..0d88d7a5d 100644 --- a/pages/linux/tcpkill.md +++ b/pages/linux/tcpkill.md @@ -1,6 +1,6 @@ # tcpkill -> Kills specified in-progress TCP connections. +> Kill specified in-progress TCP connections. > More information: . - Kill in-progress connections at a specified interface, host and port: diff --git a/pages/linux/termusic.md b/pages/linux/termusic.md index 8b8f00ca4..3c8a82629 100644 --- a/pages/linux/termusic.md +++ b/pages/linux/termusic.md @@ -1,6 +1,7 @@ # termusic > A terminal music player written in Rust that uses vim-like key bindings. +> See also: `cmus`, `ncmpcpp`, `audacious`. > More information: . - Open termusic to a specific directory. (It can be set permanently in `~/.config/termusic/config.toml`): diff --git a/pages/linux/terraria.md b/pages/linux/terraria.md new file mode 100644 index 000000000..7731cd14d --- /dev/null +++ b/pages/linux/terraria.md @@ -0,0 +1,12 @@ +# terraria + +> Create and start a headless Terraria server. +> More information: . + +- Start an interactive server setup: + +`{{path/to/TerrariaServer}}` + +- Start a Terraria server: + +`{{path/to/TerrariaServer}} -world {{path/to/world.wld}}` diff --git a/pages/linux/tftp.md b/pages/linux/tftp.md index fedfc18fe..9deebfbed 100644 --- a/pages/linux/tftp.md +++ b/pages/linux/tftp.md @@ -15,7 +15,7 @@ `tftp {{server_ip}} -6 -R {{port}}:{{port}}` -- Set the transfer mode to binary or ascii through the tftp client: +- Set the transfer mode to binary or ASCIi through the tftp client: `mode {{binary|ascii}}` diff --git a/pages/linux/thunar.md b/pages/linux/thunar.md index 932202eba..0db1fcc75 100644 --- a/pages/linux/thunar.md +++ b/pages/linux/thunar.md @@ -1,6 +1,7 @@ # thunar > Graphical file manager for XFCE desktop environments. +> See also: `caja`, `dolphin`, `nautilus`, `mc`. > More information: . - Open a new window showing the current directory: diff --git a/pages/linux/tlp-stat.md b/pages/linux/tlp-stat.md index 3628dd9d7..e7180a10e 100644 --- a/pages/linux/tlp-stat.md +++ b/pages/linux/tlp-stat.md @@ -8,10 +8,30 @@ `sudo tlp-stat` -- Show battery information: +- Show information about various devices: -`sudo tlp-stat -b` +`sudo tlp-stat --{{battery|disk|processor|graphics|pcie|rfkill|usb}}` + +- Show verbose information about devices that support verbosity: + +`sudo tlp-stat --verbose --{{battery|processor|pcie|usb}}` - Show configuration: -`sudo tlp-stat -c` +`sudo tlp-stat {{-c|--config}}` + +- Monitor [p]ower supply `udev` [ev]ents: + +`sudo tlp-stat {{-P|--pev}}` + +- Show [p]ower [sup]ply diagonistics: + +`sudo tlp-stat --psup` + +- Show [temp]eratures and fan speed: + +`sudo tlp-stat {{-t|--temp}}` + +- Show general system information: + +`sudo tlp-stat {{-s|--system}}` diff --git a/pages/linux/togglesebool.md b/pages/linux/togglesebool.md new file mode 100644 index 000000000..3d356a9b7 --- /dev/null +++ b/pages/linux/togglesebool.md @@ -0,0 +1,9 @@ +# togglesebool + +> Flip the current (non-persistent) values of SELinux booleans. +> Note: This tool has been deprecated and often removed in favor of `setsebool`. +> More information: . + +- Flip the current (non-persistent) values of the specified booleans: + +`sudo togglesebool {{virt_use_samba virt_use_usb ...}}` diff --git a/pages/linux/toolbox-help.md b/pages/linux/toolbox-help.md index c09b99341..ae7b34f60 100644 --- a/pages/linux/toolbox-help.md +++ b/pages/linux/toolbox-help.md @@ -1,6 +1,6 @@ # toolbox help -> Displays help information about `toolbox`. +> Display help information about `toolbox`. > More information: . - Display the `toolbox` manual: diff --git a/pages/linux/tor.md b/pages/linux/tor.md new file mode 100644 index 000000000..853774db0 --- /dev/null +++ b/pages/linux/tor.md @@ -0,0 +1,32 @@ +# tor + +> Enable anonymous communication through the Tor network. +> More information: . + +- Connect to the Tor network: + +`tor` + +- View Tor configuration: + +`tor --config` + +- Check Tor status: + +`tor --status` + +- Run as client only: + +`tor --client` + +- Run as relay: + +`tor --relay` + +- Run as bridge: + +`tor --bridge` + +- Run as a hidden service: + +`tor --hidden-service` diff --git a/pages/linux/torify.md b/pages/linux/torify.md new file mode 100644 index 000000000..496742b7e --- /dev/null +++ b/pages/linux/torify.md @@ -0,0 +1,33 @@ +# torify + +> Route network traffic through the Tor network. +> Note: This command has been deprecated, and is now a backwards-compatible wrapper of `torsocks`. +> More information: . + +- Route traffic via Tor: + +`torify {{command}}` + +- Toggle Tor in shell: + +`torify {{on|off}}` + +- Spawn a Tor-enabled shell: + +`torify --shell` + +- Check for a Tor-enabled shell: + +`torify show` + +- Specify Tor configuration file: + +`torify -c {{config-file}} {{command}}` + +- Use a specific Tor SOCKS proxy: + +`torify -P {{proxy}} {{command}}` + +- Redirect output to a file: + +`torify {{command}} > {{path/to/output}}` diff --git a/pages/linux/torsocks.md b/pages/linux/torsocks.md new file mode 100644 index 000000000..ea45cc12f --- /dev/null +++ b/pages/linux/torsocks.md @@ -0,0 +1,29 @@ +# torsocks + +> Route the traffic of any application through the Tor network. +> Note: `torsocks` will assume that it should connect to the Tor SOCKS proxy running at 127.0.0.1:9050 being the defaults of the Tor daemon. +> More information: . + +- Run a command using Tor: + +`torsocks {{command}}` + +- Enable or disable Tor in this shell: + +`. torsocks {{on|off}}` + +- Spawn a new Tor enabled shell: + +`torsocks --shell` + +- Check if current shell is Tor enabled (`LD_PRELOAD` value will be empty if disabled): + +`torsocks show` + +- [i]solate traffic through a different Tor circuit, improving anonymity: + +`torsocks --isolate {{curl https://check.torproject.org/api/ip}}` + +- Connect to a Tor proxy running on a specific [a]ddress and [P]ort: + +`torsocks --address {{ip}} --port {{port}} {{command}}` diff --git a/pages/linux/trash.md b/pages/linux/trash.md index 4827c3739..f2ff9c0a9 100644 --- a/pages/linux/trash.md +++ b/pages/linux/trash.md @@ -3,7 +3,7 @@ > Manage the trashcan/recycling bin. > More information: . -- Delete a file and send it to the trash: +- Send a file to the trash: `trash {{path/to/file}}` @@ -21,7 +21,7 @@ - Permanently delete all files in the trash which are older than 10 days: -`trash-empty {{10}}` +`trash-empty 10` - Remove all files in the trash, which match a specific blob pattern: diff --git a/pages/linux/tunelp.md b/pages/linux/tunelp.md new file mode 100644 index 000000000..76bf27560 --- /dev/null +++ b/pages/linux/tunelp.md @@ -0,0 +1,25 @@ +# tunelp + +> Set various parameters for parallel port devices for troubleshooting or for better performance. +> Part of `util-linux`. +> More information: . + +- Check the [s]tatus of a parallel port device: + +`tunelp --status {{/dev/lp0}}` + +- [r]eset a given parallel port: + +`tunelp --reset {{/dev/lp0}}` + +- Use a given [i]RQ for a device, each one representing an interrupt line: + +`tunelp -i 5 {{/dev/lp0}}` + +- Try a given number of times to output a [c]haracter to the printer before sleeping for a given [t]ime: + +`tunelp --chars {{times}} --time {{time_in_centiseconds}} {{/dev/lp0}}` + +- Enable or disable [a]borting on error (disabled by default): + +`tunelp --abort {{on|off}}` diff --git a/pages/linux/turbostat.md b/pages/linux/turbostat.md new file mode 100644 index 000000000..a9f31180b --- /dev/null +++ b/pages/linux/turbostat.md @@ -0,0 +1,24 @@ +# turbostat + +> Report processor topology, frequency, temperature, power, and idle statistics. +> More information: . + +- Display statistics every 5 seconds: + +`sudo turbostat` + +- Display statistics every specified amount of seconds: + +`sudo turbostat -i {{n_seconds}}` + +- Do not decode and print the system configuration header information: + +`sudo turbostat --quiet` + +- Display useful information about CPU every 1 second, without header information: + +`sudo turbostat --quiet --interval 1 --cpu 0-{{CPU_thread_count}} --show "PkgWatt","Busy%","Core","CoreTmp","Thermal"` + +- Display help: + +`turbostat --help` diff --git a/pages/linux/ul.md b/pages/linux/ul.md index 8fb48a903..f443a8aff 100644 --- a/pages/linux/ul.md +++ b/pages/linux/ul.md @@ -1,6 +1,6 @@ # ul -> Performs the underlining of a text. +> Underline a text. > Each character in a string must be underlined separately. > More information: . diff --git a/pages/linux/unix2dos.md b/pages/linux/unix2dos.md index 50c650617..085f2d4ac 100644 --- a/pages/linux/unix2dos.md +++ b/pages/linux/unix2dos.md @@ -2,6 +2,7 @@ > Change Unix-style line endings to DOS-style. > Replaces LF with CRLF. +> See also `unix2mac`, `dos2unix`, and `mac2unix`. > More information: . - Change the line endings of a file: @@ -10,4 +11,12 @@ - Create a copy with DOS-style line endings: -`unix2dos -n {{path/to/unix_file}} {{path/to/dos_file}}` +`unix2dos -n {{path/to/file}} {{path/to/new_file}}` + +- Display file information: + +`unix2dos -i {{path/to/file}}` + +- Keep/add/remove Byte Order Mark: + +`unix2dos --{{keep-bom|add-bom|remove-bom}} {{path/to/file}}` diff --git a/pages/linux/unix2mac.md b/pages/linux/unix2mac.md index 731167205..3cf56c336 100644 --- a/pages/linux/unix2mac.md +++ b/pages/linux/unix2mac.md @@ -2,6 +2,7 @@ > Change Unix-style line endings to macOS-style. > Replaces LF with CR. +> See also `unix2dos`, `dos2unix`, and `mac2unix`. > More information: . - Change the line endings of a file: @@ -10,4 +11,12 @@ - Create a copy with macOS-style line endings: -`unix2mac -n {{path/to/unix_file}} {{path/to/mac_file}}` +`unix2mac -n {{path/to/file}} {{path/to/new_file}}` + +- Display file information: + +`unix2mac -i {{path/to/file}}` + +- Keep/add/remove Byte Order Mark: + +`unix2mac --{{keep-bom|add-bom|remove-bom}} {{path/to/file}}` diff --git a/pages/linux/unzipsfx.md b/pages/linux/unzipsfx.md index 72b62558d..4cbd16671 100644 --- a/pages/linux/unzipsfx.md +++ b/pages/linux/unzipsfx.md @@ -1,9 +1,9 @@ # unzipsfx -> Create a self-extracting compressed binary file by prepending self-extracting stubs on a `zip` file. +> Create a self-extracting compressed binary file by prepending self-extracting stubs on a Zip file. > More information: . -- Create a self-extracting binary file of a `zip` archive: +- Create a self-extracting binary file of a Zip archive: `cat unzipsfx {{path/to/archive.zip}} > {{filename}} && chmod 755 {{filename}}` @@ -19,6 +19,6 @@ `{{./path/to/binary)}} -c {{path/to/filename}}` -- Print comments on `zip` archive in the self-extracting binary: +- Print comments on Zip archive in the self-extracting binary: `{{./path/to/binary)}} -z` diff --git a/pages/linux/uprecords.md b/pages/linux/uprecords.md index 8d776abbc..fec09a7f6 100644 --- a/pages/linux/uprecords.md +++ b/pages/linux/uprecords.md @@ -1,6 +1,6 @@ # uprecords -> Displays a summary of historical uptime records. +> Display a summary of historical uptime records. > More information: . - Display a summary of the top 10 historical uptime records: diff --git a/pages/linux/urpmi-addmedia.md b/pages/linux/urpmi.addmedia.md similarity index 100% rename from pages/linux/urpmi-addmedia.md rename to pages/linux/urpmi.addmedia.md diff --git a/pages/linux/urpmi-removemedia.md b/pages/linux/urpmi.removemedia.md similarity index 100% rename from pages/linux/urpmi-removemedia.md rename to pages/linux/urpmi.removemedia.md diff --git a/pages/linux/urpmi-update.md b/pages/linux/urpmi.update.md similarity index 100% rename from pages/linux/urpmi-update.md rename to pages/linux/urpmi.update.md diff --git a/pages/linux/useradd.md b/pages/linux/useradd.md index a3e917e8f..49cb7e459 100644 --- a/pages/linux/useradd.md +++ b/pages/linux/useradd.md @@ -8,7 +8,7 @@ `sudo useradd {{username}}` -- Create a new user with the specified user id: +- Create a new user with the specified user ID: `sudo useradd --uid {{id}} {{username}}` diff --git a/pages/linux/usermod.md b/pages/linux/usermod.md index a712fec29..94b4bec51 100644 --- a/pages/linux/usermod.md +++ b/pages/linux/usermod.md @@ -1,6 +1,6 @@ # usermod -> Modifies a user account. +> Modify a user account. > See also: `users`, `useradd`, `userdel`. > More information: . @@ -8,7 +8,7 @@ `sudo usermod --login {{new_username}} {{username}}` -- Change a user id: +- Change a user ID: `sudo usermod --uid {{id}} {{username}}` diff --git a/pages/linux/vgcreate.md b/pages/linux/vgcreate.md index 1092b619c..55a0387d3 100644 --- a/pages/linux/vgcreate.md +++ b/pages/linux/vgcreate.md @@ -2,7 +2,7 @@ > Create volume groups combining multiple mass-storage devices. > See also: `lvm`. -> More information: . +> More information: . - Create a new volume group called vg1 using the `/dev/sda1` device: diff --git a/pages/linux/vgdisplay.md b/pages/linux/vgdisplay.md index 3a29dac6e..51b7c7e7d 100644 --- a/pages/linux/vgdisplay.md +++ b/pages/linux/vgdisplay.md @@ -2,7 +2,7 @@ > Display information about Logical Volume Manager (LVM) volume groups. > See also: `lvm`. -> More information: . +> More information: . - Display information about all volume groups: diff --git a/pages/linux/vgs.md b/pages/linux/vgs.md index b7fcca2a1..b09921167 100644 --- a/pages/linux/vgs.md +++ b/pages/linux/vgs.md @@ -2,7 +2,7 @@ > Display information about volume groups. > See also: `lvm`. -> More information: . +> More information: . - Display information about volume groups: diff --git a/pages/linux/vncserver.md b/pages/linux/vncserver.md index aaae5725b..c1b6cc715 100644 --- a/pages/linux/vncserver.md +++ b/pages/linux/vncserver.md @@ -1,6 +1,6 @@ # vncserver -> Launches a VNC (Virtual Network Computing) desktop. +> Launch a VNC (Virtual Network Computing) desktop. > More information: . - Launch a VNC Server on next available display: diff --git a/pages/linux/vnstat.md b/pages/linux/vnstat.md index 661b4bc6d..230fddc45 100644 --- a/pages/linux/vnstat.md +++ b/pages/linux/vnstat.md @@ -9,11 +9,11 @@ - Display traffic summary for a specific network interface: -`vnstat -i {{eth0}}` +`vnstat -i {{network_interface}}` - Display live stats for a specific network interface: -`vnstat -l -i {{eth0}}` +`vnstat -l -i {{network_interface}}` - Show traffic statistics on an hourly basis for the last 24 hours using a bar graph: diff --git a/pages/linux/vnstati.md b/pages/linux/vnstati.md index e05481562..88e35b463 100644 --- a/pages/linux/vnstati.md +++ b/pages/linux/vnstati.md @@ -9,7 +9,7 @@ - Output the 10 most traffic-intensive days of all time: -`vnstati --top10 --iface {{network_interface}} --output {{path/to/output.png}}` +`vnstati --top 10 --iface {{network_interface}} --output {{path/to/output.png}}` - Output monthly traffic statistics from the last 12 months: diff --git a/pages/linux/vrms.md b/pages/linux/vrms.md index 16b37aede..196cc9da2 100644 --- a/pages/linux/vrms.md +++ b/pages/linux/vrms.md @@ -1,7 +1,7 @@ # vrms > Report non-free packages installed on Debian-based OSes. -> More information: . +> More information: . - List non-free and contrib packages (and their description): diff --git a/pages/linux/wal-telegram.md b/pages/linux/wal-telegram.md index 68f9becb3..db4e2846f 100644 --- a/pages/linux/wal-telegram.md +++ b/pages/linux/wal-telegram.md @@ -1,6 +1,6 @@ # wal-telegram -> Generates themes for Telegram based the colors generated by pywal/wal. +> Generate themes for Telegram based the colors generated by pywal/wal. > More information: . - Generate with wal's palette and the current wallpaper (feh only): diff --git a/pages/linux/warpd.md b/pages/linux/warpd.md index a27846431..89a9d8e02 100644 --- a/pages/linux/warpd.md +++ b/pages/linux/warpd.md @@ -1,7 +1,7 @@ # warpd > A modal keyboard driven pointer manipulation program. -> More information: . +> More information: . - Run warpd in normal mode: diff --git a/pages/linux/waydroid.md b/pages/linux/waydroid.md index 9c9382512..e049bd50a 100644 --- a/pages/linux/waydroid.md +++ b/pages/linux/waydroid.md @@ -26,3 +26,7 @@ - Manage the Waydroid container: `waydroid container {{start|stop|restart|freeze|unfreeze}}` + +- Adjust Waydroid window dimensions: + +`waydroid prop set persist.waydroid.{{width|height}} {{number}}` diff --git a/pages/linux/waypipe.md b/pages/linux/waypipe.md new file mode 100644 index 000000000..a93f01669 --- /dev/null +++ b/pages/linux/waypipe.md @@ -0,0 +1,12 @@ +# waypipe + +> Remotely run graphical applications under a Wayland compositor. +> More information: . + +- Run a graphical program remotely and display it locally: + +`waypipe ssh {{user}}@{{server}} {{program}}` + +- Open an SSH tunnel to run any program remotely and display it locally: + +`waypipe ssh {{user}}@{{server}}` diff --git a/pages/linux/wmctrl.md b/pages/linux/wmctrl.md index a6fe9467f..d03170117 100644 --- a/pages/linux/wmctrl.md +++ b/pages/linux/wmctrl.md @@ -23,6 +23,6 @@ `wmctrl -r {{window_title}} -b toggle,fullscreen` -- Select a window a move it to a workspace: +- Select a window and move it to a workspace: `wmctrl -r {{window_title}} -t {{workspace_number}}` diff --git a/pages/linux/wodim.md b/pages/linux/wodim.md index c6372403e..aef2d216d 100644 --- a/pages/linux/wodim.md +++ b/pages/linux/wodim.md @@ -10,12 +10,12 @@ - Record ("burn") an audio-only disc: -`wodim dev=/dev/{{optical_drive}} -audio {{track*.cdaudio}}` +`wodim dev={{/dev/optical_drive}} -audio {{track*.cdaudio}}` - Burn a file to a disc, ejecting the disc once done (some recorders require this): -`wodim -eject dev=/dev/{{optical_drive}} -data {{file.iso}}` +`wodim -eject dev={{/dev/optical_drive}} -data {{file.iso}}` - Burn a file to the disc in an optical drive, potentially writing to multiple discs in succession: -`wodim -tao dev=/dev/{{optical_drive}} -data {{file.iso}}` +`wodim -tao dev={{/dev/optical_drive}} -data {{file.iso}}` diff --git a/pages/linux/wofi.md b/pages/linux/wofi.md new file mode 100644 index 000000000..e60d6e2e8 --- /dev/null +++ b/pages/linux/wofi.md @@ -0,0 +1,16 @@ +# wofi + +> An application launcher for wlroots-based Wayland compositors, similar to `rofi` and `dmenu`. +> More information: . + +- Show the list of apps: + +`wofi --show drun` + +- Show the list of all commands: + +`wofi --show run` + +- Pipe a list of items to `stdin` and print the selected item to `stdout`: + +`printf "{{Choice1\nChoice2\nChoice3}}" | wofi --dmenu` diff --git a/pages/linux/wtf.md b/pages/linux/wtf.md index d47a5c054..96445b654 100644 --- a/pages/linux/wtf.md +++ b/pages/linux/wtf.md @@ -1,7 +1,7 @@ # wtf > Show the expansions of acronyms. -> More information: . +> More information: . - Expand a given acronym: diff --git a/pages/linux/xdg-open.md b/pages/linux/xdg-open.md index 8be7c748c..2d3ae179e 100644 --- a/pages/linux/xdg-open.md +++ b/pages/linux/xdg-open.md @@ -1,6 +1,6 @@ # xdg-open -> Opens a file or URL in the user's preferred application. +> Open a file or URL in the user's preferred application. > More information: . - Open the current directory in the default file explorer: diff --git a/pages/linux/xmount.md b/pages/linux/xmount.md index daa1e1122..cf930afe8 100644 --- a/pages/linux/xmount.md +++ b/pages/linux/xmount.md @@ -1,7 +1,7 @@ # xmount > Convert on-the-fly between multiple input and output hard disk image types with optional write cache support. -> Creates a virtual file system using FUSE (Filesystem in Userspace) that contains a virtual representation of the input image. +> Create a virtual file system using FUSE (Filesystem in Userspace) that contains a virtual representation of the input image. > More information: . - Mount a `.raw` image file into a DMG container file: diff --git a/pages/linux/xrandr.md b/pages/linux/xrandr.md index cd14c4f89..c917a21b1 100644 --- a/pages/linux/xrandr.md +++ b/pages/linux/xrandr.md @@ -26,3 +26,7 @@ - Set the brightness for LVDS1 to 50%: `xrandr --output {{LVDS1}} --brightness {{0.5}}` + +- Display the current state of any X server: + +`xrandr --display :{{0}} --query` diff --git a/pages/linux/xset.md b/pages/linux/xset.md index bbd87888d..22df01bf1 100644 --- a/pages/linux/xset.md +++ b/pages/linux/xset.md @@ -22,3 +22,7 @@ - Enable DPMS (Energy Star) features: `xset +dpms` + +- Query information on any X server: + +`xset -display :{{0}} q` diff --git a/pages/linux/ydotool.md b/pages/linux/ydotool.md new file mode 100644 index 000000000..b292e739d --- /dev/null +++ b/pages/linux/ydotool.md @@ -0,0 +1,20 @@ +# ydotool + +> Control keyboard and mouse inputs via commands in a way that is display server agnostic. +> More information: . + +- Start the ydotool daemon in the background: + +`ydotoold` + +- Perform a left click input: + +`ydotool click 0xC0` + +- Perform a right click input: + +`ydotool click 0xC1` + +- Input Alt+F4: + +`ydotool key 56:1 62:1 62:0 56:0` diff --git a/pages/linux/ytfzf.md b/pages/linux/ytfzf.md index 2b799d30e..6fc0e2899 100644 --- a/pages/linux/ytfzf.md +++ b/pages/linux/ytfzf.md @@ -1,6 +1,7 @@ # ytfzf -> A POSIX script that helps you find and download videos and music. +> Find and download videos and music. Written in POSIX shell. +> See also: `youtube-dl`, `yt-dlp`, `instaloader`. > More information: . - Search for videos on YouTube with thumbnail previews: diff --git a/pages/linux/zbarcam.md b/pages/linux/zbarcam.md index 1021328b6..133a7a4e9 100644 --- a/pages/linux/zbarcam.md +++ b/pages/linux/zbarcam.md @@ -17,4 +17,4 @@ - Define capture device: -`zbarcam /dev/{{video_device}}` +`zbarcam {{/dev/video_device}}` diff --git a/pages/linux/zip.md b/pages/linux/zip.md index b26eadd88..b98e28c64 100644 --- a/pages/linux/zip.md +++ b/pages/linux/zip.md @@ -1,6 +1,6 @@ # zip -> Package and compress (archive) files into `zip` archive. +> Package and compress (archive) files into a Zip archive. > See also: `unzip`. > More information: . @@ -24,7 +24,7 @@ `zip -r --encrypt {{path/to/compressed.zip}} {{path/to/file_or_directory1 path/to/file_or_directory2 ...}}` -- Archive files/directories to a multi-part [s]plit `zip` archive (e.g. 3 GB parts): +- Archive files/directories to a multi-part [s]plit Zip archive (e.g. 3 GB parts): `zip -r -s {{3g}} {{path/to/compressed.zip}} {{path/to/file_or_directory1 path/to/file_or_directory2 ...}}` diff --git a/pages/linux/zipcloak.md b/pages/linux/zipcloak.md deleted file mode 100644 index cc51fe3f0..000000000 --- a/pages/linux/zipcloak.md +++ /dev/null @@ -1,16 +0,0 @@ -# zipcloak - -> Encrypt the contents within a zipfile. -> More information: . - -- Encrypt the contents of a zipfile: - -`zipcloak {{path/to/archive.zip}}` - -- [d]ecrypt the contents of a zipfile: - -`zipcloak -d {{path/to/archive.zip}}` - -- [O]utput the encrypted contents into a new zipfile: - -`zipcloak {{path/to/archive.zip}} -O {{path/to/encrypted.zip}}` diff --git a/pages/linux/zipsplit.md b/pages/linux/zipsplit.md index e2c1fec83..ecc6fe45f 100644 --- a/pages/linux/zipsplit.md +++ b/pages/linux/zipsplit.md @@ -1,16 +1,20 @@ # zipsplit -> Read a zipfile and split it into smaller zipfiles. +> Split a Zip archive into smaller Zip archives. > More information: . -- Split zipfile into pieces that are no larger than a particular size [n]: +- Split Zip archive into parts that are no larger than 36000 bytes (36 MB): + +`zipsplit {{path/to/archive.zip}}` + +- Use a given [n]umber of bytes as the part limit: `zipsplit -n {{size}} {{path/to/archive.zip}}` -- [p]ause between the creation of each split zipfile: +- [p]ause between the creation of each part: `zipsplit -p -n {{size}} {{path/to/archive.zip}}` -- Output the split zipfiles into the `archive` directory: +- Output the smaller Zip archives into a given directory: -`zipsplit -b {{archive}} -n {{size}} {{path/to/archive.zip}}` +`zipsplit -b {{path/to/output_directory}} -n {{size}} {{path/to/archive.zip}}` diff --git a/pages/linux/zramctl.md b/pages/linux/zramctl.md index 28a08e30c..8177dd849 100644 --- a/pages/linux/zramctl.md +++ b/pages/linux/zramctl.md @@ -22,4 +22,4 @@ - List currently initialized devices: -`zramctl` +`sudo zramctl` diff --git a/pages/osx/airportd.md b/pages/osx/airportd.md index d92296633..07ba5685d 100644 --- a/pages/osx/airportd.md +++ b/pages/osx/airportd.md @@ -1,6 +1,6 @@ # airportd -> Manages wireless interfaces. +> Manage wireless interfaces. > It should not be invoked manually. > More information: . diff --git a/pages/osx/appsleepd.md b/pages/osx/appsleepd.md index 3c4fec25d..1513f11c7 100644 --- a/pages/osx/appsleepd.md +++ b/pages/osx/appsleepd.md @@ -1,6 +1,6 @@ # appsleepd -> Provides app sleep services. +> Start app sleep services. > It should not be invoked manually. > More information: . diff --git a/pages/osx/autofsd.md b/pages/osx/autofsd.md index c99963345..1a5975e27 100644 --- a/pages/osx/autofsd.md +++ b/pages/osx/autofsd.md @@ -1,6 +1,6 @@ # autofsd -> Runs `automount` on startup and network configuration change events. +> Run `automount` on startup and network configuration change events. > It should not be invoked manually. > More information: . diff --git a/pages/osx/automount.md b/pages/osx/automount.md new file mode 100644 index 000000000..7683b0a63 --- /dev/null +++ b/pages/osx/automount.md @@ -0,0 +1,17 @@ +# automount + +> Read the `/etc/auto_master` file and mount `autofs` on the appropriate mount points to trigger the on-demand mounting of directories. Essentially, it's a way to manually initiate the system's automounting process. +> Note: You'll most likely need to run with `sudo` if you don't have the necessary permissions. +> More information: . + +- Run automount, flush the cache(`-c`) beforehand, and be verbose(`-v`) about it (most common use): + +`automount -cv` + +- Automatically unmount after 5 minutes (300 seconds) of inactivity: + +`automount -t 300` + +- Unmount anything previously mounted by automount and/or defined in `/etc/auto_master`: + +`automount -u` diff --git a/pages/osx/backupd.md b/pages/osx/backupd.md index dace3b931..cf6867c4a 100644 --- a/pages/osx/backupd.md +++ b/pages/osx/backupd.md @@ -1,6 +1,6 @@ # backupd -> Creates Time Machine backups and manages its backup history. +> Create Time Machine backups and manages its backup history. > It should not be invoked manually. > More information: . diff --git a/pages/osx/biometrickitd.md b/pages/osx/biometrickitd.md index 14c36cb1d..8e3224a10 100644 --- a/pages/osx/biometrickitd.md +++ b/pages/osx/biometrickitd.md @@ -1,6 +1,6 @@ # biometrickitd -> Provides support for biometric operations. +> Get support for biometric operations. > It should not be invoked manually. > More information: . diff --git a/pages/osx/cal.md b/pages/osx/cal.md index 6d2424fd6..1693171d7 100644 --- a/pages/osx/cal.md +++ b/pages/osx/cal.md @@ -1,6 +1,6 @@ # cal -> Prints calendar information. +> Print calendar information. > More information: . - Display a calendar for the current month: diff --git a/pages/osx/cfprefsd.md b/pages/osx/cfprefsd.md index 8ddd921b9..456bfd3f7 100644 --- a/pages/osx/cfprefsd.md +++ b/pages/osx/cfprefsd.md @@ -1,6 +1,6 @@ # cfprefsd -> Provides preferences services (`CFPreferences`, `NSUserDefaults`). +> Start preferences services (`CFPreferences`, `NSUserDefaults`). > It should not be invoked manually. > More information: . diff --git a/pages/osx/corebrightnessd.md b/pages/osx/corebrightnessd.md index 8bd94bccb..07bb29790 100644 --- a/pages/osx/corebrightnessd.md +++ b/pages/osx/corebrightnessd.md @@ -1,6 +1,6 @@ # corebrightnessd -> Manages Night Shift. +> Manage Night Shift. > It should not be invoked manually. > More information: . diff --git a/pages/osx/date.md b/pages/osx/date.md index f57a35a38..66d9f0142 100644 --- a/pages/osx/date.md +++ b/pages/osx/date.md @@ -17,4 +17,4 @@ - Display a specific date (represented as a Unix timestamp) using the default format: -`date -r 1473305798` +`date -r {{1473305798}}` diff --git a/pages/osx/dd.md b/pages/osx/dd.md index 6e6501fd0..7668725d9 100644 --- a/pages/osx/dd.md +++ b/pages/osx/dd.md @@ -5,28 +5,24 @@ - Make a bootable USB drive from an isohybrid file (such like `archlinux-xxx.iso`) and show the progress: -`dd if={{path/to/file.iso}} of={{/dev/usb_device}} status=progress` +`dd if={{path/to/file.iso}} of={{/dev/usb_drive}} status=progress` - Clone a drive to another drive with 4 MB block, ignore error and show the progress: -`dd if={{/dev/source_device}} of={{/dev/dest_device}} bs={{4m}} conv={{noerror}} status=progress` +`dd bs=4m conv=noerror if={{/dev/source_drive}} of={{/dev/dest_drive}} status=progress` -- Generate a file of 100 random bytes by using kernel random driver: +- Generate a file with a specific number of random bytes by using kernel random driver: -`dd if=/dev/urandom of={{path/to/random_file}} bs={{100}} count={{1}}` +`dd bs={{100}} count={{1}} if=/dev/urandom of={{path/to/random_file}}` - Benchmark the write performance of a disk: -`dd if=/dev/zero of={{path/to/1GB_file}} bs={{1024}} count={{1000000}}` +`dd bs={{1024}} count={{1000000}} if=/dev/zero of={{path/to/1GB_file}}` -- Generate a system backup into an IMG file and show the progress: +- Create a system backup, save it into an IMG file (can be restored later by swapping `if` and `of`), and show the progress: -`dd if=/dev/{{drive_device}} of={{path/to/file.img}} status=progress` +`dd if={{/dev/drive_device}} of={{path/to/file.img}} status=progress` -- Restore a drive from an IMG file and show the progress: - -`dd if={{path/to/file.img}} of={{/dev/drive_device}} status=progress` - -- Check the progress of an ongoing dd operation (run this command from another shell): +- Check the progress of an ongoing `dd` operation (run this command from another shell): `kill -USR1 $(pgrep ^dd)` diff --git a/pages/osx/distnoted.md b/pages/osx/distnoted.md index 689ed3a0b..8ff419031 100644 --- a/pages/osx/distnoted.md +++ b/pages/osx/distnoted.md @@ -1,6 +1,6 @@ # distnoted -> Provides distributed notification services. +> Start distributed notification services. > It should not be invoked manually. > More information: . diff --git a/pages/osx/fontd.md b/pages/osx/fontd.md index a55f40aa6..aa61c3df3 100644 --- a/pages/osx/fontd.md +++ b/pages/osx/fontd.md @@ -1,6 +1,6 @@ # fontd -> Makes fonts available to the system. +> Make fonts available to the system. > It should not be invoked manually. > More information: . diff --git a/pages/osx/httpie.md b/pages/osx/httpie.md deleted file mode 100644 index 4c8ecaf97..000000000 --- a/pages/osx/httpie.md +++ /dev/null @@ -1,36 +0,0 @@ -# httpie - -> A user friendly HTTP tool. -> More information: . - -- Send a GET request (default method with no request data): - -`http {{https://example.com}}` - -- Send a POST request (default method with request data): - -`http {{https://example.com}} {{hello=World}}` - -- Send a POST request with redirected input: - -`http {{https://example.com}} < {{file.json}}` - -- Send a PUT request with a given JSON body: - -`http PUT {{https://example.com/todos/7}} {{hello=world}}` - -- Send a DELETE request with a given request header: - -`http DELETE {{https://example.com/todos/7}} {{API-Key:foo}}` - -- Show the whole HTTP exchange (both request and response): - -`http -v {{https://example.com}}` - -- Download a file: - -`http --download {{https://example.com}}` - -- Follow redirects and show intermediary requests and responses: - -`http --follow --all {{https://example.com}}` diff --git a/pages/osx/internetsharing.md b/pages/osx/internetsharing.md index bb56b64c5..8ca89d55c 100644 --- a/pages/osx/internetsharing.md +++ b/pages/osx/internetsharing.md @@ -1,6 +1,6 @@ # InternetSharing -> Sets up Internet Sharing. +> Set up Internet Sharing. > It should not be invoked manually. > More information: . diff --git a/pages/osx/iostat.md b/pages/osx/iostat.md new file mode 100644 index 000000000..d5119a516 --- /dev/null +++ b/pages/osx/iostat.md @@ -0,0 +1,32 @@ +# iostat + +> Report statistics for devices. +> More information: . + +- Display snapshot device statistics (kilobytes per transfer, transfers per second, megabytes per second), CPU statistics (percentages of time spent in user mode, system mode, and idle mode), and system load averages (for the past 1, 5, and 15 min): + +`iostat` + +- Display only device statistics: + +`iostat -d` + +- Display incremental reports of CPU and disk statistics every 2 seconds: + +`iostat 2` + +- Display statistics for the first disk every second indefinitely: + +`iostat -w 1 disk0` + +- Display statistics for the second disk every 3 seconds, 10 times: + +`iostat -w 3 -c 10 disk1` + +- Display using old-style `iostat` display. Shows sectors transferred per second, transfers per second, average milliseconds per transaction, and CPU statistics + load averages from default-style display: + +`iostat -o` + +- Display total device statistics (KB/t: kilobytes per transfer as before, xfrs: total number of transfers, MB: total number of megabytes transferred): + +`iostat -I` diff --git a/pages/osx/look.md b/pages/osx/look.md index 68ccf72af..80994687a 100644 --- a/pages/osx/look.md +++ b/pages/osx/look.md @@ -10,11 +10,11 @@ - Case-insensitively search only on alphanumeric characters: -`look -{{f|-ignore-case}} -{{d|-alphanum}} {{prefix}} {{path/to/file}}` +`look {{-f|--ignore-case}} {{-d|--alphanum}} {{prefix}} {{path/to/file}}` -- Specify a string [t]ermination character (space by default): +- Specify a string termination character (space by default): -`look -{{t|-terminate}} {{,}}` +`look {{-t|--terminate}} {{,}}` - Search in `/usr/share/dict/words` (`--ignore-case` and `--alphanum` are assumed): diff --git a/pages/osx/mas.md b/pages/osx/mas.md index 517d01967..2e33e9b38 100644 --- a/pages/osx/mas.md +++ b/pages/osx/mas.md @@ -15,10 +15,22 @@ `mas search "{{application}}" --price` -- Install or update an application: +- Install or update an application using exact numeric id: -`mas install {{product_identifier}}` +`mas install {{numeric_product_id}}` + +- Install the first application that would be returned by the respective search: + +`mas lucky "{{search_term}}"` + +- List all outdated apps with pending updates: + +`mas outdated` - Install all pending updates: `mas upgrade` + +- Upgrade a specific application: + +`mas upgrade "{{numeric_product_id}}"` diff --git a/pages/osx/mist.md b/pages/osx/mist.md new file mode 100644 index 000000000..1ad4f6be8 --- /dev/null +++ b/pages/osx/mist.md @@ -0,0 +1,37 @@ +# mist + +> MIST - macOS Installer Super Tool. +> Automatically download macOS Firmwares/Installers. +> More information: . + +- List all available macOS Firmwares for Apple Silicon Macs: + +`mist list firmware` + +- List all available macOS Installers for Intel Macs, including Universal Installers for macOS Big Sur and later: + +`mist list installer` + +- List all macOS Installers that are compatible with this Mac, including Universal Installers for macOS Big Sur and later: + +`mist list installer --compatible` + +- List all available macOS Installers for Intel Macs, including betas, also including Universal Installers for macOS Big Sur and later: + +`mist list installer --include-betas` + +- List only the latest macOS Sonoma Installer for Intel Macs, including Universal Installers for macOS Big Sur and later: + +`mist list installer --latest "macOS Sonoma"` + +- List and export macOS Installers to a CSV file: + +`mist list installer --export "{{/path/to/export.csv}}"` + +- Download the latest macOS Sonoma Firmware for Apple Silicon Macs, with a custom name: + +`mist download firmware "macOS Sonoma" --firmware-name "{{Install %NAME% %VERSION%-%BUILD%.ipsw}}"` + +- Download a specific macOS Installer version for Intel Macs, including Universal Installers for macOS Big Sur and later: + +`mist download installer "{{13.5.2}}" application` diff --git a/pages/osx/netstat.md b/pages/osx/netstat.md new file mode 100644 index 000000000..1b6e94226 --- /dev/null +++ b/pages/osx/netstat.md @@ -0,0 +1,17 @@ +# netstat + +> Display network-related information such as open connections, open socket ports, etc. +> See also: `lsof` for listing network connections, including listening ports. +> More information: . + +- Display the PID and program name listening on a specific protocol: + +`netstat -p {{protocol}}` + +- Print the routing table and do not resolve IP addresses to hostnames: + +`netstat -nr` + +- Print the routing table of IPv4 addresses: + +`netstat -nr -f inet` diff --git a/pages/osx/open.md b/pages/osx/open.md index 6ecd4ee19..82052d9f7 100644 --- a/pages/osx/open.md +++ b/pages/osx/open.md @@ -1,6 +1,6 @@ # open -> Opens files, directories and applications. +> Open files, directories and applications. > More information: . - Open a file with the associated application: diff --git a/pages/osx/ping.md b/pages/osx/ping.md index 28e2f7e48..b3be5b38b 100644 --- a/pages/osx/ping.md +++ b/pages/osx/ping.md @@ -11,18 +11,18 @@ `ping -c {{count}} "{{host}}"` -- Ping `host`, specifying the interval in `seconds` between requests (default is 1 second): +- Ping a host, specifying the interval in seconds between requests (default is 1 second): `ping -i {{seconds}} "{{host}}"` -- Ping `host` without trying to lookup symbolic names for addresses: +- Ping a host without trying to lookup symbolic names for addresses: `ping -n "{{host}}"` -- Ping `host` and ring the bell when a packet is received (if your terminal supports it): +- Ping a host and ring the bell when a packet is received (if your terminal supports it): `ping -a "{{host}}"` -- Ping `host` and prints the time a packet was received (this option is an Apple addition): +- Ping a host and prints the time a packet was received (this option is an Apple addition): `ping --apple-time "{{host}}"` diff --git a/pages/osx/route.md b/pages/osx/route.md index fc9ba5da6..229c6f31a 100644 --- a/pages/osx/route.md +++ b/pages/osx/route.md @@ -1,7 +1,7 @@ # route > Manually manipulate the routing tables. -> Necessitates to be root. +> Requires root privileges. > More information: . - Add a route to a destination through a gateway: diff --git a/pages/osx/say.md b/pages/osx/say.md index 822949d21..860e9d17a 100644 --- a/pages/osx/say.md +++ b/pages/osx/say.md @@ -1,6 +1,6 @@ # say -> Converts text to speech. +> Convert text to speech. > More information: . - Say a phrase aloud: diff --git a/pages/osx/scutil.md b/pages/osx/scutil.md index 5d616df34..01caec47b 100644 --- a/pages/osx/scutil.md +++ b/pages/osx/scutil.md @@ -1,7 +1,7 @@ # scutil > Manage system configuration parameters. -> Necessitates to be root when setting configuration. +> Require root privileges when setting configuration. > More information: . - Display DNS Configuration: diff --git a/pages/osx/setfile.md b/pages/osx/setfile.md index d3663140e..59203cecb 100644 --- a/pages/osx/setfile.md +++ b/pages/osx/setfile.md @@ -1,6 +1,6 @@ # setfile -> Sets file attributes on files in an HFS+ directory. +> Set file attributes on files in an HFS+ directory. > More information: . - Set creation date for specific files: diff --git a/pages/osx/shuf.md b/pages/osx/shuf.md index 011f92043..896da1971 100644 --- a/pages/osx/shuf.md +++ b/pages/osx/shuf.md @@ -5,16 +5,16 @@ - Randomize the order of lines in a file and output the result: -`shuf {{filename}}` +`shuf {{path/to/file}}` - Only output the first 5 entries of the result: -`shuf --head-count={{5}} {{filename}}` +`shuf --head-count=5 {{path/to/file}}` - Write output to another file: -`shuf {{filename}} --output={{output_filename}}` +`shuf {{path/to/input_file}} --output={{ath/to/output_file}}` - Generate random numbers in the range 1 to 10: -`shuf --input-range={{1-10}}` +`shuf --input-range=1-10` diff --git a/pages/osx/sntpd.md b/pages/osx/sntpd.md index eb8dc7aa8..c65e25606 100644 --- a/pages/osx/sntpd.md +++ b/pages/osx/sntpd.md @@ -2,7 +2,7 @@ > An SNTP server. > It should not be invoked manually. -> More information: . +> More information: . - Start the daemon: diff --git a/pages/osx/split.md b/pages/osx/split.md index 243da717a..17b91647f 100644 --- a/pages/osx/split.md +++ b/pages/osx/split.md @@ -5,16 +5,16 @@ - Split a file, each split having 10 lines (except the last split): -`split -l {{10}} {{filename}}` +`split -l 10 {{path/to/file}}` - Split a file by a regular expression. The matching line will be the first line of the next output file: -`split -p {{cat|^[dh]og}} {{filename}}` +`split -p {{cat|^[dh]og}} {{path/to/file}}` - Split a file with 512 bytes in each split (except the last split; use 512k for kilobytes and 512m for megabytes): -`split -b {{512}} {{filename}}` +`split -b 512 {{path/to/file}}` - Split a file into 5 files. File is split such that each split has same size (except the last split): -`split -n {{5}} {{filename}}` +`split -n 5 {{path/to/file}}` diff --git a/pages/osx/universalaccessd.md b/pages/osx/universalaccessd.md index 29b15bf48..ac2f14c85 100644 --- a/pages/osx/universalaccessd.md +++ b/pages/osx/universalaccessd.md @@ -1,6 +1,6 @@ # universalaccessd -> Provides universal access services. +> Get universal access services. > It should not be invoked manually. > More information: . diff --git a/pages/osx/watchlistd.md b/pages/osx/watchlistd.md index 4f83ec2fb..ae88ebda8 100644 --- a/pages/osx/watchlistd.md +++ b/pages/osx/watchlistd.md @@ -1,6 +1,6 @@ # watchlistd -> Manages the Apple TV app's watch list. +> Manage the Apple TV app's watch list. > It should not be invoked manually. > More information: . diff --git a/pages/osx/whence.md b/pages/osx/whence.md index 885ed64c8..1c3676b33 100644 --- a/pages/osx/whence.md +++ b/pages/osx/whence.md @@ -1,6 +1,6 @@ # whence -> A zsh builtin to indicate how a command would be interpreted. +> A Zsh builtin to indicate how a command would be interpreted. > More information: . - Interpret `command`, with expansion if defined as an `alias` (similar to the `command -v` builtin): diff --git a/pages/osx/yaa.md b/pages/osx/yaa.md index eab7c0f1f..37b5b7077 100644 --- a/pages/osx/yaa.md +++ b/pages/osx/yaa.md @@ -25,4 +25,4 @@ - Create an archive with an 8 MB block size: -`yaa archive -b {{8m}} -d {{path/to/directory}} -o {{path/to/output_file.yaa}}` +`yaa archive -b 8m -d {{path/to/directory}} -o {{path/to/output_file.yaa}}` diff --git a/pages/sunos/prstat.md b/pages/sunos/prstat.md index 3f481821a..1ceab064f 100644 --- a/pages/sunos/prstat.md +++ b/pages/sunos/prstat.md @@ -21,4 +21,4 @@ - Print out a list of top 5 CPU using processes every second: -`prstat -c -n {{5}} -s cpu {{1}}` +`prstat -c -n 5 -s cpu 1` diff --git a/pages/windows/clear-host.md b/pages/windows/clear-host.md index 910cd9786..cf2cd66d7 100644 --- a/pages/windows/clear-host.md +++ b/pages/windows/clear-host.md @@ -1,7 +1,7 @@ # Clear-Host > Clears the screen. -> This command can only be used through PowerShell. +> Note: This command can only be used through PowerShell. > More information: . - Clear the screen: diff --git a/pages/windows/date.md b/pages/windows/date.md index 4be38a167..9d7246d6b 100644 --- a/pages/windows/date.md +++ b/pages/windows/date.md @@ -1,6 +1,6 @@ # date -> Displays or sets the system date. +> Display or set the system date. > More information: . - Display the current system date and prompt to enter a new date (leave empty to keep unchanged): diff --git a/pages/windows/enable-pnpdevice.md b/pages/windows/enable-pnpdevice.md new file mode 100644 index 000000000..f4d55687a --- /dev/null +++ b/pages/windows/enable-pnpdevice.md @@ -0,0 +1,21 @@ +# Enable-PnpDevice + +> The Enable-PnpDevice cmdlet enables a Plug and Play (PnP) device. You must use an Administrator account to enable a device. +> Note: This command can only be used through PowerShell. +> More information: . + +- Enable a device: + +`Enable-PnpDevice -InstanceId 'RETRIEVED USING Get-PnpDevice COMMAND'` + +- Enable all disabled PnP devices: + +`Get-PnpDevice | Where-Object {$_.Problem -eq 22} | Enable-PnpDevice` + +- Enable a device without confirmation: + +`Enable-PnpDevice -InstanceId 'RETRIEVED USING Get-PnpDevice COMMAND' -Confirm:$False` + +- Dry run of what would happen if the cmdlet runs: + +`Enable-PnpDevice -InstanceId 'USB\VID_5986&;PID_0266&;MI_00\7&;1E5D3568&;0&;0000' -WhatIf:$True` diff --git a/pages/windows/fsutil.md b/pages/windows/fsutil.md index 6ac745186..41e966988 100644 --- a/pages/windows/fsutil.md +++ b/pages/windows/fsutil.md @@ -1,6 +1,6 @@ # fsutil -> Displays information about file system volumes. +> Display information about file system volumes. > More information: . - Display a list of volumes: diff --git a/pages/windows/get-acl.md b/pages/windows/get-acl.md index 1f1cb3a77..41d4ee4a9 100644 --- a/pages/windows/get-acl.md +++ b/pages/windows/get-acl.md @@ -1,7 +1,7 @@ # Get-Acl -> Gets the security descriptor for a resource, such as a file or registry key. -> This command can only be used through PowerShell. +> Get the security descriptor for a resource, such as a file or registry key. +> Note: This command can only be used through PowerShell. > More information: . - Display the ACL for a specific directory: diff --git a/pages/windows/get-childitem.md b/pages/windows/get-childitem.md index 008ed35c7..d0f265caa 100644 --- a/pages/windows/get-childitem.md +++ b/pages/windows/get-childitem.md @@ -1,7 +1,7 @@ # Get-ChildItem > List items in a directory. -> This command can only be used through PowerShell. +> Note: This command can only be used through PowerShell. > More information: . - List all non-hidden items in the current directory: diff --git a/pages/windows/get-content.md b/pages/windows/get-content.md index 81aed6161..da5f0ce9b 100644 --- a/pages/windows/get-content.md +++ b/pages/windows/get-content.md @@ -1,7 +1,7 @@ # Get-Content > Get the content of the item at the specified location. -> This command can only be used through PowerShell. +> Note: This command can only be used through PowerShell. > More information: . - Display the content of a file: diff --git a/pages/windows/get-date.md b/pages/windows/get-date.md index 76f633580..25a6534fd 100644 --- a/pages/windows/get-date.md +++ b/pages/windows/get-date.md @@ -1,7 +1,7 @@ # Get-Date -> Gets the current date and time. -> This command can only be used through PowerShell. +> Get the current date and time. +> Note: This command can only be used through PowerShell. > More information: . - Display the current date and time: diff --git a/pages/windows/get-dedupproperties.md b/pages/windows/get-dedupproperties.md new file mode 100644 index 000000000..63aa73a16 --- /dev/null +++ b/pages/windows/get-dedupproperties.md @@ -0,0 +1,17 @@ +# Get-DedupProperties + +> Gets Data Deduplication information. +> Note: This command can only be used through PowerShell. +> More information: . + +- Get Data Deduplication information of the drive: + +`Get-DedupProperties -DriveLetter 'C'` + +- Get Data Deduplication information of the drive using the drive label: + +`Get-DedupProperties -FileSystemLabel 'Label'` + +- Get Data Dedpulication information of the drive using the input object: + +`Get-DedupProperties -InputObject $(Get-Volume -DriveLetter 'E')` diff --git a/pages/windows/get-filehash.md b/pages/windows/get-filehash.md index cf2f5941b..851963ee0 100644 --- a/pages/windows/get-filehash.md +++ b/pages/windows/get-filehash.md @@ -1,7 +1,7 @@ # Get-FileHash > Calculate a hash for a file. -> This command can only be used through PowerShell. +> Note: This command can only be used through PowerShell. > More information: . - Calculate a hash for a specified file using the SHA256 algorithm: diff --git a/pages/windows/get-history.md b/pages/windows/get-history.md index 5522df3ea..39a94d714 100644 --- a/pages/windows/get-history.md +++ b/pages/windows/get-history.md @@ -1,7 +1,7 @@ # Get-History > Display PowerShell command history. -> This command can only be used through PowerShell. +> Note: This command can only be used through PowerShell. > More information: . - Display the commands history list with ID: diff --git a/pages/windows/invoke-item.md b/pages/windows/invoke-item.md index c6201bce6..287e772c2 100644 --- a/pages/windows/invoke-item.md +++ b/pages/windows/invoke-item.md @@ -1,7 +1,7 @@ # Invoke-Item > Open files in their respective default programs. -> This command can only be used through PowerShell. +> Note: This command can only be used through PowerShell. > More information: . - Open a file in its default program: diff --git a/pages/windows/invoke-webrequest.md b/pages/windows/invoke-webrequest.md index f747e8cef..734489de2 100644 --- a/pages/windows/invoke-webrequest.md +++ b/pages/windows/invoke-webrequest.md @@ -1,7 +1,7 @@ # Invoke-WebRequest > Performs a HTTP/HTTPS request to the Web. -> This command can only be used through PowerShell. +> Note: This command can only be used through PowerShell. > More information: . - Download the contents of a URL to a file: diff --git a/pages/windows/logoff.md b/pages/windows/logoff.md index 3bff46728..267971cbd 100644 --- a/pages/windows/logoff.md +++ b/pages/windows/logoff.md @@ -7,7 +7,7 @@ `logoff` -- Terminate a session by its name or id: +- Terminate a session by its name or ID: `logoff {{session_name|session_id}}` diff --git a/pages/windows/measure-command.md b/pages/windows/measure-command.md index 03bfd5277..623745781 100644 --- a/pages/windows/measure-command.md +++ b/pages/windows/measure-command.md @@ -1,7 +1,7 @@ # Measure-Command > Measures the time it takes to run script blocks and cmdlets. -> This command can only be used through PowerShell. +> Note: This command can only be used through PowerShell. > More information: . - Measure the time it takes to run a command: diff --git a/pages/windows/measure-object.md b/pages/windows/measure-object.md index e3e4715d6..cbd88ac33 100644 --- a/pages/windows/measure-object.md +++ b/pages/windows/measure-object.md @@ -1,7 +1,7 @@ # Measure-Object > Calculates the numeric properties of objects, and the characters, words, and lines in string objects, such as files of text. -> This command can only be used through PowerShell. +> Note: This command can only be used through PowerShell. > More information: . - Count the files and folders in a directory: diff --git a/pages/windows/mkdir.md b/pages/windows/mkdir.md index aa4933206..8a7847e61 100644 --- a/pages/windows/mkdir.md +++ b/pages/windows/mkdir.md @@ -1,6 +1,6 @@ # mkdir -> Creates a directory. +> Create a directory. > More information: . - Create a directory: diff --git a/pages/windows/mount.md b/pages/windows/mount.md index 872498161..e0f283b86 100644 --- a/pages/windows/mount.md +++ b/pages/windows/mount.md @@ -17,7 +17,7 @@ - Mount a share and retry up to 10 times if it fails: -`mount -o retry={{retries}} \\{{computer_name}}\{{share_name}} {{Z:}}` +`mount -o retry=10 \\{{computer_name}}\{{share_name}} {{Z:}}` - Mount a share with forced case sensitivity: diff --git a/pages/windows/netstat.md b/pages/windows/netstat.md index e3d265cb1..3db2a4be3 100644 --- a/pages/windows/netstat.md +++ b/pages/windows/netstat.md @@ -1,6 +1,6 @@ # netstat -> Displays active TCP connections, ports on which the computer is listening, network adapter statistics, the IP routing table, IPv4 statistics and IPv6 statistics. +> Display active TCP connections, ports on which the computer is listening, network adapter statistics, the IP routing table, IPv4 statistics and IPv6 statistics. > More information: . - Display active TCP connections: diff --git a/pages/windows/new-item.md b/pages/windows/new-item.md index 5bf4d9f07..d6f63f789 100644 --- a/pages/windows/new-item.md +++ b/pages/windows/new-item.md @@ -1,7 +1,7 @@ # New-Item > Create a new file, directory, symbolic link, or a registry entry. -> This command can only be used through PowerShell. +> Note: This command can only be used through PowerShell. > More information: . - Create a new blank file (equivalent to `touch`): diff --git a/pages/windows/ospp.vbs.md b/pages/windows/ospp.vbs.md new file mode 100644 index 000000000..dac165de6 --- /dev/null +++ b/pages/windows/ospp.vbs.md @@ -0,0 +1,29 @@ +# ospp.vbs + +> Install, activate, and manage volume licensed versions of Microsoft Office products. +> Note: this command may override, deactivate, and/or remove your current volume of licensed Office product versions, so please proceed cautiously. +> More information: . + +- Install a product key (Note: it replaces the existing key): + +`cscript ospp.vbs /inpkey:{{product_key}}` + +- Uninstall an installed product key with the last five digits of the product key: + +`cscript ospp.vbs /unpkey:{{product_key_digits}}` + +- Set a KMS host name: + +`cscript ospp.vbs /sethst:{{ip|hostname}}` + +- Set a KMS port: + +`cscript ospp.vbs /setprt:{{port}}` + +- Activate installed Office product keys: + +`cscript ospp.vbs /act` + +- Display license information for installed product keys: + +`cscript ospp.vbs /dstatus` diff --git a/pages/windows/out-string.md b/pages/windows/out-string.md index 2a946af9c..4dcda8b22 100644 --- a/pages/windows/out-string.md +++ b/pages/windows/out-string.md @@ -1,7 +1,7 @@ # Out-String > Outputs input objects as a string. -> This command can only be used through PowerShell. +> Note: This command can only be used through PowerShell. > More information: . - Print host information as string: diff --git a/pages/windows/query.md b/pages/windows/query.md index 981cc016d..ae4406436 100644 --- a/pages/windows/query.md +++ b/pages/windows/query.md @@ -1,6 +1,6 @@ # query -> Displays information about user sessions and process. +> Display information about user sessions and process. > More information: . - Display all user sessions: diff --git a/pages/windows/reg-query.md b/pages/windows/reg-query.md index 110ce3d0f..76b7a471c 100644 --- a/pages/windows/reg-query.md +++ b/pages/windows/reg-query.md @@ -29,7 +29,7 @@ - Only search in [k]ey names: -`reg query {{key_name}} /f /k` +`reg query {{key_name}} /f "{{query_pattern}}" /k` - [c]ase-sensitively search for an [e]xact match: diff --git a/pages/windows/resolve-path.md b/pages/windows/resolve-path.md index 99d62e9f0..636dc8680 100644 --- a/pages/windows/resolve-path.md +++ b/pages/windows/resolve-path.md @@ -1,7 +1,7 @@ # Resolve-Path > Resolves the wildcard characters in a path, and displays the path contents. -> This command can only be used through PowerShell. +> Note: This command can only be used through PowerShell. > More information: . - Resolve the home folder path: diff --git a/pages/windows/select-string.md b/pages/windows/select-string.md index 788925527..106ca0e11 100644 --- a/pages/windows/select-string.md +++ b/pages/windows/select-string.md @@ -1,7 +1,7 @@ # Select-String > Finds text in strings and files in PowerShell. -> This command can only be used through PowerShell. +> Note: This command can only be used through PowerShell. > You can use `Select-String` similar to `grep` in UNIX or `findstr.exe` in Windows. > More information: . diff --git a/pages/windows/set-acl.md b/pages/windows/set-acl.md index f9f9a3f4c..3934f6b53 100644 --- a/pages/windows/set-acl.md +++ b/pages/windows/set-acl.md @@ -1,7 +1,7 @@ # Set-Acl > Changes the security descriptor of a specified item, such as a file or a registry key. -> This command can only be used through PowerShell. +> Note: This command can only be used through PowerShell. > More information: . - Copy a security descriptor from one file to another: diff --git a/pages/windows/set-date.md b/pages/windows/set-date.md index 787dfe779..bedd2cd27 100644 --- a/pages/windows/set-date.md +++ b/pages/windows/set-date.md @@ -1,7 +1,7 @@ # Set-Date > Changes the system time on the computer to a time that you specify. -> This command can only be used through PowerShell. +> Note: This command can only be used through PowerShell. > More information: . - Add three days to the system date: diff --git a/pages/windows/set-location.md b/pages/windows/set-location.md index 320c5ddb6..c8a8207f9 100644 --- a/pages/windows/set-location.md +++ b/pages/windows/set-location.md @@ -1,7 +1,7 @@ # Set-Location > Display the current working directory or move to a different directory. -> This command can only be used through PowerShell. +> Note: This command can only be used through PowerShell. > More information: . - Go to the specified directory: diff --git a/pages/windows/set-service.md b/pages/windows/set-service.md index 1b594b45b..5aaca33a4 100644 --- a/pages/windows/set-service.md +++ b/pages/windows/set-service.md @@ -1,7 +1,7 @@ # Set-Service > Starts, stops, and suspends a service, and changes its properties. -> This command can only be used through PowerShell. +> Note: This command can only be used through PowerShell. > More information: . - Change a display name: diff --git a/pages/windows/set-volume.md b/pages/windows/set-volume.md new file mode 100644 index 000000000..85152c433 --- /dev/null +++ b/pages/windows/set-volume.md @@ -0,0 +1,21 @@ +# Set-Volume + +> Sets or changes the file system label of an existing volume. +> Note: This command can only be used through PowerShell. +> More information: . + +- Change the file system label of a volume identified by drive letter: + +`Set-Volume -DriveLetter "D" -NewFileSystemLabel "DataVolume"` + +- Change the file system label of a volume identified by the system label: + +`Set-Volume -FileSystemLabel "OldLabel" -NewFileSystemLabel "NewLabel"` + +- Modify the properties of a volume using a volume object: + +`Set-Volume -InputObject $(Get-Volume -DriveLetter "E") -NewFileSystemLabel "Backup"` + +- Specify the Data Deduplication mode for the volume: + +`Set-Volume -DriveLetter "D" -DedupMode Backup` diff --git a/pages/windows/setx.md b/pages/windows/setx.md index eeb806194..4e432997b 100644 --- a/pages/windows/setx.md +++ b/pages/windows/setx.md @@ -1,6 +1,6 @@ # setx -> Sets persistent environment variables. +> Set persistent environment variables. > More information: . - Set an environment variable for the current user: diff --git a/pages/windows/show-markdown.md b/pages/windows/show-markdown.md index b7503b340..76dcbc820 100644 --- a/pages/windows/show-markdown.md +++ b/pages/windows/show-markdown.md @@ -1,7 +1,7 @@ # Show-Markdown > Shows a Markdown file or string in the console in a friendly way using VT100 escape sequences or in a browser using HTML. -> This command can only be used through PowerShell. +> Note: This command can only be used through PowerShell. > More information: . - Render markdown to console from a file: diff --git a/pages/windows/sort-object.md b/pages/windows/sort-object.md index 1b0d617ff..b3394d1b9 100644 --- a/pages/windows/sort-object.md +++ b/pages/windows/sort-object.md @@ -1,7 +1,7 @@ # Sort-Object > Sorts objects by property values. -> This command can only be used through PowerShell. +> Note: This command can only be used through PowerShell. > More information: . - Sort the current directory by name: diff --git a/pages/windows/start-service.md b/pages/windows/start-service.md index 7d817a2df..370bc0657 100644 --- a/pages/windows/start-service.md +++ b/pages/windows/start-service.md @@ -1,7 +1,7 @@ # Start-Service > Starts stopped services. -> This command can only be used through PowerShell. +> Note: This command can only be used through PowerShell. > More information: . - Start a service by using its name: diff --git a/pages/windows/stop-service.md b/pages/windows/stop-service.md index c84c11cf9..36448212e 100644 --- a/pages/windows/stop-service.md +++ b/pages/windows/stop-service.md @@ -1,7 +1,7 @@ # Stop-Service > Stops running services. -> This command can only be used through PowerShell. +> Note: This command can only be used through PowerShell. > More information: . - Stop a service on the local computer: diff --git a/pages/windows/tee-object.md b/pages/windows/tee-object.md index 9bf9d5d44..bf7b4148b 100644 --- a/pages/windows/tee-object.md +++ b/pages/windows/tee-object.md @@ -1,7 +1,7 @@ # Tee-Object > Saves command output in a file or variable and also sends it down the pipeline. -> This command can only be used through PowerShell. +> Note: This command can only be used through PowerShell. > More information: . - Output processes to a file and to the console: diff --git a/pages/windows/test-json.md b/pages/windows/test-json.md index 4b25ba736..c13e869f4 100644 --- a/pages/windows/test-json.md +++ b/pages/windows/test-json.md @@ -1,7 +1,7 @@ # Test-Json > Test whether a string is a valid JSON document. -> This command can only be used through PowerShell. +> Note: This command can only be used through PowerShell. > More information: . - Test if a string from `stdin` is in JSON format: diff --git a/pages/windows/test-netconnection.md b/pages/windows/test-netconnection.md new file mode 100644 index 000000000..025513df8 --- /dev/null +++ b/pages/windows/test-netconnection.md @@ -0,0 +1,13 @@ +# Test-NetConnection + +> Display diagnostic information for a connection. +> Note: This command can only be used through PowerShell. +> More information: . + +- Test a connection and display detailed results: + +`Test-NetConnection -InformationLevel Detailed` + +- Test a connection to a remote host using the specified port number: + +`Test-NetConnection -ComputerName {{ip_or_hostname}} -Port {{port_number}}` diff --git a/pages/windows/wait-process.md b/pages/windows/wait-process.md index 93e3cad43..7e1f4033d 100644 --- a/pages/windows/wait-process.md +++ b/pages/windows/wait-process.md @@ -1,7 +1,7 @@ # Wait-Process > Waits for the processes to be stopped before accepting more input. -> This command can only be used through PowerShell. +> Note: This command can only be used through PowerShell. > More information: . - Stop a process and wait: diff --git a/pages/windows/where-object.md b/pages/windows/where-object.md index 74465aa1b..8d95a3133 100644 --- a/pages/windows/where-object.md +++ b/pages/windows/where-object.md @@ -1,7 +1,7 @@ # Where-Object > Selects objects from a collection based on their property values. -> This command can only be used through PowerShell. +> Note: This command can only be used through PowerShell. > More information: . - Filter aliases by its name: diff --git a/requirements.txt b/requirements.txt index 032d2faca..df96a114b 100644 --- a/requirements.txt +++ b/requirements.txt @@ -1,3 +1,3 @@ -black==24.2.0 -flake8==7.0.0 -requests==2.31.0 +black==24.8.0 +flake8==7.1.1 +requests==2.32.3 diff --git a/scripts/README.md b/scripts/README.md index b585127ac..a2c2b6790 100644 --- a/scripts/README.md +++ b/scripts/README.md @@ -2,6 +2,9 @@ The current directory contains useful scripts used/to use with `tldr` pages. +> [!NOTE] +> [Git](https://git-scm.com/) and [Python](https://www.python.org/) must be installed in your system to run/test the scripts locally. + ## Summary This section contains a summary of the scripts available in this directory. For more information about each script, please refer to the header of each script. @@ -9,25 +12,27 @@ This section contains a summary of the scripts available in this directory. For - [pdf](pdf/README.md) directory contains the `render.py` and `build-pdf.sh` script and related resources to generate a PDF document of tldr-pages for a specific language or platform (or both). - [build.sh](build.sh) script builds the ZIP archives of the `pages` directory. - [build-index.sh](build-index.sh) script builds the index of available pages. -- [check-pr.sh](check-pr.sh) script checks the pages syntax and performs various checks on the PR. +- [check-pr.sh](check-pr.sh) script checks the page's syntax and performs various checks on the PR. - [deploy.sh](deploy.sh) script deploys the ZIP and PDF archives to the static website repository. -- [send-to-bot.py](send-to-bot.py) is a Python script that send the build or tests output to tldr-bot. +- [send-to-bot.py](send-to-bot.py) is a Python script that sends the build or test output to tldr-bot. - [set-alias-page.py](set-alias-page.py) is a Python script to generate or update alias pages. - [set-more-info-link.py](set-more-info-link.py) is a Python script to generate or update more information links across pages. -- [test.sh](test.sh) script runs some basic tests on every PR/commit to make sure that the pages are valid and that the code is formatted correctly. +- [set-page-title.py](set-page-title.py) is a Python script to update the title across pages. +- [test.sh](test.sh) script runs some basic tests on every PR/commit to ensure the pages are valid and the code is formatted correctly. - [wrong-filename.sh](wrong-filename.sh) script checks the consistency between the filenames and the page title. - [update-command.py](update-command.py) is a Python script to update the common contents of a command example across all languages. ## Compatibility -The below table shows the compatibility of user-executable scripts with different platforms. +The table below shows the compatibility of user-executable scripts with different platforms: | Script | Linux | macOS (`osx`) | Windows | | ------ | ----- | ----- | ------- | | [render.py](pdf/render.py) | ✅ | ✅ | ✅ | -| [build-pdf.sh](pdf/build-pdf.sh) | ✅ | ✅ | ❌ | -| [build.sh](build.sh) | ✅ | ✅ | ❌ | +| [build-pdf.sh](pdf/build-pdf.sh) | ✅ | ✅ | ❌ (WSL ✅)| +| [build.sh](build.sh) | ✅ | ✅ | ❌ (WSL ✅)| | [set-alias-pages.py](set-alias-pages.py) | ✅ | ✅ | ✅ | | [set-more-info-link.py](set-more-info-link.py) | ✅ | ✅ | ✅ | -| [wrong-filename.sh](wrong-filename.sh) | ✅ | ❌ | ❌ | +| [set-page-title.py](set-page-title.py) | ✅ | ✅ | ✅ | +| [wrong-filename.sh](wrong-filename.sh) | ✅ | ❌ | ❌ (WSL ✅)| | [update-command.py](update-command.py) | ✅ | ✅ | ✅ | diff --git a/scripts/_common.py b/scripts/_common.py new file mode 100644 index 000000000..4d6847748 --- /dev/null +++ b/scripts/_common.py @@ -0,0 +1,393 @@ +#!/usr/bin/env python3 +# SPDX-License-Identifier: MIT + +""" +A Python file that makes some commonly used functions available for other scripts to use. +""" + +from enum import Enum +from pathlib import Path +from unittest.mock import patch +import shutil +import os +import argparse +import subprocess + +IGNORE_FILES = (".DS_Store",) + + +class Colors(str, Enum): + def __str__(self): + return str( + self.value + ) # make str(Colors.COLOR) return the ANSI code instead of an Enum object + + RED = "\x1b[31m" + GREEN = "\x1b[32m" + BLUE = "\x1b[34m" + CYAN = "\x1b[36m" + RESET = "\x1b[0m" + + +def test_ignore_files(): + assert IGNORE_FILES == (".DS_Store",) + assert ".DS_Store" in IGNORE_FILES + assert "tldr.md" not in IGNORE_FILES + + +def get_tldr_root(lookup_path: Path = None) -> Path: + """ + Get the path of the local tldr repository, looking for it in each part of the given path. If it is not found, the path in the environment variable TLDR_ROOT is returned. + + Parameters: + lookup_path (Path): the path to search for the tldr root. By default, the path of the script. + + Returns: + Path: the local tldr repository. + """ + + if lookup_path is None: + absolute_lookup_path = Path(__file__).resolve() + else: + absolute_lookup_path = Path(lookup_path).resolve() + if ( + tldr_root := next( + (path for path in absolute_lookup_path.parents if path.name == "tldr"), None + ) + ) is not None: + return tldr_root + elif "TLDR_ROOT" in os.environ: + return Path(os.environ["TLDR_ROOT"]) + raise SystemExit( + f"{Colors.RED}Please set the environment variable TLDR_ROOT to the location of a clone of https://github.com/tldr-pages/tldr{Colors.RESET}" + ) + + +def test_get_tldr_root(): + tldr_root = get_tldr_root("/path/to/tldr/scripts/test_script.py") + assert tldr_root == Path("/path/to/tldr") + + # Set TLDR_ROOT in the environment + os.environ["TLDR_ROOT"] = "/path/to/tldr_clone" + + tldr_root = get_tldr_root("/tmp") + assert tldr_root == Path("/path/to/tldr_clone") + + del os.environ["TLDR_ROOT"] + + # Remove TLDR_ROOT from the environment + original_env = os.environ.pop("TLDR_ROOT", None) + + # Check if SystemExit is raised + raised = False + try: + get_tldr_root("/tmp") + except SystemExit: + raised = True + assert raised + + # Restore the original values + if original_env is not None: + os.environ["TLDR_ROOT"] = original_env + + +def get_pages_dir(root: Path) -> list[Path]: + """ + Get all pages directories. + + Parameters: + root (Path): the path to search for the pages directories. + + Returns: + list (list of Path's): Path's of page entry and platform, e.g. "page.fr/common". + """ + + return [d for d in root.iterdir() if d.name.startswith("pages")] + + +def test_get_pages_dir(): + # Create temporary directories with names starting with "pages" + + root = Path("test_root") + + shutil.rmtree(root, True) + + root.mkdir(exist_ok=True) + + # Create temporary directories with names that do not start with "pages" + (root / "other_dir_1").mkdir(exist_ok=True) + (root / "other_dir_2").mkdir(exist_ok=True) + + # Call the function and verify that it returns an empty list + result = get_pages_dir(root) + assert result == [] + + (root / "pages").mkdir(exist_ok=True) + (root / "pages.fr").mkdir(exist_ok=True) + (root / "other_dir").mkdir(exist_ok=True) + + # Call the function and verify the result + result = get_pages_dir(root) + expected = [root / "pages", root / "pages.fr"] + assert result.sort() == expected.sort() # the order differs on Unix / macOS + + shutil.rmtree(root, True) + + +def get_target_paths(page: Path, pages_dirs: Path) -> list[Path]: + """ + Get all paths in all languages that match the page. + + Parameters: + page (Path): the page to search for. + + Returns: + list (list of Path's): A list of Path's. + """ + + target_paths = [] + + if not page.lower().endswith(".md"): + page = f"{page}.md" + arg_platform, arg_page = page.split("/") + + for pages_dir in pages_dirs: + page_path = pages_dir / arg_platform / arg_page + + if not page_path.exists(): + continue + target_paths.append(page_path) + + target_paths.sort() + + return target_paths + + +def test_get_target_paths(): + root = Path("test_root") + + shutil.rmtree(root, True) + + root.mkdir(exist_ok=True) + + shutil.os.makedirs(root / "pages" / "common") + shutil.os.makedirs(root / "pages.fr" / "common") + + file_path = root / "pages" / "common" / "tldr.md" + with open(file_path, "w"): + pass + + file_path = root / "pages.fr" / "common" / "tldr.md" + with open(file_path, "w"): + pass + + target_paths = get_target_paths("common/tldr", get_pages_dir(root)) + for path in target_paths: + rel_path = "/".join(path.parts[-3:]) + print(rel_path) + + shutil.rmtree(root, True) + + +def get_locale(path: Path) -> str: + """ + Get the locale from the path. + + Parameters: + path (Path): the path to extract the locale. + + Returns: + str: a POSIX Locale Name in the form of "ll" or "ll_CC" (e.g. "fr" or "pt_BR"). + """ + + # compute locale + pages_dirname = path.parents[1].name + if "." in pages_dirname: + _, locale = pages_dirname.split(".") + else: + locale = "en" + + return locale + + +def test_get_locale(): + assert get_locale(Path("path/to/pages.fr/common/tldr.md")) == "fr" + + assert get_locale(Path("path/to/pages/common/tldr.md")) == "en" + + assert get_locale(Path("path/to/other/common/tldr.md")) == "en" + + +def get_status(action: str, dry_run: bool, type: str) -> str: + """ + Get a colored status line. + + Parameters: + action (str): The action to perform. + dry_run (bool): Whether to perform a dry-run. + type (str): The kind of object to modify (alias, link). + + Returns: + str: A colored line + """ + + match action: + case "added": + start_color = Colors.CYAN + case "updated": + start_color = Colors.BLUE + case _: + start_color = Colors.RED + + if dry_run: + status = f"{type} would be {action}" + else: + status = f"{type} {action}" + + return create_colored_line(start_color, status) + + +def test_get_status(): + # Test dry run status + assert ( + get_status("added", True, "alias") + == f"{Colors.CYAN}alias would be added{Colors.RESET}" + ) + assert ( + get_status("updated", True, "link") + == f"{Colors.BLUE}link would be updated{Colors.RESET}" + ) + + # Test non-dry run status + assert ( + get_status("added", False, "alias") == f"{Colors.CYAN}alias added{Colors.RESET}" + ) + assert ( + get_status("updated", False, "link") + == f"{Colors.BLUE}link updated{Colors.RESET}" + ) + + # Test default color for unknown action + assert ( + get_status("unknown", True, "alias") + == f"{Colors.RED}alias would be unknown{Colors.RESET}" + ) + + +def create_colored_line(start_color: str, text: str) -> str: + """ + Create a colored line. + + Parameters: + start_color (str): The color for the line. + text (str): The text to display. + + Returns: + str: A colored line + """ + + return f"{start_color}{text}{Colors.RESET}" + + +def test_create_colored_line(): + assert ( + create_colored_line(Colors.CYAN, "TLDR") == f"{Colors.CYAN}TLDR{Colors.RESET}" + ) + assert create_colored_line("Hello", "TLDR") == f"HelloTLDR{Colors.RESET}" + + +def create_argument_parser(description: str) -> argparse.ArgumentParser: + """ + Create an argument parser that can be extended. + + Parameters: + description (str): The description for the argument parser + + Returns: + ArgumentParser: an argument parser. + """ + + parser = argparse.ArgumentParser(description=description) + parser.add_argument( + "-p", + "--page", + type=str, + default="", + help='page name in the format "platform/alias_command.md"', + ) + parser.add_argument( + "-S", + "--sync", + action="store_true", + default=False, + help="synchronize each translation's alias page (if exists) with that of English page", + ) + parser.add_argument( + "-l", + "--language", + type=str, + default="", + help='language in the format "ll" or "ll_CC" (e.g. "fr" or "pt_BR")', + ) + parser.add_argument( + "-s", + "--stage", + action="store_true", + default=False, + help="stage modified pages (requires `git` to be on $PATH and TLDR_ROOT to be a Git repository)", + ) + parser.add_argument( + "-n", + "--dry-run", + action="store_true", + default=False, + help="show what changes would be made without actually modifying the pages", + ) + + return parser + + +def test_create_argument_parser(): + description = "Test argument parser" + parser = create_argument_parser(description) + + assert isinstance(parser, argparse.ArgumentParser) + assert parser.description == description + + # Check if each expected argument is added with the correct configurations + arguments = [ + ("-p", "--page", str, ""), + ("-l", "--language", str, ""), + ("-s", "--stage", None, False), + ("-S", "--sync", None, False), + ("-n", "--dry-run", None, False), + ] + for short_flag, long_flag, arg_type, default_value in arguments: + action = parser._option_string_actions[short_flag] # Get action for short flag + assert action.dest.replace("_", "-") == long_flag.lstrip( + "-" + ) # Check destination name + assert action.type == arg_type # Check argument type + assert action.default == default_value # Check default value + + +def stage(paths: list[Path]): + """ + Stage the given paths using Git. + + Parameters: + paths (list of Paths): the list of Path's to stage using Git. + + """ + subprocess.call(["git", "add", *(path.resolve() for path in paths)]) + + +@patch("subprocess.call") +def test_stage(mock_subprocess_call): + paths = [Path("/path/to/file1"), Path("/path/to/file2")] + + # Call the stage function + stage(paths) + + # Verify that subprocess.call was called with the correct arguments + mock_subprocess_call.assert_called_once_with(["git", "add", *paths]) diff --git a/scripts/check-pr.sh b/scripts/check-pr.sh index 3b8a6fe0d..a9c82c1ce 100755 --- a/scripts/check-pr.sh +++ b/scripts/check-pr.sh @@ -111,6 +111,26 @@ function check_outdated_page() { fi } +function check_more_info_link() { + local page=$1 + + grep "$page" "more-info-links.txt" > /dev/null + + if [ $? -eq 0 ]; then + printf "\x2d $MSG_MORE_INFO" "$page" + fi +} + +function check_page_title() { + local page=$1 + + grep "$page" "page-titles.txt" > /dev/null + + if [ $? -eq 0 ]; then + printf "\x2d $MSG_PAGE_TITLE" "$page" + fi +} + # Look at git diff and check for copied/duplicated pages. function check_diff { local git_diff @@ -126,6 +146,9 @@ function check_diff { return 0 fi + python3 scripts/set-more-info-link.py -Sn > more-info-links.txt + python3 scripts/set-page-title.py -Sn > page-titles.txt + while read line; do readarray -td$'\t' entry < <(echo -n "$line") @@ -146,10 +169,14 @@ function check_diff { check_duplicates "$file1" check_missing_english_page "$file1" check_outdated_page "$file1" + check_more_info_link "$file1" + check_page_title "$file1" ;; M) # file1 was modified check_missing_english_page "$file1" check_outdated_page "$file1" + check_more_info_link "$file1" + check_page_title "$file1" ;; esac done <<< "$git_diff" @@ -183,6 +210,8 @@ MSG_IS_COPY='The page `%s` seems to be a copy of `%s` (%d%% matching).\n' MSG_NOT_DIR='The file `%s` does not look like a directory.\n' MSG_NOT_FILE='The file `%s` does not look like a regular file.\n' MSG_NOT_MD='The file `%s` does not have a `.md` extension.\n' +MSG_MORE_INFO='The page `%s` has an outdated more info link.\n' +MSG_PAGE_TITLE='The page `%s` has an outdated page title.\n' PLATFORMS=$(ls pages/) diff --git a/scripts/deploy.sh b/scripts/deploy.sh index bb49a9557..f582c8dc1 100755 --- a/scripts/deploy.sh +++ b/scripts/deploy.sh @@ -49,12 +49,15 @@ function upload_assets { git push -q echo "Assets (pages archive, index and checksums) deployed to the static site." + # Suppress errors from unmatched patterns if some files don't exist. + shopt -s nullglob gh release --repo tldr-pages/tldr upload --clobber "$RELEASE_TAG" -- \ tldr.sha256sums \ "$TLDR_ARCHIVE" \ "$INDEX" \ "$LANG_ARCHIVES/"*.zip \ "$PDFS/"*.pdf + shopt -u nullglob echo "Assets deployed to GitHub releases." } diff --git a/scripts/set-alias-page.py b/scripts/set-alias-page.py index 697792242..2b830a608 100755 --- a/scripts/set-alias-page.py +++ b/scripts/set-alias-page.py @@ -4,81 +4,93 @@ """ A Python script to generate or update alias pages. -Disclaimer: This script generates a lot of false positives so it -isn't suggested to use the sync option. If used, only stage changes -and commit verified changes for your language. +Disclaimer: This script generates a lot of false positives so it isn't suggested to use the sync option. If used, only stage changes and commit verified changes for your language by using -l LANGUAGE. -Note: If there is a symlink error when using the stage flag remove the `pages.en` -directory temporarily and try executing it again. +Note: If the current directory or one of its parents is called "tldr", the script will assume it is the tldr root, i.e., the directory that contains a clone of https://github.com/tldr-pages/tldr +If you aren't, the script will use TLDR_ROOT as the tldr root. Also, ensure 'git' is available. Usage: - python3 scripts/set-alias-page.py [-p PAGE] [-s] [-S] [-n] [COMMAND] + python3 scripts/set-alias-page.py [-p PAGE] [-S] [-l LANGUAGE] [-s] [-n] [COMMAND] Options: -p, --page PAGE Specify the alias page in the format "platform/alias_command.md". - -s, --stage - Stage modified pages (requires 'git' on $PATH and TLDR_ROOT to be a Git repository). -S, --sync Synchronize each translation's alias page (if exists) with that of the English page. + -l, --language LANGUAGE + Specify the language, a POSIX Locale Name in the form of "ll" or "ll_CC" (e.g. "fr" or "pt_BR"). + -s, --stage + Stage modified pages (requires 'git' on $PATH and TLDR_ROOT to be a Git repository). -n, --dry-run Show what changes would be made without actually modifying the page. +Positional Argument: + COMMAND The command to be set as the alias command. Examples: 1. Add 'vi' as an alias page of 'vim': python3 scripts/set-alias-page.py -p common/vi vim + python3 scripts/set-alias-page.py --page common/vi vim 2. Read English alias pages and synchronize them into all translations: python3 scripts/set-alias-page.py -S + python3 scripts/set-alias-page.py --sync - 3. Read English alias pages and show what changes would be made: + 3. Read English alias pages and synchronize them for Brazilian Portuguese pages only: + python3 scripts/set-alias-page.py -S -l pt_BR + python3 scripts/set-alias-page.py --sync --language pt_BR + + 4. Read English alias pages, synchronize them into all translations and stage modified pages for commit: + python3 scripts/set-alias-page.py -Ss + python3 scripts/set-alias-page.py --sync --stage + + 5. Read English alias pages and show what changes would be made: python3 scripts/set-alias-page.py -Sn python3 scripts/set-alias-page.py --sync --dry-run """ -import argparse -import os import re -import subprocess +from pathlib import Path +from _common import ( + IGNORE_FILES, + Colors, + get_tldr_root, + get_pages_dir, + get_target_paths, + get_locale, + get_status, + stage, + create_colored_line, + create_argument_parser, +) -IGNORE_FILES = (".DS_Store", "tldr.md", "aria2.md") +IGNORE_FILES += ("tldr.md", "aria2.md") -def get_tldr_root(): - """ - Get the path of local tldr repository for environment variable TLDR_ROOT. - """ - - # If this script is running from tldr/scripts, the parent's parent is the root - f = os.path.normpath(__file__) - if f.endswith("tldr/scripts/set-alias-page.py"): - return os.path.dirname(os.path.dirname(f)) - - if "TLDR_ROOT" in os.environ: - return os.environ["TLDR_ROOT"] - else: - raise SystemExit( - "\x1b[31mPlease set TLDR_ROOT to the location of a clone of https://github.com/tldr-pages/tldr.\x1b[0m" - ) +def test_ignore_files(): + assert IGNORE_FILES == ( + ".DS_Store", + "tldr.md", + "aria2.md", + ) + assert ".DS_Store" in IGNORE_FILES + assert "tldr.md" in IGNORE_FILES -def get_templates(root): +def get_templates(root: Path): """ Get all alias page translation templates from TLDR_ROOT/contributing-guides/translation-templates/alias-pages.md. Parameters: - root (string): The path of local tldr repository, i.e., TLDR_ROOT. + root (Path): The path of local tldr repository, i.e., TLDR_ROOT. Returns: dict of (str, str): Language labels map to alias page templates. """ - template_file = os.path.join( - root, "contributing-guides/translation-templates/alias-pages.md" - ) - with open(template_file) as f: + template_file = root / "contributing-guides/translation-templates/alias-pages.md" + with template_file.open(encoding="utf-8") as f: lines = f.readlines() # Parse alias-pages.md @@ -109,142 +121,115 @@ def get_templates(root): return templates -def get_alias_page(file): - """ - Determine whether the given file is an alias page. - - Parameters: - file (string): Path to a page - - Returns: - str: "" If the file doesn't exit or is not an alias page, - otherwise return what command the alias stands for. - """ - - if not os.path.isfile(file): - return "" - with open(file) as f: - for line in f: - if match := re.search(r"^`tldr (.+)`", line): - return match[1] - return "" - - -def set_alias_page(file, command, dry_run=False): +def set_alias_page( + path: Path, command: str, dry_run: bool = False, language_to_update: str = "" +) -> str: """ Write an alias page to disk. Parameters: - file (string): Path to an alias page + path (string): Path to an alias page command (string): The command that the alias stands for. - dry_run (bool): Whether to perform a dry-run. + dry_run (bool): Whether to perform a dry-run, i.e. only show the changes that would be made. + language_to_update (string): Optionally, the language of the translation to be updated. Returns: str: Execution status - "" if the alias page standing for the same command already exists. - "\x1b[36mpage added" if it's a new alias page. - "\x1b[34mpage updated" if the command updates. + "" if the alias page standing for the same command already exists or if the locale does not match language_to_update. + "\x1b[36mpage added" + "\x1b[34mpage updated" + "\x1b[36mpage would be added" + "\x1b[34mpage would updated" """ - # compute locale - pages_dir = os.path.basename(os.path.dirname(os.path.dirname(file))) - if "." in pages_dir: - _, locale = pages_dir.split(".") - else: - locale = "en" - if locale not in templates: + locale = get_locale(path) + if locale not in templates or ( + language_to_update != "" and locale != language_to_update + ): + # return empty status to indicate that no changes were made return "" # Test if the alias page already exists - orig_command = get_alias_page(file) - if orig_command == command: + original_command = get_alias_page(path) + if original_command == command: return "" - if orig_command == "": - status_prefix = "\x1b[36m" - action = "added" - else: - status_prefix = "\x1b[34m" - action = "updated" + status = get_status( + "added" if original_command == "" else "updated", dry_run, "page" + ) - if dry_run: - status = f"page will be {action}" - else: - status = f"page {action}" - - status = f"{status_prefix}{status}\x1b[0m" - - if not dry_run: # Only write to the file during a non-dry-run - alias_name, _ = os.path.splitext(os.path.basename(file)) + if not dry_run: # Only write to the path during a non-dry-run + alias_name = path.stem text = ( templates[locale] .replace("example", alias_name, 1) .replace("example", command) ) - os.makedirs(os.path.dirname(file), exist_ok=True) - with open(file, "w") as f: + path.parent.mkdir(parents=True, exist_ok=True) + with path.open("w", encoding="utf-8") as f: f.write(text) return status -def sync(root, pages_dirs, alias_name, orig_command, dry_run=False): +def get_alias_page(path: Path) -> str: + """ + Determine whether the given path is an alias page. + + Parameters: + path (Path): Path to a page + + Returns: + str: "" If the path doesn't exit or is not an alias page, + otherwise return what command the alias stands for. + """ + + if not path.exists(): + return "" + with path.open(encoding="utf-8") as f: + for line in f: + # match alias (`tldr `) + if match := re.search(r"^`tldr (.+)`", line): + return match[1] + return "" + + +def sync( + root: Path, + pages_dirs: list[Path], + alias_name: str, + original_command: str, + dry_run: bool = False, + language_to_update: str = "", +) -> list[Path]: """ Synchronize an alias page into all translations. Parameters: - root (str): TLDR_ROOT - pages_dirs (list of str): Strings of page entry and platform, e.g. "page.fr/common". + root (Path): TLDR_ROOT + pages_dirs (list of Path's): Path's of page entry and platform, e.g. "page.fr/common". alias_name (str): An alias command with .md extension like "vi.md". - orig_command (string): An Original command like "vim". - dry_run (bool): Whether to perform a dry-run. + original_command (str): An Original command like "vim". + dry_run (bool): Whether to perform a dry-run, i.e. only show the changes that would be made. + language_to_update (str): Optionally, the language of the translation to be updated. Returns: - list: A list of paths to be staged into git, using by --stage option. + list (list of Path's): A list of Path's to be staged into git, using by --stage option. """ - rel_paths = [] + paths = [] for page_dir in pages_dirs: - path = os.path.join(root, page_dir, alias_name) - status = set_alias_page(path, orig_command, dry_run) + path = root / page_dir / alias_name + status = set_alias_page(path, original_command, dry_run, language_to_update) if status != "": - rel_path = path.replace(f"{root}/", "") - rel_paths.append(rel_path) - print(f"\x1b[32m{rel_path} {status}\x1b[0m") - return rel_paths + rel_path = "/".join(path.parts[-3:]) + paths.append(rel_path) + print(create_colored_line(Colors.GREEN, f"{rel_path} {status}")) + return paths def main(): - parser = argparse.ArgumentParser( - description="Sets the alias page for all translations of a page" - ) - parser.add_argument( - "-p", - "--page", - type=str, - required=False, - default="", - help='page name in the format "platform/alias_command.md"', - ) - parser.add_argument( - "-s", - "--stage", - action="store_true", - default=False, - help="stage modified pages (requires `git` to be on $PATH and TLDR_ROOT to be a Git repository)", - ) - parser.add_argument( - "-S", - "--sync", - action="store_true", - default=False, - help="synchronize each translation's alias page (if exists) with that of English page", - ) - parser.add_argument( - "-n", - "--dry-run", - action="store_true", - default=False, - help="show what changes would be made without actually modifying the pages", + parser = create_argument_parser( + "Sets the alias page for all translations of a page" ) parser.add_argument("command", type=str, nargs="?", default="") args = parser.parse_args() @@ -254,46 +239,47 @@ def main(): # A dictionary of all alias page translations global templates templates = get_templates(root) - pages_dirs = [d for d in os.listdir(root) if d.startswith("pages")] - rel_paths = [] + pages_dirs = get_pages_dir(root) + + target_paths = [] # Use '--page' option if args.page != "": - if not args.page.lower().endswith(".md"): - args.page = f"{args.page}.md" - - target_paths = [os.path.join(root, p, args.page) for p in pages_dirs] - target_paths.sort() + target_paths += get_target_paths(args.page, pages_dirs) for path in target_paths: - rel_path = path.replace(f"{root}/", "") - rel_paths.append(rel_path) - status = set_alias_page(path, args.command) + rel_path = "/".join(path.parts[-3:]) + status = set_alias_page(path, args.command, args.dry_run, args.language) if status != "": - print(f"\x1b[32m{rel_path} {status}\x1b[0m") + print(create_colored_line(Colors.GREEN, f"{rel_path} {status}")) # Use '--sync' option elif args.sync: - pages_dirs.remove("pages") - en_page = os.path.join(root, "pages") - platforms = [i for i in os.listdir(en_page) if i not in IGNORE_FILES] + pages_dirs.remove(root / "pages") + en_path = root / "pages" + platforms = [i.name for i in en_path.iterdir() if i.name not in IGNORE_FILES] for platform in platforms: - platform_path = os.path.join(en_page, platform) + platform_path = en_path / platform commands = [ - f"{platform}/{p}" - for p in os.listdir(platform_path) - if p not in IGNORE_FILES + f"{platform}/{page.name}" + for page in platform_path.iterdir() + if page.name not in IGNORE_FILES ] for command in commands: - orig_command = get_alias_page(os.path.join(root, "pages", command)) - if orig_command != "": - rel_paths += sync( - root, pages_dirs, command, orig_command, args.dry_run + original_command = get_alias_page(root / "pages" / command) + if original_command != "": + target_paths += sync( + root, + pages_dirs, + command, + original_command, + args.dry_run, + args.language, ) # Use '--stage' option - if args.stage and not args.dry_run: - subprocess.call(["git", "add", *rel_paths], cwd=root) + if args.stage and not args.dry_run and len(target_paths) > 0: + stage(target_paths) if __name__ == "__main__": diff --git a/scripts/set-more-info-link.py b/scripts/set-more-info-link.py index 44b8aca95..f2b4cf8c3 100755 --- a/scripts/set-more-info-link.py +++ b/scripts/set-more-info-link.py @@ -2,50 +2,65 @@ # SPDX-License-Identifier: MIT """ -This script sets the "More information" link for all translations of a page. -It can be used to add or update the links in translations. +A Python script to add or update the "More information" link for all translations of a page. -Note: Before running this script, ensure that TLDR_ROOT is set to the location -of a clone of https://github.com/tldr-pages/tldr, and 'git' is available. -If there is a symlink error when using the stage flag remove the `pages.en` -directory temporarily and try executing it again. +Note: If the current directory or one of its parents is called "tldr", the script will assume it is the tldr root, i.e., the directory that contains a clone of https://github.com/tldr-pages/tldr +If the script doesn't find it in the current path, the environment variable TLDR_ROOT will be used as the tldr root. Also, ensure 'git' is available. -Usage: python3 scripts/set-more-info-link.py [-p PAGE] [-s] [-S] [-n] [LINK] +Usage: + python3 scripts/set-more-info-link.py [-p PAGE] [-S] [-l LANGUAGE] [-s] [-n] [LINK] -Supported Arguments: - -p, --page Specify the page name in the format "platform/command.md". - This option allows setting the link for a specific page. - -s, --stage Stage modified pages for commit. This option requires 'git' - to be on the $PATH and TLDR_ROOT to be a Git repository. - -S, --sync Synchronize each translation's more information link (if - exists) with that of the English page. This is useful to - ensure consistency across translations. - -n, --dry-run Show what changes would be made without actually modifying the page. +Options: + -p, --page PAGE + Specify the page in the format "platform/command". This option allows setting the link for a specific page. + -S, --sync + Synchronize each translation's "More information" link (if exists) with that of the English page. + -l, --language LANGUAGE + Specify the language, a POSIX Locale Name in the form of "ll" or "ll_CC" (e.g. "fr" or "pt_BR"). + -s, --stage + Stage modified pages (requires 'git' on $PATH and TLDR_ROOT to be a Git repository). + -n, --dry-run + Show what changes would be made without actually modifying the page. Positional Argument: LINK The link to be set as the "More information" link. Examples: 1. Set the link for a specific page: - python3 scripts/set-more-info-link.py -p common/tar.md https://example.com + python3 scripts/set-more-info-link.py -p common/tar https://example.com + python3 scripts/set-more-info-link.py --page common/tar https://example.com - 2. Synchronize more information links across translations: + 2. Read English pages and synchronize the "More information" link across translations: python3 scripts/set-more-info-link.py -S + python3 scripts/set-more-info-link.py --sync - 3. Synchronize more information links across translations and stage modified pages for commit: + 3. Read English pages and synchronize the "More information" link for Brazilian Portuguese pages only: + python3 scripts/set-more-info-link.py -S -l pt_BR + python3 scripts/set-more-info-link.py --sync --language pt_BR + + 4. Read English pages, synchronize the "More information" link across translations and stage modified pages for commit: python3 scripts/set-more-info-link.py -Ss python3 scripts/set-more-info-link.py --sync --stage - 4. Show what changes would be made across translations: + 5. Show what changes would be made across translations: python3 scripts/set-more-info-link.py -Sn python3 scripts/set-more-info-link.py --sync --dry-run """ -import argparse -import os import re -import subprocess from pathlib import Path +from _common import ( + IGNORE_FILES, + Colors, + get_tldr_root, + get_pages_dir, + get_target_paths, + get_locale, + get_status, + stage, + create_colored_line, + create_argument_parser, +) labels = { "en": "More information:", @@ -87,21 +102,33 @@ labels = { "zh": "更多信息:", } -IGNORE_FILES = (".DS_Store",) +def set_link( + path: Path, link: str, dry_run: bool = False, language_to_update: str = "" +) -> str: + """ + Write a "More information" link in a page to disk. -def get_tldr_root() -> Path: - f = Path(__file__).resolve() - return next(path for path in f.parents if path.name == "tldr") + Parameters: + path (string): Path to a page + link (string): The "More information" link to insert. + dry_run (bool): Whether to perform a dry-run, i.e. only show the changes that would be made. + language_to_update (string): Optionally, the language of the translation to be updated. - if "TLDR_ROOT" in os.environ: - return Path(os.environ["TLDR_ROOT"]) - raise SystemError( - "\x1b[31mPlease set TLDR_ROOT to the location of a clone of https://github.com/tldr-pages/tldr." - ) + Returns: + str: Execution status + "" if the page does not need an update or if the locale does not match language_to_update. + "\x1b[36mlink added" + "\x1b[34mlink updated" + "\x1b[36mlink would be added" + "\x1b[34mlink would updated" + """ + locale = get_locale(path) + if language_to_update != "" and locale != language_to_update: + # return empty status to indicate that no changes were made + return "" -def set_link(path: Path, link: str, dry_run=False) -> str: with path.open(encoding="utf-8") as f: lines = f.readlines() @@ -116,13 +143,6 @@ def set_link(path: Path, link: str, dry_run=False) -> str: desc_end = i break - # compute locale - pages_dirname = path.parents[1].name - if "." in pages_dirname: - _, locale = pages_dirname.split(".") - else: - locale = "en" - # build new line if locale in ["bn", "hi", "ne"]: new_line = f"> {labels[locale]} <{link}>।\n" @@ -137,27 +157,18 @@ def set_link(path: Path, link: str, dry_run=False) -> str: # return empty status to indicate that no changes were made return "" - status_prefix = "\x1b[36m" # Color code for pages - if re.search(r"^>.*<.+>", lines[desc_end]): # overwrite last line lines[desc_end] = new_line - status_prefix = "\x1b[34m" action = "updated" else: # add new line lines.insert(desc_end + 1, new_line) - status_prefix = "\x1b[36m" action = "added" - if dry_run: - status = f"link will be {action}" - else: - status = f"link {action}" + status = get_status(action, dry_run, "link") - status = f"{status_prefix}{status}\x1b[0m" - - if not dry_run: + if not dry_run: # Only write to the path during a non-dry-run with path.open("w", encoding="utf-8") as f: f.writelines(lines) @@ -165,6 +176,19 @@ def set_link(path: Path, link: str, dry_run=False) -> str: def get_link(path: Path) -> str: + """ + Determine whether the given path has a "More information" link. + + Parameters: + path (Path): Path to a page + + Returns: + str: "" If the path doesn't exit or does not have a link, + otherwise return the "More information" link. + """ + + if not path.exists(): + return "" with path.open(encoding="utf-8") as f: lines = f.readlines() @@ -187,80 +211,60 @@ def get_link(path: Path) -> str: def sync( - root: Path, pages_dirs: list[str], command: str, link: str, dry_run=False -) -> list[str]: + root: Path, + pages_dirs: list[Path], + command: str, + link: str, + dry_run: bool = False, + language_to_update: str = "", +) -> list[Path]: + """ + Synchronize a "More information" link into all translations. + + Parameters: + root (Path): TLDR_ROOT + pages_dirs (list of Path's): Path's of page entry and platform, e.g. "page.fr/common". + command (str): A command like "tar". + link (str): A link like "https://example.com". + dry_run (bool): Whether to perform a dry-run, i.e. only show the changes that would be made. + language_to_update (str): Optionally, the language of the translation to be updated. + + Returns: + list (list of Path's): A list of Path's to be staged into git, using by --stage option. + """ paths = [] for page_dir in pages_dirs: path = root / page_dir / command if path.exists(): - rel_path = "/".join(path.parts[-3:]) - status = set_link(path, link, dry_run) + status = set_link(path, link, dry_run, language_to_update) if status != "": - paths.append(path) - print(f"\x1b[32m{rel_path} {status}\x1b[0m") + rel_path = "/".join(path.parts[-3:]) + paths.append(rel_path) + print(create_colored_line(Colors.GREEN, f"{rel_path} {status}")) return paths def main(): - parser = argparse.ArgumentParser( - description='Sets the "More information" link for all translations of a page' - ) - parser.add_argument( - "-p", - "--page", - type=str, - required=False, - default="", - help='page name in the format "platform/command.md"', - ) - parser.add_argument( - "-s", - "--stage", - action="store_true", - default=False, - help="stage modified pages (requires `git` to be on $PATH and TLDR_ROOT to be a Git repository)", - ) - parser.add_argument( - "-S", - "--sync", - action="store_true", - default=False, - help="synchronize each translation's more information link (if exists) with that of English page", - ) - parser.add_argument( - "-n", - "--dry-run", - action="store_true", - default=False, - help="show what changes would be made without actually modifying the pages", + parser = create_argument_parser( + 'Sets the "More information" link for all translations of a page' ) parser.add_argument("link", type=str, nargs="?", default="") args = parser.parse_args() root = get_tldr_root() - pages_dirs = [d for d in root.iterdir() if d.name.startswith("pages")] + pages_dirs = get_pages_dir(root) target_paths = [] # Use '--page' option if args.page != "": - if not args.page.lower().endswith(".md"): - args.page = f"{args.page}.md" - arg_platform, arg_page = args.page.split("/") - - for pages_dir in pages_dirs: - page_path = pages_dir / arg_platform / arg_page - if not page_path.exists(): - continue - target_paths.append(page_path) - - target_paths.sort() + target_paths += get_target_paths(args.page, pages_dirs) for path in target_paths: rel_path = "/".join(path.parts[-3:]) - status = set_link(path, args.link) + status = set_link(path, args.link, args.dry_run, args.language) if status != "": - print(f"\x1b[32m{rel_path} {status}\x1b[0m") + print(create_colored_line(Colors.GREEN, f"{rel_path} {status}")) # Use '--sync' option elif args.sync: @@ -272,15 +276,18 @@ def main(): commands = [ f"{platform}/{page.name}" for page in platform_path.iterdir() - if page not in IGNORE_FILES + if page.name not in IGNORE_FILES ] for command in commands: link = get_link(root / "pages" / command) if link != "": - target_paths += sync(root, pages_dirs, command, link, args.dry_run) + target_paths += sync( + root, pages_dirs, command, link, args.dry_run, args.language + ) + # Use '--stage' option if args.stage and not args.dry_run and len(target_paths) > 0: - subprocess.call(["git", "add", *target_paths], cwd=root) + stage(target_paths) if __name__ == "__main__": diff --git a/scripts/set-page-title.py b/scripts/set-page-title.py new file mode 100755 index 000000000..3476a2ed3 --- /dev/null +++ b/scripts/set-page-title.py @@ -0,0 +1,210 @@ +#!/usr/bin/env python3 +# SPDX-License-Identifier: MIT + +""" +A Python script to add or update the page title for all translations of a page. + +Note: If the current directory or one of its parents is called "tldr", the script will assume it is the tldr root, i.e., the directory that contains a clone of https://github.com/tldr-pages/tldr +If the script doesn't find it in the current path, the environment variable TLDR_ROOT will be used as the tldr root. Also, ensure 'git' is available. + +Usage: + python3 scripts/set-page-title.py [-p PAGE] [-S] [-l LANGUAGE] [-s] [-n] [TITLE] + +Options: + -p, --page PAGE + Specify the page in the format "platform/command". This option allows setting the title for a specific page. + -S, --sync + Synchronize each translation's title (if exists) with that of the English page. + -l, --language LANGUAGE + Specify the language, a POSIX Locale Name in the form of "ll" or "ll_CC" (e.g. "fr" or "pt_BR"). + -s, --stage + Stage modified pages (requires 'git' on $PATH and TLDR_ROOT to be a Git repository). + -n, --dry-run + Show what changes would be made without actually modifying the page. + +Positional Argument: + TITLE The title to be set as the title. + +Examples: + 1. Set the title for a specific page: + python3 scripts/set-page-title.py -p common/tar tar + python3 scripts/set-page-title.py --page common/tar tar + + 2. Synchronize titles across translations: + python3 scripts/set-page-title.py -S + python3 scripts/set-page-title.py --sync + + 3. Read English pages and synchronize the title for Brazilian Portuguese pages only: + python3 scripts/set-page-title.py -S -l pt_BR + python3 scripts/set-page-title.py --sync --language pt_BR + + 4. Synchronize titles across translations and stage modified pages for commit: + python3 scripts/set-page-title.py -Ss + python3 scripts/set-page-title.py --sync --stage + + 5. Show what changes would be made across translations: + python3 scripts/set-page-title.py -Sn + python3 scripts/set-page-title.py --sync --dry-run +""" + +from pathlib import Path +from _common import ( + IGNORE_FILES, + Colors, + get_tldr_root, + get_pages_dir, + get_target_paths, + get_locale, + get_status, + stage, + create_colored_line, + create_argument_parser, +) + + +def set_page_title( + path: Path, title: str, dry_run: bool = False, language_to_update: str = "" +) -> str: + """ + Write a title in a page to disk. + + Parameters: + path (string): Path to a page + title (string): The title to insert. + dry_run (bool): Whether to perform a dry-run, i.e. only show the changes that would be made. + language_to_update (string): Optionally, the language of the translation to be updated. + + Returns: + str: Execution status + "" if the page does not need an update or if the locale does not match language_to_update. + "\x1b[36mtitle added" + "\x1b[34mtitle updated" + "\x1b[36mtitle would be added" + "\x1b[34mtitle would updated" + """ + + locale = get_locale(path) + if language_to_update != "" and locale != language_to_update: + # return empty status to indicate that no changes were made + return "" + + new_line = f"# {title}\n" + + # Read the content of the Markdown file + with path.open(encoding="utf-8") as f: + lines = f.readlines() + + if lines[0] == new_line: + # return empty status to indicate that no changes were made + return "" + + status = get_status("updated", dry_run, "title") + + if not dry_run: # Only write to the path during a non-dry-run + lines[0] = new_line + with path.open("w", encoding="utf-8") as f: + f.writelines(lines) + + return status + + +def get_page_title(path: Path) -> str: + """ + Determine whether the given path has a title. + + Parameters: + path (Path): Path to a page + + Returns: + str: "" If the path doesn't exit or does not have a title, + otherwise return the page title. + """ + + if not path.exists(): + return "" + with path.open(encoding="utf-8") as f: + first_line = f.readline().strip() + + return first_line.split("#", 1)[-1].strip() + + +def sync( + root: Path, + pages_dirs: list[Path], + command: str, + title: str, + dry_run: bool = False, + language_to_update: str = "", +) -> list[str]: + """ + Synchronize a page title into all translations. + + Parameters: + root (Path): TLDR_ROOT + pages_dirs (list of Path's): Path's of page entry and platform, e.g. "page.fr/common". + command (str): A command like "tar". + title (str): A title like "tar". + dry_run (bool): Whether to perform a dry-run, i.e. only show the changes that would be made. + language_to_update (str): Optionally, the language of the translation to be updated. + + Returns: + list (list of Path's): A list of Path's to be staged into git, using by --stage option. + """ + paths = [] + for page_dir in pages_dirs: + path = root / page_dir / command + if path.exists(): + status = set_page_title(path, title, dry_run, language_to_update) + if status != "": + rel_path = "/".join(path.parts[-3:]) + paths.append(rel_path) + print(create_colored_line(Colors.GREEN, f"{rel_path} {status}")) + return paths + + +def main(): + parser = create_argument_parser("Sets the title for all translations of a page") + parser.add_argument("title", type=str, nargs="?", default="") + args = parser.parse_args() + + root = get_tldr_root() + pages_dirs = get_pages_dir(root) + + target_paths = [] + + # Use '--page' option + if args.page != "": + target_paths += get_target_paths(args.page, pages_dirs) + + for path in target_paths: + rel_path = "/".join(path.parts[-3:]) + status = set_page_title(path, args.title) + if status != "": + print(create_colored_line(Colors.GREEN, f"{rel_path} {status}")) + + # Use '--sync' option + elif args.sync: + pages_dirs.remove(root / "pages") + en_path = root / "pages" + platforms = [i.name for i in en_path.iterdir() if i.name not in IGNORE_FILES] + for platform in platforms: + platform_path = en_path / platform + commands = [ + f"{platform}/{page.name}" + for page in platform_path.iterdir() + if page.name not in IGNORE_FILES + ] + for command in commands: + title = get_page_title(root / "pages" / command) + if title != "": + target_paths += sync( + root, pages_dirs, command, title, args.dry_run, args.language + ) + + # Use '--stage' option + if args.stage and not args.dry_run and len(target_paths) > 0: + stage(target_paths) + + +if __name__ == "__main__": + main() diff --git a/scripts/test-requirements.txt b/scripts/test-requirements.txt new file mode 100644 index 000000000..e079f8a60 --- /dev/null +++ b/scripts/test-requirements.txt @@ -0,0 +1 @@ +pytest diff --git a/scripts/test.sh b/scripts/test.sh index ecfba227f..cbb27d8c7 100755 --- a/scripts/test.sh +++ b/scripts/test.sh @@ -57,21 +57,38 @@ function run_flake8 { flake8 scripts } +function run_pytest { + # skip pytest check if the command is not available in the system. + if [[ $CI != true ]] && ! exists pytest; then + echo "Skipping pytest check, command not available." + return 0 + fi + + errs=$(pytest scripts/*.py 2>&1 || true) + if [[ ${errs} == *"failed"* ]]; then + echo -e "${errs}" >&2 + return 1 + fi +} + # Default test function, run by `npm test`. function run_tests { find pages* -name '*.md' -exec markdownlint {} + tldr-lint ./pages for f in ./pages.*; do - checks="TLDR003,TLDR004,TLDR015,TLDR104" + checks="TLDR104" if [[ -L $f ]]; then continue + elif [[ $f == *ar* || $f == *bn* || $f == *fa* || $f == *hi* || $f == *ja* || $f == *ko* || $f == *lo* || $f == *ml* || $f == *ne* || $f == *ta* || $f == *th* || $f == *tr* ]]; then + checks+=",TLDR003,TLDR004,TLDR015" elif [[ $f == *zh* || $f == *zh_TW* ]]; then - checks+=",TLDR005" + checks+=",TLDR003,TLDR004,TLDR005,TLDR015" fi tldr-lint --ignore $checks "${f}" done run_black run_flake8 + run_pytest } # Special test function for GitHub Actions pull request builds. diff --git a/scripts/wrong-filename.sh b/scripts/wrong-filename.sh index 11bbd088b..2ab47dd5d 100755 --- a/scripts/wrong-filename.sh +++ b/scripts/wrong-filename.sh @@ -1,4 +1,4 @@ -#!/bin/sh +#!/usr/bin/env bash # SPDX-License-Identifier: MIT # This script checks consistency between the filenames and the page title. @@ -8,19 +8,22 @@ OUTPUT_FILE="inconsistent-filenames.txt" # Remove existing output file (if any) rm -f "$OUTPUT_FILE" +touch "$OUTPUT_FILE" + +IGNORE_LIST=("exclamation mark" "caret" "history expansion" "qm move disk" "umount" "rename") set -e # Iterate through all Markdown files in the 'pages' directories find pages* -name '*.md' -type f | while read -r path; do # Extract the expected command name from the filename - COMMAND_NAME_FILE=$(basename "$path" | head -c-4 | tr '-' ' ' | tr '[:upper:]' '[:lower:]') + COMMAND_NAME_FILE=$(basename "$path" | head -c-4 | sed 's/nix3/nix/' | sed 's/\.fish//' | sed 's/\.js//' | sed 's/\.1//' | tr '-' ' ' | tr '[:upper:]' '[:lower:]') # Extract the command name from the first line of the Markdown file - COMMAND_NAME_PAGE=$(head -n1 "$path" | tail -c+3 | tr '-' ' ' | tr '[:upper:]' '[:lower:]') + COMMAND_NAME_PAGE=$(head -n1 "$path" | tail -c+3 | sed 's/--//' | tr '-' ' ' | tr '[:upper:]' '[:lower:]') # Check if there is a mismatch between filename and content command names - if [ "$COMMAND_NAME_FILE" != "$COMMAND_NAME_PAGE" ]; then + if [[ "$COMMAND_NAME_FILE" != "$COMMAND_NAME_PAGE" && ! ${IGNORE_LIST[*]} =~ $COMMAND_NAME_PAGE ]]; then echo "Inconsistency found in file: $path: $COMMAND_NAME_PAGE should be $COMMAND_NAME_FILE" >> "$OUTPUT_FILE" fi done