├── .github ├── assets │ ├── discord.svg │ └── github.svg └── workflows │ ├── deploy.yml │ ├── lunaria.yml │ └── lychee.yml ├── .gitignore ├── .prettierignore ├── .prettierrc.yaml ├── CONTRIBUTING.md ├── LICENSE ├── README.md ├── docs ├── .vitepress │ ├── config.ts │ ├── fonts │ │ ├── Inter-Bold.otf │ │ ├── Inter-Medium.otf │ │ ├── Inter-Regular.otf │ │ └── Inter-SemiBold.otf │ ├── hooks │ │ ├── Template.vue │ │ ├── meta.ts │ │ ├── opengraph.ts │ │ └── satoriConfig.ts │ ├── locales │ │ ├── README.md │ │ ├── br.ts │ │ ├── en.ts │ │ ├── es.ts │ │ └── ro.ts │ ├── shared.ts │ ├── theme │ │ ├── components │ │ │ └── ChristmasCard.vue │ │ ├── composables │ │ │ └── nprogress.ts │ │ ├── index.ts │ │ └── style.scss │ └── vue-shim.d.ts ├── br │ ├── contribute.md │ ├── download.md │ ├── emulation.md │ ├── glossary.md │ ├── index.md │ ├── linux.md │ ├── mobile.md │ ├── software.md │ ├── unsafe.md │ └── useful.md ├── contribute.md ├── download.md ├── emulation.md ├── es │ ├── contribute.md │ ├── download.md │ ├── emulation.md │ ├── glossary.md │ ├── index.md │ ├── linux.md │ ├── mobile.md │ ├── software.md │ ├── unsafe.md │ └── useful.md ├── glossary.md ├── index.md ├── linux.md ├── mobile.md ├── public │ ├── christmas │ │ ├── front.png │ │ └── pattern.png │ ├── favicon.svg │ ├── home.png │ └── logo.png ├── ro │ ├── contribute.md │ ├── download.md │ ├── emulation.md │ ├── glossary.md │ ├── index.md │ ├── linux.md │ ├── mobile.md │ ├── software.md │ ├── unsafe.md │ └── useful.md ├── software.md ├── unsafe.md └── useful.md ├── lunaria.config.json ├── lunaria ├── components.ts ├── renderer.config.ts └── styles.css ├── lychee.toml ├── package.json ├── pnpm-lock.yaml └── uno.config.ts /.github/assets/discord.svg: -------------------------------------------------------------------------------- 1 | 2 | 4 | 5 | -------------------------------------------------------------------------------- /.github/assets/github.svg: -------------------------------------------------------------------------------- 1 | 2 | 4 | 5 | -------------------------------------------------------------------------------- /.github/workflows/deploy.yml: -------------------------------------------------------------------------------- 1 | name: Deploy 2 | on: [push] 3 | 4 | jobs: 5 | build: 6 | runs-on: ubuntu-22.04 7 | permissions: 8 | contents: read 9 | deployments: write 10 | strategy: 11 | matrix: 12 | node-version: [20] 13 | steps: 14 | - uses: actions/checkout@v4 15 | with: 16 | fetch-depth: 0 17 | - name: Install pnpm 18 | uses: pnpm/action-setup@v4 19 | - name: Use Node.js ${{ matrix.node-version }} 20 | uses: actions/setup-node@v4 21 | with: 22 | node-version: ${{ matrix.node-version }} 23 | cache: 'pnpm' 24 | - name: Install dependencies 25 | run: pnpm install 26 | - name: Build 27 | run: pnpm run build 28 | - name: Publish 29 | uses: cloudflare/pages-action@v1 30 | with: 31 | apiToken: ${{ secrets.CLOUDFLARE_ACCOUNT_TOKEN }} 32 | accountId: ${{ secrets.CLOUDFLARE_ACCOUNT_ID }} 33 | projectName: megathread 34 | directory: docs/.vitepress/dist 35 | gitHubToken: ${{ secrets.GITHUB_TOKEN }} 36 | -------------------------------------------------------------------------------- /.github/workflows/lunaria.yml: -------------------------------------------------------------------------------- 1 | name: Lunaria 2 | 3 | on: 4 | pull_request_target: 5 | types: [opened, synchronize] 6 | branches: [master] 7 | 8 | # Allow this job to clone the repository and comment on the pull request 9 | permissions: 10 | contents: read 11 | pull-requests: write 12 | 13 | jobs: 14 | lunaria-overview: 15 | name: Generate Lunaria Overview 16 | runs-on: ubuntu-latest 17 | strategy: 18 | matrix: 19 | node-version: [20] 20 | steps: 21 | - name: Checkout 22 | uses: actions/checkout@v4 23 | with: 24 | # Necessary for Lunaria to work properly 25 | # Makes the action clone the entire git history 26 | fetch-depth: 0 27 | 28 | - name: Install pnpm 29 | uses: pnpm/action-setup@v4 30 | 31 | - name: Use Node.js ${{ matrix.node-version }} 32 | uses: actions/setup-node@v4 33 | with: 34 | node-version: ${{ matrix.node-version }} 35 | cache: 'pnpm' 36 | 37 | - name: Install dependencies 38 | run: pnpm install 39 | 40 | - name: Generate Lunaria Overview 41 | uses: yanthomasdev/lunaria-action@v0.1.0 42 | -------------------------------------------------------------------------------- /.github/workflows/lychee.yml: -------------------------------------------------------------------------------- 1 | name: Check Markdown links 2 | 3 | on: 4 | workflow_dispatch: 5 | # schedule: 6 | # - cron: '00 18 * * *' # Run once daily at 18:00 UTC 7 | 8 | jobs: 9 | check-links: 10 | runs-on: ubuntu-latest 11 | permissions: 12 | issues: write # required for peter-evans/create-issue-from-file 13 | steps: 14 | - uses: actions/checkout@v4 15 | 16 | - name: Restore lychee cache 17 | uses: actions/cache@v4 18 | with: 19 | path: .lycheecache 20 | key: cache-lychee-${{ github.sha }} 21 | restore-keys: cache-lychee- 22 | 23 | - name: Link Checker 24 | id: lychee 25 | uses: lycheeverse/lychee-action@v2 26 | with: 27 | args: -c lychee.toml './docs/*.md' 28 | token: ${{ secrets.CUSTOM_TOKEN }} 29 | fail: false 30 | 31 | - name: Create Issue From File 32 | if: ${{ steps.lychee.outputs.exit_code }} != 0 33 | uses: peter-evans/create-issue-from-file@v5 34 | with: 35 | title: Link Checker Report 36 | content-filepath: ./lychee/out.md 37 | labels: lychee 38 | -------------------------------------------------------------------------------- /.gitignore: -------------------------------------------------------------------------------- 1 | **/.vitepress/dist 2 | **/.vitepress/cache 3 | 4 | node_modules 5 | logos 6 | package-lock.json 7 | docs/.vitepress/.temp 8 | .lycheecache 9 | -------------------------------------------------------------------------------- /.prettierignore: -------------------------------------------------------------------------------- 1 | **/*.md 2 | pnpm-lock.yaml 3 | -------------------------------------------------------------------------------- /.prettierrc.yaml: -------------------------------------------------------------------------------- 1 | proseWrap: always 2 | semi: false 3 | singleQuote: true 4 | printWidth: 80 5 | trailingComma: none 6 | htmlWhitespaceSensitivity: ignore 7 | -------------------------------------------------------------------------------- /CONTRIBUTING.md: -------------------------------------------------------------------------------- 1 | # Contributing 2 | 3 | You can contribute to the project in various ways: 4 | 5 | - Submissions (software, sites, useful content) 6 | - Translations 7 | 8 | ## Generation 9 | 10 | For site generation, we use [Vitepress](https://vitepress.dev), so you will need a working Node.js 11 | environment installed. Refer to its documentation for making changes to Vitepress itself. 12 | 13 | You can also make changes in your browser using: 14 | [![Open in Codeflow](https://developer.stackblitz.com/img/open_in_codeflow.svg)](https://pr.new/privateersclub/wiki) 15 | 16 | Please look into [StackBlitz's browsers support](https://developer.stackblitz.com/platform/webcontainers/browser-support) for this, as notably Safari and Firefox can be less supported and unusable for this. 17 | 18 | You will also need some hands-on experience with TypeScript if you're going to contribute to 19 | improving internals. 20 | 21 | The root website directory is `docs/`. 22 | 23 | ## Content 24 | 25 | All content resides in the `docs/` folder of the repository. Edit them as you would with normal 26 | Markdown files. 27 | 28 | ## Translations 29 | 30 | See https://vitepress.dev/guide/i18n and [our tracker](https://megathread.pages.dev/_translations). 31 | 32 | There are two things to translate: content and strings used in Vitepress (sidebar, nav, etc.). 33 | 34 | Start by creating a folder in `docs/` and write your content in the same format. 35 | 36 | Then, edit Vitepress strings. This may seem daunting, especially if you haven't used TypeScript or 37 | dealt with configurations like these before, but it shouldn't be overly difficult, and you don't 38 | have to do it too, I (tasky) can take care of it! 39 | 40 | Create your locale file in `docs/.vitepress/locales/.ts`, copying over the format from the 41 | root English file, and start editing. 42 | 43 | Once you're done, add it to Vitepress' config in `docs/.vitepress/config.ts`. If you've come this 44 | far, adding the language shouldn't be too challenging. 45 | -------------------------------------------------------------------------------- /LICENSE: -------------------------------------------------------------------------------- 1 | This is free and unencumbered software released into the public domain. 2 | 3 | Anyone is free to copy, modify, publish, use, compile, sell, or 4 | distribute this software, either in source code form or as a compiled 5 | binary, for any purpose, commercial or non-commercial, and by any 6 | means. 7 | 8 | In jurisdictions that recognize copyright laws, the author or authors 9 | of this software dedicate any and all copyright interest in the 10 | software to the public domain. We make this dedication for the benefit 11 | of the public at large and to the detriment of our heirs and 12 | successors. We intend this dedication to be an overt act of 13 | relinquishment in perpetuity of all present and future rights to this 14 | software under copyright law. 15 | 16 | THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, 17 | EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF 18 | MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. 19 | IN NO EVENT SHALL THE AUTHORS BE LIABLE FOR ANY CLAIM, DAMAGES OR 20 | OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, 21 | ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR 22 | OTHER DEALINGS IN THE SOFTWARE. 23 | 24 | For more information, please refer to 25 | -------------------------------------------------------------------------------- /README.md: -------------------------------------------------------------------------------- 1 | # privateersclub/wiki 2 | 3 | Welcome to the most comprehensive game piracy wiki on the Internet. View it on 4 | https://megathread.pages.dev. 5 | 6 | ## Contribute 7 | 8 | We invite you to contribute and help improve the wiki! 💚 9 | 10 | Here are a few ways you can get involved: 11 | 12 | - **Questions:** If you have questions or need assistance, join our 13 | [Discord](https://discord.gg/jz8dUnnD6Q) server. 14 | - **Suggestions:** Have ideas? We would love to hear them! Join our server to share your suggestions. 15 | - **Make Changes:** Have changes in mind? Send them, we would love to discuss! Read our [contribution guide](https://megathread.pages.dev/contribute). 16 | 17 | ## Follow us 18 | 19 |

20 | Discord  GitHub 21 |

22 | -------------------------------------------------------------------------------- /docs/.vitepress/config.ts: -------------------------------------------------------------------------------- 1 | import { defineConfig } from 'vitepress' 2 | import { sharedConfig } from './shared' 3 | import { enLocale } from './locales/en' 4 | import { brLocale } from './locales/br' 5 | import { esLocale } from './locales/es' 6 | import { roLocale } from './locales/ro' 7 | 8 | export default defineConfig({ 9 | ...sharedConfig, 10 | locales: { 11 | root: { 12 | label: 'English', 13 | lang: 'en', 14 | ...enLocale 15 | }, 16 | br: { 17 | label: 'Brazilian Portuguese', 18 | lang: 'br', 19 | ...brLocale 20 | }, 21 | es: { 22 | label: 'Español', 23 | lang: 'es', 24 | ...esLocale 25 | }, 26 | ro: { 27 | label: 'Română', 28 | lang: 'ro', 29 | ...roLocale 30 | } 31 | } 32 | }) 33 | -------------------------------------------------------------------------------- /docs/.vitepress/fonts/Inter-Bold.otf: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/privateersclub/wiki/01b839a81ec245edd7f1ea3cde14dd96bf108079/docs/.vitepress/fonts/Inter-Bold.otf -------------------------------------------------------------------------------- /docs/.vitepress/fonts/Inter-Medium.otf: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/privateersclub/wiki/01b839a81ec245edd7f1ea3cde14dd96bf108079/docs/.vitepress/fonts/Inter-Medium.otf -------------------------------------------------------------------------------- /docs/.vitepress/fonts/Inter-Regular.otf: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/privateersclub/wiki/01b839a81ec245edd7f1ea3cde14dd96bf108079/docs/.vitepress/fonts/Inter-Regular.otf -------------------------------------------------------------------------------- /docs/.vitepress/fonts/Inter-SemiBold.otf: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/privateersclub/wiki/01b839a81ec245edd7f1ea3cde14dd96bf108079/docs/.vitepress/fonts/Inter-SemiBold.otf -------------------------------------------------------------------------------- /docs/.vitepress/hooks/Template.vue: -------------------------------------------------------------------------------- 1 | 4 | 5 | 69 | -------------------------------------------------------------------------------- /docs/.vitepress/hooks/meta.ts: -------------------------------------------------------------------------------- 1 | import type { HeadConfig, TransformContext } from 'vitepress' 2 | 3 | export function generateMeta(context: TransformContext, hostname: string) { 4 | const head: HeadConfig[] = [] 5 | const { pageData } = context 6 | if (pageData.isNotFound || pageData.frontmatter.exclude) return head 7 | const { relativePath, frontmatter, filePath, lastUpdated } = pageData 8 | 9 | // Guard clause for relativePath 10 | if (!relativePath) { 11 | console.error('relativePath is undefined for file:', filePath) 12 | return head 13 | } 14 | 15 | const url = `${hostname}/${relativePath.replace(/((^|\/)index)?\.md$/, '$2')}` 16 | 17 | head.push( 18 | ['link', { rel: 'canonical', href: url }], 19 | ['meta', { property: 'og:url', content: url }], 20 | ['meta', { name: 'twitter:url', content: url }], 21 | ['meta', { name: 'twitter:card', content: 'summary_large_image' }] 22 | ) 23 | 24 | if (frontmatter.theme) { 25 | head.push(['meta', { name: 'theme-color', content: frontmatter.theme }]) 26 | } 27 | 28 | if (frontmatter.type) { 29 | head.push(['meta', { property: 'og:type', content: frontmatter.type }]) 30 | } 31 | 32 | head.push( 33 | [ 34 | 'meta', 35 | { 36 | property: 'og:description', 37 | content: 38 | frontmatter.customDescription ?? 39 | frontmatter.description ?? 40 | frontmatter.hero.tagline 41 | } 42 | ], 43 | [ 44 | 'meta', 45 | { 46 | name: 'twitter:description', 47 | content: 48 | frontmatter.customDescription ?? 49 | frontmatter.description ?? 50 | frontmatter.hero.tagline 51 | } 52 | ], 53 | ['meta', { property: 'og:title', content: frontmatter.title }], 54 | ['meta', { name: 'twitter:title', content: frontmatter.title }] 55 | ) 56 | 57 | if (frontmatter.image) { 58 | head.push([ 59 | 'meta', 60 | { 61 | property: 'og:image', 62 | content: `${hostname}/${frontmatter.image.replace(/^\//, '')}` 63 | } 64 | ]) 65 | head.push([ 66 | 'meta', 67 | { 68 | name: 'twitter:image', 69 | content: `${hostname}/${frontmatter.image.replace(/^\//, '')}` 70 | } 71 | ]) 72 | } else { 73 | const basePath = relativePath.replace(/index\.md$/, '').replace(/\.md$/, '') 74 | const imageUrl = `${basePath}__og_image__/og.png` 75 | .replace(/\/\//g, '/') 76 | .replace(/^\//, '') 77 | 78 | head.push([ 79 | 'meta', 80 | { property: 'og:image', content: `${hostname}/${imageUrl}` } 81 | ]) 82 | head.push(['meta', { property: 'og:image:width', content: '1098' }]) 83 | head.push(['meta', { property: 'og:image:height', content: '530' }]) 84 | head.push(['meta', { property: 'og:image:type', content: 'image/png' }]) 85 | head.push([ 86 | 'meta', 87 | { property: 'og:image:alt', content: frontmatter.title } 88 | ]) 89 | head.push([ 90 | 'meta', 91 | { name: 'twitter:image', content: `${hostname}/${imageUrl}` } 92 | ]) 93 | head.push(['meta', { name: 'twitter:image:width', content: '1098' }]) 94 | head.push(['meta', { name: 'twitter:image:height', content: '530' }]) 95 | head.push([ 96 | 'meta', 97 | { name: 'twitter:image:alt', content: frontmatter.title } 98 | ]) 99 | } 100 | 101 | if (frontmatter.tag) { 102 | head.push(['meta', { property: 'article:tag', content: frontmatter.tag }]) 103 | } 104 | 105 | if (frontmatter.date) { 106 | head.push([ 107 | 'meta', 108 | { 109 | property: 'article:published_time', 110 | content: frontmatter.date 111 | } 112 | ]) 113 | } 114 | 115 | if (lastUpdated && pageData.frontmatter.lastUpdated !== false) { 116 | head.push([ 117 | 'meta', 118 | { 119 | property: 'article:modified_time', 120 | content: new Date(lastUpdated).toISOString() 121 | } 122 | ]) 123 | } 124 | 125 | return head 126 | } 127 | -------------------------------------------------------------------------------- /docs/.vitepress/hooks/opengraph.ts: -------------------------------------------------------------------------------- 1 | import { mkdir, readFile, writeFile } from 'node:fs/promises' 2 | import { dirname, resolve } from 'node:path' 3 | import { fileURLToPath } from 'node:url' 4 | import type { ContentData, SiteConfig } from 'vitepress' 5 | import { createContentLoader } from 'vitepress' 6 | import { type SatoriOptions, satoriVue } from 'x-satori/vue' 7 | import { renderAsync } from '@resvg/resvg-js' 8 | 9 | const __dirname = dirname(fileURLToPath(import.meta.url)) 10 | const __fonts = resolve(__dirname, '../fonts') 11 | 12 | export async function generateImages(config: SiteConfig): Promise { 13 | const pages = await createContentLoader('**/*.md', { excerpt: true }).load() 14 | const template = await readFile(resolve(__dirname, './Template.vue'), 'utf-8') 15 | 16 | const fonts: SatoriOptions['fonts'] = [ 17 | { 18 | name: 'Inter', 19 | data: await readFile(resolve(__fonts, 'Inter-Regular.otf')), 20 | weight: 400, 21 | style: 'normal' 22 | }, 23 | { 24 | name: 'Inter', 25 | data: await readFile(resolve(__fonts, 'Inter-Medium.otf')), 26 | weight: 500, 27 | style: 'normal' 28 | }, 29 | { 30 | name: 'Inter', 31 | data: await readFile(resolve(__fonts, 'Inter-SemiBold.otf')), 32 | weight: 600, 33 | style: 'normal' 34 | }, 35 | { 36 | name: 'Inter', 37 | data: await readFile(resolve(__fonts, 'Inter-Bold.otf')), 38 | weight: 700, 39 | style: 'normal' 40 | } 41 | ] 42 | 43 | for (const page of pages) { 44 | await generateImage({ 45 | page, 46 | template, 47 | outDir: config.outDir, 48 | fonts 49 | }) 50 | } 51 | return console.info('Generated opengraph images.') 52 | } 53 | 54 | interface GenerateImagesOptions { 55 | page: ContentData 56 | template: string 57 | outDir: string 58 | fonts: SatoriOptions['fonts'] 59 | } 60 | 61 | async function generateImage({ 62 | page, 63 | template, 64 | outDir, 65 | fonts 66 | }: GenerateImagesOptions): Promise { 67 | const { frontmatter, url } = page 68 | 69 | const options: SatoriOptions = { 70 | width: 1200, 71 | height: 628, 72 | fonts, 73 | props: { 74 | title: 75 | frontmatter.layout === 'home' 76 | ? (frontmatter.hero.name ?? frontmatter.title) 77 | : frontmatter.title, 78 | description: 79 | frontmatter.layout === 'home' 80 | ? (frontmatter.hero.tagline ?? frontmatter.description) 81 | : frontmatter.description 82 | } 83 | } 84 | 85 | const svg = await satoriVue(options, template) 86 | 87 | const render = await renderAsync(svg) 88 | 89 | const outputFolder = resolve(outDir, url.slice(1), '__og_image__') 90 | const outputFile = resolve(outputFolder, 'og.png') 91 | 92 | await mkdir(outputFolder, { recursive: true }) 93 | 94 | await writeFile(outputFile, render.asPng()) 95 | } 96 | -------------------------------------------------------------------------------- /docs/.vitepress/hooks/satoriConfig.ts: -------------------------------------------------------------------------------- 1 | import { readFile } from 'node:fs/promises' 2 | import { dirname, resolve } from 'node:path' 3 | import { fileURLToPath } from 'node:url' 4 | import type { SatoriOptions } from 'x-satori/vue' 5 | import { defineSatoriConfig } from 'x-satori/vue' 6 | 7 | const __dirname = dirname(fileURLToPath(import.meta.url)) 8 | const __fonts = resolve(__dirname, '../fonts') 9 | 10 | const fonts: SatoriOptions['fonts'] = [ 11 | { 12 | name: 'Inter', 13 | data: await readFile(resolve(__fonts, 'Inter-Regular.otf')), 14 | weight: 400, 15 | style: 'normal' 16 | }, 17 | { 18 | name: 'Inter', 19 | data: await readFile(resolve(__fonts, 'Inter-Medium.otf')), 20 | weight: 500, 21 | style: 'normal' 22 | }, 23 | { 24 | name: 'Inter', 25 | data: await readFile(resolve(__fonts, 'Inter-SemiBold.otf')), 26 | weight: 600, 27 | style: 'normal' 28 | }, 29 | { 30 | name: 'Inter', 31 | data: await readFile(resolve(__fonts, 'Inter-Bold.otf')), 32 | weight: 700, 33 | style: 'normal' 34 | } 35 | ] 36 | 37 | export default defineSatoriConfig({ 38 | width: 1200, 39 | height: 628, 40 | fonts, 41 | props: { 42 | title: 'Title', 43 | description: 44 | 'Lorem ipsum dolor sit amet, qui minim labore adipisicing minim sint cillum sint consectetur cupidatat.', 45 | dir: '/j' 46 | } 47 | }) 48 | -------------------------------------------------------------------------------- /docs/.vitepress/locales/README.md: -------------------------------------------------------------------------------- 1 | Locales for the website. Take a look at [en.ts](./en.ts) for a full example! 2 | -------------------------------------------------------------------------------- /docs/.vitepress/locales/br.ts: -------------------------------------------------------------------------------- 1 | import { DefaultTheme, LocaleSpecificConfig } from 'vitepress' 2 | 3 | const navbar: DefaultTheme.NavItem[] = [ 4 | { text: 'Começar', link: '/start' }, 5 | { text: 'Contribuir', link: '/contribute' } 6 | ] 7 | 8 | const sidebar: DefaultTheme.Sidebar = [ 9 | { text: 'Glossário', link: '/br/glossary' }, 10 | { text: 'Celular', link: '/br/mobile' }, 11 | { text: 'Programas', link: '/br/software' }, 12 | { text: 'Downloads', link: '/br/download' }, 13 | { text: 'Emulação', link: '/br/emulation' }, 14 | { text: 'Linux', link: '/br/linux' }, 15 | { text: 'Útil', link: '/br/useful' }, 16 | { text: 'Não Seguro', link: '/br/unsafe' } 17 | ] 18 | 19 | export const brLocale: LocaleSpecificConfig = { 20 | ...navbar, 21 | themeConfig: { 22 | sidebar, 23 | editLink: { 24 | pattern: 'https://github.com/privateersclub/wiki/edit/master/docs/:path', 25 | text: 'Sugerir Mudanças' 26 | } 27 | } 28 | } 29 | -------------------------------------------------------------------------------- /docs/.vitepress/locales/en.ts: -------------------------------------------------------------------------------- 1 | import { DefaultTheme, LocaleSpecificConfig } from 'vitepress' 2 | 3 | const navbar: DefaultTheme.NavItem[] = [ 4 | { text: 'Get Started', link: '/start' }, 5 | { text: 'Contribute', link: '/contribute' } 6 | ] 7 | 8 | const sidebar: DefaultTheme.Sidebar = [ 9 | { text: 'Glossary', link: '/glossary' }, 10 | { text: 'Mobile', link: '/mobile' }, 11 | { text: 'Software', link: '/software' }, 12 | { text: 'Download', link: '/download' }, 13 | { text: 'Emulation', link: '/emulation' }, 14 | { text: 'Linux', link: '/linux' }, 15 | { text: 'Useful', link: '/useful' }, 16 | { text: 'Unsafe', link: '/unsafe' } 17 | ] 18 | 19 | export const enLocale: LocaleSpecificConfig = { 20 | ...navbar, 21 | themeConfig: { 22 | sidebar, 23 | editLink: { 24 | pattern: 'https://github.com/privateersclub/wiki/edit/master/docs/:path', 25 | text: 'Suggest Changes' 26 | } 27 | } 28 | } 29 | -------------------------------------------------------------------------------- /docs/.vitepress/locales/es.ts: -------------------------------------------------------------------------------- 1 | import { DefaultTheme, LocaleSpecificConfig } from 'vitepress' 2 | 3 | const navbar: DefaultTheme.NavItem[] = [ 4 | { text: 'Comenzar', link: '/start' }, 5 | { text: 'Contribuir', link: '/contribute' } 6 | ] 7 | 8 | const sidebar: DefaultTheme.Sidebar = [ 9 | { text: 'Glosario', link: '/es/glossary' }, 10 | { text: 'Móvil', link: '/br/mobile' }, 11 | { text: 'Software', link: '/es/software' }, 12 | { text: 'Descargas', link: '/es/download' }, 13 | { text: 'Emulación', link: '/es/emulation' }, 14 | { text: 'Linux', link: '/es/linux' }, 15 | { text: 'De utilidad', link: '/es/useful' }, 16 | { text: 'A evitar', link: '/es/unsafe' } 17 | ] 18 | 19 | export const esLocale: LocaleSpecificConfig = { 20 | ...navbar, 21 | themeConfig: { 22 | sidebar, 23 | editLink: { 24 | pattern: 'https://github.com/privateersclub/wiki/edit/master/docs/:path', 25 | text: 'Sugerir Cambios' 26 | } 27 | } 28 | } 29 | -------------------------------------------------------------------------------- /docs/.vitepress/locales/ro.ts: -------------------------------------------------------------------------------- 1 | import { DefaultTheme, LocaleSpecificConfig } from 'vitepress' 2 | 3 | const navbar: DefaultTheme.NavItem[] = [ 4 | { text: 'Get Started', link: '/ro/start' }, 5 | { text: 'Contribute', link: '/ro/contribute' } 6 | ] 7 | 8 | const sidebar: DefaultTheme.Sidebar = [ 9 | { text: 'Dicționar', link: '/ro/glossary' }, 10 | { text: 'Mobil', link: '/ro/mobile' }, 11 | { text: 'Programe', link: '/ro/software' }, 12 | { text: 'Download', link: '/ro/download' }, 13 | { text: 'Emulare', link: '/ro/emulation' }, 14 | { text: 'Linux', link: '/ro/linux' }, 15 | { text: 'Folositor', link: '/ro/useful' }, 16 | { text: 'Evită', link: '/ro/unsafe' } 17 | ] 18 | 19 | export const roLocale: LocaleSpecificConfig = { 20 | ...navbar, 21 | themeConfig: { 22 | sidebar, 23 | editLink: { 24 | pattern: 'https://github.com/privateersclub/wiki/edit/master/docs/:path', 25 | text: 'Suggest Changes' 26 | } 27 | } 28 | } 29 | -------------------------------------------------------------------------------- /docs/.vitepress/shared.ts: -------------------------------------------------------------------------------- 1 | import { defineConfig } from 'vitepress' 2 | import UnoCSS from 'unocss/vite' 3 | import { generateMeta } from './hooks/meta' 4 | import { generateImages } from './hooks/opengraph' 5 | import { 6 | PageProperties, 7 | PagePropertiesMarkdownSection 8 | } from '@nolebase/vitepress-plugin-page-properties/vite' 9 | import { 10 | GitChangelog, 11 | GitChangelogMarkdownSection 12 | } from '@nolebase/vitepress-plugin-git-changelog/vite' 13 | 14 | export const sharedConfig = defineConfig({ 15 | title: 'privateersclub/wiki', 16 | description: 'The most comprehensive game piracy wiki on the internet.', 17 | base: process.env.BASE_URL || '/', 18 | lang: 'en-US', 19 | lastUpdated: true, 20 | cleanUrls: true, 21 | appearance: 'dark', 22 | titleTemplate: ':title • Wiki', 23 | head: [ 24 | ['meta', { name: 'theme-color', content: '#58D5BA' }], 25 | ['meta', { name: 'og:type', content: 'website' }], 26 | ['meta', { name: 'og:locale', content: 'en' }], 27 | ['link', { rel: 'icon', href: '/favicon.svg' }] 28 | ], 29 | vite: { 30 | optimizeDeps: { 31 | exclude: [ 32 | '@nolebase/vitepress-plugin-enhanced-readabilities/client', 33 | '@nolebase/vitepress-plugin-git-changelog/client', 34 | '@nolebase/vitepress-plugin-page-properties/client' 35 | ] 36 | }, 37 | ssr: { 38 | noExternal: [ 39 | '@nolebase/vitepress-plugin-enhanced-readabilities', 40 | '@nolebase/vitepress-plugin-page-properties', 41 | '@nolebase/vitepress-plugin-git-changelog' 42 | ] 43 | }, 44 | plugins: [ 45 | PageProperties(), 46 | PagePropertiesMarkdownSection(), 47 | GitChangelog({ 48 | maxGitLogCount: 2000, 49 | mapAuthors: [ 50 | { 51 | name: 'taskylizard', 52 | username: 'taskylizard', 53 | avatar: 'https://github.com/taskylizard.png' 54 | }, 55 | { 56 | name: 'taskylizard', 57 | username: 58 | 'taaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaassssssssssssssssssssssssssssssssssssssssssssssssssssky', 59 | avatar: 'https://github.com/taskylizard.png' 60 | }, 61 | { 62 | name: 'Kazevic', 63 | username: 'Kazevic', 64 | avatar: 'https://github.com/kazevic.png' 65 | }, 66 | { 67 | name: 'Nikolay_Avilov', 68 | username: 'djoudx', 69 | avatar: 'https://github.com/Nikolayavilov0.png' 70 | } 71 | ], 72 | repoURL: () => 'https://github.com/privateersclub/wiki' 73 | }), 74 | GitChangelogMarkdownSection(), 75 | UnoCSS() 76 | ] 77 | }, 78 | transformHead: async (context) => 79 | generateMeta(context, 'https://megathread.pages.dev'), 80 | buildEnd(siteConfig) { 81 | generateImages(siteConfig) 82 | }, 83 | themeConfig: { 84 | logo: '/logo.png', 85 | search: { 86 | provider: 'local', 87 | options: { 88 | // Add title ang tags field in frontmatter to search 89 | // You can exclude a page from search by adding search: false to the page's frontmatter. 90 | _render(src, env, md) { 91 | // without `md.render(src, env)`, the some information will be missing from the env. 92 | let html = md.render(src, env) 93 | let tagsPart = '' 94 | let headingPart = '' 95 | let contentPart = '' 96 | let fullContent = '' 97 | const sortContent = () => 98 | [headingPart, tagsPart, contentPart] as const 99 | let { frontmatter, content } = env 100 | 101 | if (!frontmatter) return html 102 | 103 | if (frontmatter.search === false) return '' 104 | 105 | contentPart = content ||= src 106 | 107 | const headingMatch = content.match(/^#{1} .*/m) 108 | const hasHeading = !!( 109 | headingMatch && 110 | headingMatch[0] && 111 | headingMatch.index !== undefined 112 | ) 113 | 114 | if (hasHeading) { 115 | const headingEnd = headingMatch.index! + headingMatch[0].length 116 | headingPart = content.slice(0, headingEnd) 117 | contentPart = content.slice(headingEnd) 118 | } else if (frontmatter.title) { 119 | headingPart = `# ${frontmatter.title}` 120 | } 121 | 122 | const tags = frontmatter.tags 123 | if (tags && Array.isArray(tags) && tags.length) 124 | tagsPart = `Tags: #${tags.join(', #')}` 125 | 126 | fullContent = sortContent().filter(Boolean).join('\n\n') 127 | 128 | html = md.render(fullContent, env) 129 | 130 | return html 131 | } 132 | } 133 | }, 134 | socialLinks: [ 135 | { icon: 'github', link: 'https://github.com/privateersclub/wiki' }, 136 | { icon: 'discord', link: 'https://discord.gg/jz8dUnnD6Q' } 137 | // { 138 | // icon: { 139 | // svg: '' 140 | // }, 141 | // link: 'https://privateer.divolt.xyz' 142 | // } 143 | ] 144 | } 145 | }) 146 | -------------------------------------------------------------------------------- /docs/.vitepress/theme/composables/nprogress.ts: -------------------------------------------------------------------------------- 1 | import nprogress, { type NProgress } from 'nprogress' 2 | import type { EnhanceAppContext } from 'vitepress' 3 | 4 | export function loadProgress(router: EnhanceAppContext['router']): NProgress { 5 | if (typeof window === 'undefined') return 6 | 7 | setTimeout(() => { 8 | nprogress.configure({ showSpinner: false }) 9 | 10 | const cacheBeforeRouteChange = router.onBeforeRouteChange 11 | const cacheAfterRouteChange = router.onAfterRouteChanged 12 | router.onBeforeRouteChange = (to) => { 13 | nprogress.start() 14 | cacheBeforeRouteChange?.(to) 15 | } 16 | router.onAfterRouteChanged = (to) => { 17 | nprogress.done() 18 | cacheAfterRouteChange?.(to) 19 | } 20 | }) 21 | 22 | return nprogress 23 | } 24 | -------------------------------------------------------------------------------- /docs/.vitepress/theme/index.ts: -------------------------------------------------------------------------------- 1 | import { h } from 'vue' 2 | import { type Theme } from 'vitepress' 3 | import DefaultTheme from 'vitepress/theme' 4 | import { 5 | NolebaseEnhancedReadabilitiesMenu, 6 | NolebaseEnhancedReadabilitiesScreenMenu 7 | } from '@nolebase/vitepress-plugin-enhanced-readabilities/client' 8 | import { NolebaseGitChangelogPlugin } from '@nolebase/vitepress-plugin-git-changelog/client' 9 | import { NolebasePagePropertiesPlugin } from '@nolebase/vitepress-plugin-page-properties/client' 10 | import { loadProgress } from './composables/nprogress' 11 | import '@nolebase/vitepress-plugin-enhanced-readabilities/client/style.css' 12 | import '@nolebase/vitepress-plugin-page-properties/client/style.css' 13 | import '@nolebase/vitepress-plugin-git-changelog/client/style.css' 14 | import './style.scss' 15 | import 'uno.css' 16 | 17 | export default { 18 | extends: DefaultTheme, 19 | Layout: () => { 20 | return h(DefaultTheme.Layout, null, { 21 | // An enhanced readabilities menu for wider screens 22 | 'nav-bar-content-after': () => h(NolebaseEnhancedReadabilitiesMenu), 23 | // An enhanced readabilities menu for narrower screens (usually smaller than iPad Mini) 24 | 'nav-screen-content-after': () => 25 | h(NolebaseEnhancedReadabilitiesScreenMenu) 26 | }) 27 | }, 28 | enhanceApp({ router, app }) { 29 | loadProgress(router) 30 | app.use(NolebaseGitChangelogPlugin, { 31 | commitsRelativeTime: true, 32 | hideChangelogHeader: true 33 | }) 34 | app.use( 35 | NolebasePagePropertiesPlugin<{ tags: string[]; progress: number }>(), 36 | [ 37 | { 38 | locales: { 39 | en: [ 40 | { 41 | key: 'tags', 42 | type: 'tags', 43 | title: 'Tags' 44 | }, 45 | { 46 | key: 'createdAt', 47 | type: 'datetime', 48 | title: 'Created at', 49 | formatAsFrom: true, 50 | dateFnsLocaleName: 'enUS' 51 | }, 52 | { 53 | key: 'updatedAt', 54 | type: 'datetime', 55 | title: 'Updated at', 56 | formatAsFrom: true, 57 | dateFnsLocaleName: 'enUS' 58 | }, 59 | { 60 | key: 'wordsCount', 61 | type: 'dynamic', 62 | title: 'Word count', 63 | options: { 64 | type: 'wordsCount' 65 | } 66 | }, 67 | { 68 | key: 'readingTime', 69 | type: 'dynamic', 70 | title: 'Reading time', 71 | options: { 72 | type: 'readingTime', 73 | dateFnsLocaleName: 'enUS' 74 | } 75 | } 76 | ] 77 | } 78 | } 79 | ] 80 | ) 81 | } 82 | } satisfies Theme 83 | -------------------------------------------------------------------------------- /docs/.vitepress/theme/style.scss: -------------------------------------------------------------------------------- 1 | :root { 2 | --vp-c-default-1: theme('colors.neutral.11'); 3 | --vp-c-default-2: theme('colors.neutral.4'); 4 | --vp-c-default-3: theme('colors.neutral.3'); 5 | --vp-c-default-soft: theme('colors.neutral.4'); 6 | 7 | /* Colors: Background */ 8 | --vp-c-bg: theme('colors.neutral.1'); 9 | --vp-c-bg-alt: theme('colors.neutral.2'); 10 | --vp-c-bg-elv: theme('colors.neutral.1'); 11 | --vp-c-bg-soft: theme('colors.neutral.2'); 12 | 13 | --vp-c-brand-1: theme('colors.primary.11'); 14 | --vp-c-brand-2: theme('colors.primary.7'); 15 | --vp-c-brand-3: theme('colors.primary.8'); 16 | --vp-c-brand-soft: theme('colors.primary.4'); 17 | 18 | /* Colors: Button */ 19 | --vp-button-brand-bg: theme('colors.primary.3'); 20 | --vp-button-brand-border: theme('colors.primary.8'); 21 | --vp-button-brand-text: theme('colors.primary.11'); 22 | --vp-button-brand-hover-bg: theme('colors.primary.4'); 23 | --vp-button-brand-hover-border: theme('colors.primary.9'); 24 | --vp-button-brand-hover-text: theme('colors.primary.12'); 25 | --vp-button-brand-active-bg: theme('colors.primary.5'); 26 | --vp-button-brand-active-border: theme('colors.primary.10'); 27 | --vp-button-brand-active-text: theme('colors.primary.12'); 28 | /** Alt button */ 29 | --vp-button-alt-bg: theme('colors.neutral.3'); 30 | --vp-button-alt-border: theme('colors.neutral.8'); 31 | --vp-button-alt-text: theme('colors.neutral.11'); 32 | --vp-button-alt-hover-bg: theme('colors.neutral.4'); 33 | --vp-button-alt-hover-border: theme('colors.neutral.9'); 34 | --vp-button-alt-hover-text: theme('colors.neutral.11'); 35 | --vp-button-alt-active-bg: theme('colors.neutral.5'); 36 | --vp-button-alt-active-border: theme('colors.neutral.10'); 37 | --vp-button-alt-active-text: theme('colors.neutral.12'); 38 | 39 | /* Colors: Custom Block */ 40 | /** Tip custom block */ 41 | --vp-custom-block-tip-bg: theme('colors.primary.2'); 42 | --vp-custom-block-tip-border: theme('colors.primary.7'); 43 | --vp-custom-block-tip-text: theme('colors.primary.11'); 44 | --vp-custom-block-tip-text-deep: theme('colors.primary.12'); 45 | /** Warning custom block */ 46 | --vp-custom-block-warning-bg: theme('colors.warning.2'); 47 | --vp-custom-block-warning-border: theme('colors.warning.7'); 48 | --vp-custom-block-warning-text: theme('colors.warning.11'); 49 | --vp-custom-block-warning-text-deep: theme('colors.warning.12'); 50 | /** Danger custom block */ 51 | --vp-custom-block-danger-bg: theme('colors.danger.2'); 52 | --vp-custom-block-danger-border: theme('colors.danger.7'); 53 | --vp-custom-block-danger-text: theme('colors.danger.11'); 54 | --vp-custom-block-danger-text-deep: theme('colors.danger.12'); 55 | /** Info custom block */ 56 | --vp-custom-block-info-bg: theme('colors.info.2'); 57 | --vp-custom-block-info-border: theme('colors.info.7'); 58 | --vp-custom-block-info-text: theme('colors.info.11'); 59 | --vp-custom-block-info-text-deep: theme('colors.info.12'); 60 | /** Details custom block */ 61 | --vp-custom-block-details-bg: theme('colors.neutral.2'); 62 | --vp-custom-block-details-border: theme('colors.neutral.7'); 63 | --vp-custom-block-details-text: theme('colors.neutral.11'); 64 | --vp-custom-block-details-text-deep: theme('colors.neutral.12'); 65 | 66 | --vp-code-bg: theme('colors.neutral.3'); 67 | 68 | /** 69 | * Colors: Text 70 | * 71 | * - `text-1`: Used for primary text. 72 | * 73 | * - `text-2`: Used for muted texts, such as "inactive menu" or "info texts". 74 | * 75 | * - `text-3`: Used for subtle texts, such as "placeholders" or "caret icon". 76 | * -------------------------------------------------------------------------- */ 77 | 78 | --vp-c-text-1: theme('colors.neutral.11'); 79 | } 80 | 81 | /* Make clicks pass-through */ 82 | #nprogress { 83 | pointer-events: none; 84 | 85 | .bar { 86 | background: var(--vp-c-brand-1); 87 | position: fixed; 88 | z-index: 1031; 89 | top: 0; 90 | left: 0; 91 | width: 100%; 92 | height: 4px; 93 | } 94 | .peg { 95 | display: block; 96 | position: absolute; 97 | right: 0; 98 | width: 100px; 99 | height: 100%; 100 | box-shadow: 101 | 0 0 10px var(--vp-c-brand-1), 102 | 0 0 5px var(--vp-c-brand-1); 103 | opacity: 1; 104 | 105 | -webkit-transform: rotate(3deg) translate(0px, -4px); 106 | -ms-transform: rotate(3deg) translate(0px, -4px); 107 | transform: rotate(3deg) translate(0px, -4px); 108 | } 109 | 110 | .spinner { 111 | display: block; 112 | position: fixed; 113 | z-index: 1031; 114 | top: 15px; 115 | right: 15px; 116 | } 117 | 118 | .spinner-icon { 119 | width: 18px; 120 | height: 18px; 121 | box-sizing: border-box; 122 | 123 | border: solid 2px transparent; 124 | border-top-color: var(--vp-c-brand); 125 | border-left-color: var(--vp-c-brand); 126 | border-radius: 50%; 127 | 128 | -webkit-animation: nprogress-spinner 400ms linear infinite; 129 | animation: nprogress-spinner 400ms linear infinite; 130 | } 131 | } 132 | 133 | .nprogress-custom-parent { 134 | overflow: hidden; 135 | position: relative; 136 | } 137 | 138 | .nprogress-custom-parent #nprogress .spinner, 139 | .nprogress-custom-parent #nprogress .bar { 140 | position: absolute; 141 | } 142 | 143 | @-webkit-keyframes nprogress-spinner { 144 | 0% { 145 | -webkit-transform: rotate(0deg); 146 | } 147 | 148 | 100% { 149 | -webkit-transform: rotate(360deg); 150 | } 151 | } 152 | 153 | @keyframes nprogress-spinner { 154 | 0% { 155 | transform: rotate(0deg); 156 | } 157 | 158 | 100% { 159 | transform: rotate(360deg); 160 | } 161 | } 162 | 163 | .info.custom-block { 164 | --icon: url('data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHdpZHRoPSIyNCIgaGVpZ2h0PSIyNCIgdmlld0JveD0iMCAwIDI0IDI0IiBmaWxsPSJub25lIiBzdHJva2U9ImN1cnJlbnRDb2xvciIgc3Ryb2tlLXdpZHRoPSIyIiBzdHJva2UtbGluZWNhcD0icm91bmQiIHN0cm9rZS1saW5lam9pbj0icm91bmQiIGNsYXNzPSJsdWNpZGUgbHVjaWRlLWluZm8iPjxjaXJjbGUgY3g9IjEyIiBjeT0iMTIiIHI9IjEwIi8+PHBhdGggZD0iTTEyIDE2di00Ii8+PHBhdGggZD0iTTEyIDhoLjAxIi8+PC9zdmc+'); 165 | } 166 | 167 | .tip.custom-block { 168 | --icon: url('data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHdpZHRoPSIyNCIgaGVpZ2h0PSIyNCIgdmlld0JveD0iMCAwIDI0IDI0IiBmaWxsPSJub25lIiBzdHJva2U9ImN1cnJlbnRDb2xvciIgc3Ryb2tlLXdpZHRoPSIyIiBzdHJva2UtbGluZWNhcD0icm91bmQiIHN0cm9rZS1saW5lam9pbj0icm91bmQiIGNsYXNzPSJsdWNpZGUgbHVjaWRlLWxpZ2h0YnVsYiI+PHBhdGggZD0iTTE1IDE0Yy4yLTEgLjctMS43IDEuNS0yLjUgMS0uOSAxLjUtMi4yIDEuNS0zLjVBNiA2IDAgMCAwIDYgOGMwIDEgLjIgMi4yIDEuNSAzLjUuNy43IDEuMyAxLjUgMS41IDIuNSIvPjxwYXRoIGQ9Ik05IDE4aDYiLz48cGF0aCBkPSJNMTAgMjJoNCIvPjwvc3ZnPg=='); 169 | } 170 | 171 | .warning.custom-block { 172 | --icon: url('data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHdpZHRoPSIyNCIgaGVpZ2h0PSIyNCIgdmlld0JveD0iMCAwIDI0IDI0IiBmaWxsPSJub25lIiBzdHJva2U9ImN1cnJlbnRDb2xvciIgc3Ryb2tlLXdpZHRoPSIyIiBzdHJva2UtbGluZWNhcD0icm91bmQiIHN0cm9rZS1saW5lam9pbj0icm91bmQiIGNsYXNzPSJsdWNpZGUgbHVjaWRlLWFsZXJ0LXRyaWFuZ2xlIj48cGF0aCBkPSJtMjEuNzMgMTgtOC0xNGEyIDIgMCAwIDAtMy40OCAwbC04IDE0QTIgMiAwIDAgMCA0IDIxaDE2YTIgMiAwIDAgMCAxLjczLTNaIi8+PHBhdGggZD0iTTEyIDl2NCIvPjxwYXRoIGQ9Ik0xMiAxN2guMDEiLz48L3N2Zz4='); 173 | } 174 | 175 | .danger.custom-block { 176 | --icon: url('data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHdpZHRoPSIyNCIgaGVpZ2h0PSIyNCIgdmlld0JveD0iMCAwIDI0IDI0IiBmaWxsPSJub25lIiBzdHJva2U9ImN1cnJlbnRDb2xvciIgc3Ryb2tlLXdpZHRoPSIyIiBzdHJva2UtbGluZWNhcD0icm91bmQiIHN0cm9rZS1saW5lam9pbj0icm91bmQiIGNsYXNzPSJsdWNpZGUgbHVjaWRlLXNrdWxsIj48Y2lyY2xlIGN4PSI5IiBjeT0iMTIiIHI9IjEiLz48Y2lyY2xlIGN4PSIxNSIgY3k9IjEyIiByPSIxIi8+PHBhdGggZD0iTTggMjB2Mmg4di0yIi8+PHBhdGggZD0ibTEyLjUgMTctLjUtMS0uNSAxaDF6Ii8+PHBhdGggZD0iTTE2IDIwYTIgMiAwIDAgMCAxLjU2LTMuMjUgOCA4IDAgMSAwLTExLjEyIDBBMiAyIDAgMCAwIDggMjAiLz48L3N2Zz4='); 177 | } 178 | 179 | .custom-block-title { 180 | display: inline-flex; 181 | align-items: center; 182 | gap: 8px; 183 | } 184 | 185 | .custom-block-title::before { 186 | content: ''; 187 | width: 16px; 188 | height: 16px; 189 | -webkit-mask: var(--icon) no-repeat; 190 | mask: var(--icon) no-repeat; 191 | -webkit-mask-size: 100% 100%; 192 | mask-size: 100% 100%; 193 | background-color: currentColor; 194 | color: inherit; 195 | } 196 | 197 | /** Generated by coloradix */ 198 | ::-webkit-scrollbar { 199 | width: 0.4rem; 200 | } 201 | 202 | ::-webkit-scrollbar-track { 203 | background: rgb(var(--neutral-2) / 0.5); 204 | } 205 | 206 | ::-webkit-scrollbar-thumb { 207 | background: rgb(var(--neutral-5)); 208 | } 209 | 210 | ::-webkit-scrollbar-thumb:hover { 211 | background: rgb(var(--neutral-8)); 212 | } 213 | 214 | ::-moz-selection { 215 | background: rgb(var(--primary-8)); 216 | color: white; 217 | } 218 | 219 | ::selection { 220 | background: rgb(var(--primary-8)); 221 | color: white; 222 | } 223 | 224 | /** fix for nolebase-git-changelog */ 225 | .vp-nolebase-git-changelog a { 226 | text-decoration: none !important; 227 | } 228 | 229 | .vp-doc a { 230 | color: var(--vp-c-brand-1); 231 | text-decoration: underline; 232 | text-underline-offset: 4px; 233 | text-decoration-style: solid; 234 | text-decoration-color: transparent; 235 | -webkit-text-decoration-color: transparent; 236 | transition: text-decoration-color 0.25s; 237 | font-weight: 600; 238 | &:hover { 239 | color: var(--vp-c-brand-1); 240 | text-decoration-color: var(--vp-c-brand-1); 241 | -webkit-text-decoration-color: var(--vp-c-brand-1); 242 | } 243 | } 244 | 245 | .custom-block { 246 | @apply my-6 rounded-lg border p-4 text-sm !important; 247 | 248 | & a { 249 | @apply text-decoration-underline decoration-dashed underline-offset-2 !important; 250 | } 251 | 252 | &-title { 253 | @apply pb-2 font-semibold tracking-wide last:pb-0; 254 | 255 | code { 256 | color: inherit; 257 | } 258 | } 259 | 260 | &:not(.details) > p { 261 | @apply m-0 !important; 262 | } 263 | 264 | &.info { 265 | & a { 266 | @apply text-info-11; 267 | 268 | &:hover { 269 | @apply text-info-12 decoration-info-12; 270 | } 271 | } 272 | } 273 | 274 | &.tip { 275 | & a { 276 | @apply text-tip-11; 277 | 278 | &:hover { 279 | @apply text-tip-12 decoration-tip-12; 280 | } 281 | } 282 | } 283 | 284 | &.warning { 285 | & a { 286 | @apply text-warning-11; 287 | 288 | &:hover { 289 | @apply text-warning-12 decoration-warning-12; 290 | } 291 | } 292 | } 293 | 294 | &.danger { 295 | & a { 296 | @apply text-danger-11; 297 | 298 | &:hover { 299 | @apply text-danger-12 decoration-danger-12; 300 | } 301 | } 302 | } 303 | } 304 | -------------------------------------------------------------------------------- /docs/.vitepress/vue-shim.d.ts: -------------------------------------------------------------------------------- 1 | /* eslint-disable ts/consistent-type-imports */ 2 | declare module '*.vue' { 3 | const component: import('vue').Component 4 | export default component 5 | } 6 | -------------------------------------------------------------------------------- /docs/br/contribute.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: Guia de Contribução 3 | description: Como contribuir para o wiki. 4 | --- 5 | -------------------------------------------------------------------------------- /docs/br/download.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: Downloads 3 | description: Sites e tudo para downloads diretos. 4 | tags: 5 | - downloads 6 | - torrents 7 | - repacks 8 | - linux 9 | --- 10 | 11 | # Downloads 12 | 13 | Sites e tudo para downloads diretos. 14 | 15 | ## Sites de Downloads Diretos 16 | 17 | Downloads diretos são downloads normais por um servidor, sendo mais seguros e não exigindo uma VPN. 18 | Você deve precisar de uma VPN para acessar sites de hospedagem de arquivos (como o Rapidgator em 19 | alguns países da UE). Veja a 20 | [seção de gerenciadores de downloads](/software#gerenciadores-de-downloads) para obter ajuda no 21 | gerenciamento de seus downloads. 22 | 23 | - [:star2: CS.RIN.RU](https://cs.rin.ru/forum) - Fórum de pirataria de jogos / Requer 24 | conta / [Mod de aprimoramento](https://github.com/SubZeroPL/cs-rin-ru-enhanced-mod) / Senha: `cs.rin.ru` 25 | - [:star2: SteamGG](https://steamgg.net) 26 | - [:star2: SteamRIP](https://steamrip.com) - Jogos da Steam 27 | - [:star2: AnkerGames](https://ankergames.net) 28 | - [:star2: Game Bounty](https://gamebounty.world) 29 | - [:star2: GOG Games](https://gog-games.to) / [Torrents](https://freegogpcgames.com) - Jogos da GOG 30 | - [World of PC Games](https://worldofpcgames.com) 31 | - [CG-gamesPC](https://www.cg-gamespc.com) 32 | - [GameDrive](https://gamedrive.org) 33 | - [Ova Games](https://www.ovagames.com) / Senha: `www.ovagames.com` 34 | - [GLOAD](https://gload.to/pc) - Lançamentos da Cena e P2P 35 | - [Scnlog](https://scnlog.me/games) - Lançamentos da Cena 36 | - [Gamdie](https://gamdie.com) - Jogos indie 37 | - [Appnetica](https://appnetica.com) - Jogos indie 38 | - [DigitalZone](https://digital-zone.xyz) - Jogos indie 39 | - [AtopGames](https://atopgames.com) - Jogos indie 40 | - [Leechinghell](http://www.leechinghell.pw) - Jogos multijogador LAN 41 | - [Wendy's Forum](https://wendysforum.net/index.php?action=forum) - HOGs / Requer conta 42 | - [AppCake](https://iphonecake.com/index.php?device=0&p=1&c=8) - Jogos e aplicativos de macOS e iOS 43 | - [NMac](https://nmac.to/category/games) - Jogos e aplicativos de macOS 44 | - [AppKed](https://www.macbed.com/games) - Jogos e aplicativos de macOS 45 | - [Cmacked](https://cmacked.com) - Jogos e aplicativos de macOS 46 | - [ARMGDDN Games](https://t.me/ARMGDDNGames) / [Navegador](https://cs.rin.ru/forum/viewtopic.php?f=14&t=140593) - Jogos de PCVR 47 | - [My Abandonware](https://www.myabandonware.com) - Jogos antigos 48 | - [Old-Games.RU](https://www.old-games.ru/catalog/) - Jogos antigos / Mude para inglês no canto superior direito 49 | - [F95zone](https://f95zone.to) - Jogos NSFW / Requer conta 50 | - [Software Library: MS-DOS Games](https://archive.org/details/softwarelibrary_msdos_games?and[]=mediatype%3A%22software%22) - 51 | Jogos de MS-DOS 52 | - [Prism Launcher](https://prismlauncher.org) - 53 | Minecraft Java / [Jogar sem conta legítima](https://github.com/antunnitraj/Prism-Launcher-PolyMC-Offline-Bypass) 54 | - [Moriya Shrine](https://moriyashrine.org) - Touhou 55 | 56 | ## Sites de Torrents 57 | 58 | Torrents são downloads P2P de outros usuários, sem servidores. Você precisará de uma VPN para 59 | torrentear com segurança e evitar avisos de copyright do seu provedor, a menos que seu país tolere 60 | pirataria. Veja a [seção de VPNs](software.md#vpns) para mais informações. 61 | 62 | - [:star2: 1337x](https://1337x.to/sub/10/0/) / [Uploaders seguros (exceto FileCR)](https://www.reddit.com/r/Piracy/comments/nudfgn/me_after_reading_the_megathread/h0yr0q6/?context=3) 63 | - [Melhorias de interface](https://greasyfork.org/scripts/33379-1337x-torrent-page-improvements) 64 | - [Links de ímãs](https://greasyfork.org/scripts/420754-1337x-torrent-and-magnet-links) 65 | - [Correção do fuso horário](https://greasyfork.org/scripts/421635-1337x-convert-torrent-timestamps-to-relative-format) 66 | - [Links de legendas para filmes e TV](https://greasyfork.org/scripts/29467-1337x-subtitle-download-links-to-tv-and-movie-torrents) 67 | - [:star2: RuTracker](https://rutracker.org/forum/index.php?c=19) / [Pesquisa de torrents](https://addons.mozilla.org/firefox/addon/rutracker_torrent_search) / [Tradutor](useful.md#translator) 68 | - [Rutor](http://rutor.info/games) / [Tradutor](useful.md#translator) 69 | - [Rustorka](https://rustorka.com/forum/index.php?c=6) / [Tradutor](useful.md#translator) 70 | - [Mac Torrents](https://www.torrentmac.net/category/games) - Jogos e aplicativos de macOS 71 | 72 | ## Repacks 73 | 74 | Repacks são jogos compactados para usuários com pouca largura de banda, mas os instalar demora mais 75 | devido à descompressão de arquivos. 76 | 77 | - [:star2: DODI Repacks](https://dodi-repacks.site) 78 | - [:star2: FitGirl Repacks](https://fitgirl-repacks.site) 79 | - [:star2: ElAmigos](https://elamigos.site) - Use os espelhos do GLOAD ou do Ova Games para downloads rápidos grátis. 80 | - [:star2: KaOsKrew](https://kaoskrew.org/viewforum.php?f=13&sid=c2dac73979171b67f4c8b70c9c4c72fb) 81 | - [Xatab](https://byxatab.org) 82 | - [Chovka](http://rutor.info/browse/0/8/1642915/0), [2](https://repack.info) 83 | - [R.G. Mechanics](https://tapochek.net/viewforum.php?f=808) / Requer conta 84 | - [ScOOt3r Repacks](https://game-repack.site/scooter) - Mudou-se para o KaOsKrew em junho de 2024. 85 | - [Masquerade Repacks](https://web.archive.org/web/20220616203326/https://masquerade.site) - Repacks 86 | de até maio de 2022. Mudou-se para o KaOsKrew em junho de 2022. 87 | - [Tiny Repacks](https://www.tiny-repacks.win) 88 | - [ZAZIX](https://1337x.to/user/ZAZIX/) 89 | - [Gnarly Repacks](https://rentry.org/gnarly_repacks) - Jogos de console emulados 90 | - [KAPITALSIN](https://kapitalsin.com/forum) - Fórum de repacks de jogos (ocasionalmente tem repacks com perdas, ou 91 | comprimidos) / [Tradutor](useful.md#translator) 92 | - [M4CKD0GE Repacks](https://m4ckd0ge-repacks.site) 93 | - [MagiPack Games](https://www.magipack.games) - Jogos antigos 94 | - [The Collection Chamber](https://collectionchamber.blogspot.com) - Jogos antigos 95 | - [CPG Repacks](https://cpgrepacks.site) - Jogos de anime NSFW 96 | -------------------------------------------------------------------------------- /docs/br/emulation.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: Emulação 3 | description: Sites de ROMs, emuladores, páginas de discussão e mais. 4 | --- 5 | 6 | # Emulação 7 | 8 | Sites de ROMs, emuladores, páginas de discussão e mais. 9 | 10 | ## Sites de ROMs 11 | 12 | - [:star2: r/Roms Megathread](https://r-roms.github.io) 13 | - [:star2: Crocdb](https://crocdb.net) 14 | - [:star2: CDRomance](https://cdromance.com) 15 | - [DLPSGAME](https://dlpsgame.com) 16 | - [Edge Emulation](https://edgeemu.net) 17 | - [The ROM Depot](https://theromdepot.com) / Requer conta 18 | - [Vimm's Lair](https://vimm.net/vault) 19 | - [Emuparadise](https://www.emuparadise.me/roms-isos-games.php) / 20 | [Guia de download alternativo](https://lemmy.world/post/3061617) 21 | - [NoPayStation](https://nopaystation.com) - Jogos de PlayStation 1, Vita, 3 e Portable 22 | - [Ziperto](https://www.ziperto.com) - Jogos da Nintendo 23 | - [NSW2u](https://nsw2u.com) - Jogos de Nintendo Switch 24 | - [NXBrew](https://nxbrew.net) - Jogos de Nintendo Switch 25 | 26 | ## Emuladores 27 | 28 | :::tip 29 | Veja a 30 | **[Emulation General Wiki](https://emulation.gametechwiki.com/index.php/Main_Page#Emulators)** para 31 | mais. 32 | 33 | Alguns emuladores requerem arquivos adicionais (chaves ou BIOS) e estão marcadas com um “:gear:”. Você pode 34 | obtê-los [aqui](https://r-roms.github.io/megathread/misc/#bios-files). 35 | ::: 36 | 37 | - [Batocera.linux](https://batocera.org) - Distro de jogos retrô 38 | - [Winlator](https://winlator.org) - Jogos de Windows 39 | - [:gear: RetroArch](https://retroarch.com) - Jogos de múltiplos consoles / Evite os núcleos do PPSSPP, Dolphin e 40 | Citra 41 | - [:gear: Ares](https://ares-emu.net) - Jogos de múltiplos consoles / Evite os núcleos de Neo Geo, PlayStation 1 e Game Boy 42 | Advance 43 | - [:gear: Kenji-NX](https://github.com/KeatonTheBot/Kenji-NX) / [:gear: Citron](https://git.citron-emu.org/Citron/Citron) - Jogos de Nintendo Switch 44 | - [shadPS4](https://shadps4.net) - Jogos de PlayStation 4 45 | - [Cemu](https://cemu.info) ([Android](https://github.com/SSimco/Cemu)) - Jogos de Wii U 46 | - [:gear: Vita3K](https://vita3k.org) - Jogos de PlayStation Vita 47 | - [Azahar](https://azahar-emu.org) - Jogos de Nintendo 3DS 48 | - [Dolphin Emulator](https://dolphin-emu.org) - Jogos de Wii e GameCube 49 | - [RPCS3](https://rpcs3.net) ([Android](https://github.com/DHrpcs3/rpcs3-android)) - Jogos de PlayStation 3 50 | - [xenia](https://xenia.jp) - Jogos de Xbox 360 51 | - [:gear: MAME](https://www.mamedev.org) - Jogos de fliperama 52 | - [PPSSPP](https://www.ppsspp.org) - Jogos de PlayStation Portable 53 | - [melonDS](https://melonds.kuribo64.net) ([Android](https://github.com/rafaelvcaetano/melonDS-android)) / [DeSmuME](https://desmume.org) - Jogos de Nintendo DS 54 | - [No$GBA](https://www.nogba.com) - Jogos de Nintendo DS e Game Boy Advance 55 | - [:gear: xemu](https://xemu.app) - Jogos de Xbox original 56 | - [mGBA](https://mgba.io) - Jogos de Game Boy Advance 57 | - [:gear: PCSX2](https://pcsx2.net) - Jogos de PlayStation 2 58 | - [Parallel Launcher](https://parallel-launcher.ca) - Jogos de Nintendo 64 59 | - [:gear: DuckStation](https://www.duckstation.org) - Jogos de PlayStation 1 60 | - [bsnes](https://github.com/bsnes-emu/bsnes) / [Snes9x](https://www.snes9x.com) - Jogos de Super Nintendo Entertainment 61 | System 62 | - [WePlayDOS Games](https://weplaydos.games) - Jogos de navegador de MS-DOS 63 | 64 | ## Subreddits Relacionados 65 | 66 | - [r/Roms](https://www.reddit.com/r/roms) 67 | - [r/EmulationPiracy](https://reddit.com/r/EmulationPiracy) 68 | - [r/SwitchHacks](https://www.reddit.com/r/SwitchHacks) 69 | - [r/SwitchHaxing](https://www.reddit.com/r/SwitchHaxing) 70 | - [r/ps4homebrew](https://www.reddit.com/r/ps4homebrew) 71 | - [r/WiiUHacks](https://www.reddit.com/r/WiiUHacks) 72 | - [r/3dshacks](https://www.reddit.com/r/3dshacks) 73 | - [r/vitahacks](https://www.reddit.com/r/vitahacks) 74 | - [r/VitaPiracy](https://www.reddit.com/r/VitaPiracy) 75 | - [r/WiiHacks](https://www.reddit.com/r/WiiHacks) 76 | - [r/ps3homebrew](https://www.reddit.com/r/ps3homebrew) 77 | -------------------------------------------------------------------------------- /docs/br/glossary.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: Glossário 3 | description: Respostas para algumas das perguntas mais comuns. 4 | --- 5 | 6 | # Glossário 7 | 8 | Esta página ajuda a resumir alguns tópicos básicos sobre a cena da pirataria. Isso também serve como 9 | material de referência para revisar rapidamente. 10 | 11 | ## Termos 12 | 13 | :::tip O que é a Cena? E P2P? 14 | A Cena é uma comunidade underground de pessoas que crackeiam e 15 | compartilham material protegido por direitos autorais. Eles têm regras estritas que todos os membros 16 | da cena devem seguir. Os P2P são crackers independentes que não seguem as [regras da Cena](https://scenerules.org). 17 | ::: 18 | 19 | :::tip O que são NFOs? 20 | NFOs são como um leiame.txt que a Cena faz nos lançamentos. Ele te dá 21 | instruções, uma descrição geral do jogo e informações adicionais. 22 | ::: 23 | 24 | :::tip Por que o site X tem tantos anúncios? 25 | **Use um bloqueador de anúncios**. Anúncios mantêm os 26 | sites funcionando, mas às vezes o anúncio arruina a experiência ou até mesmo pode se ligar a malware. 27 | Você pode seguir estes passos se quiser uma experiência sem anúncios: 28 | 29 | ### Android 30 | 31 | Instale o [**Firefox**](https://play.google.com/store/apps/details?id=org.mozilla.firefox) e 32 | adicione o [**uBlock Origin**](https://addons.mozilla.org/android/addon/ublock-origin). Isso deve 33 | ser mais que o bastante. Se você quiser suporte no sistema todo, experimente o 34 | [**AdGuard**](https://adguard.com/adguard-android/overview.html) ou o 35 | [**NextDNS**](https://nextdns.io). Você pode ver [**este vídeo**](https://youtu.be/WUG57ynLb8I) se 36 | precisar de ajuda. 37 | 38 | ### PC 39 | 40 | Instale o [**uBlock Origin**](https://ublockorigin.com) no seu navegador e pronto! Se você quiser 41 | uma solução para todo o sistema, você _pode_ usar o [**NextDNS**](https://nextdns.io), mas ele não 42 | será tão efetivo quanto o uBlock Origin. Você também pode usar o 43 | [Bypass All Shortlinks](https://codeberg.org/Amm0ni4/bypass-all-shortlinks-debloated) ou 44 | o [Bypass.city](https://bypass.city) para _contornar_ redirecionamentos. 45 | 46 | ### iOS 47 | 48 | O [**NextDNS**](https://nextdns.io) deve cobrir tudo para bloqueio de anúncios e rastreadores no sistema todo. Você 49 | também pode experimentar o [**AhaDNS**](https://ahadns.com). 50 | ::: 51 | 52 | :::tip Eu preciso de uma VPN ao baixar? 53 | A necessidade de usar uma VPN depende do método de download. Para downloads diretos, uma VPN é geralmente desnecessária. 54 | Porém, se você está interagindo com atividades ponto a ponto (P2P) como torrents, é aconselhável usar uma VPN para maior 55 | segurança e privacidade. Além disso, as ramificações legais em sua área tem um papel crucial; se as consequências forem 56 | brandas, vocẽ pode optar por não usar uma VPN. 57 | ::: 58 | 59 | :::tip Por que o meu download é tão lento? 60 | Use um gerenciador de downloads. Alguns sites impõem 61 | limites de transferência de arquivos para um único thread, restringindo assim as velocidades de 62 | download. Gerenciadores de download superam essa limitação aproveitando vários threads para o 63 | download, resultando em velocidades de download mais rápidas. Temos algumas recomendações 64 | [aqui](/software#gerenciadores-de-downloads). 65 | ::: 66 | -------------------------------------------------------------------------------- /docs/br/index.md: -------------------------------------------------------------------------------- 1 | --- 2 | layout: home 3 | title: Início 4 | 5 | hero: 6 | name: privateersclub/wiki 7 | tagline: Bem-vindo(a) ao wiki de pirataria de jogos mais abrangente da Internet. 8 | image: 9 | src: /home.png 10 | alt: privateersclub 11 | actions: 12 | - text: Começar 13 | link: /br/glossary 14 | - text: Contribuir 15 | link: /br/contribute 16 | - text: Traduções 17 | link: /_translations 18 | 19 | features: 20 | - icon: ✏️ 21 | title: Ativamente Atualizado 22 | details: Nosso wiki é ativamente mantido pelos membros dedicados de nossa comunidade. 23 | - icon: 🌐 24 | title: Traduções 25 | details: 26 | O wiki é elegantemente traduzido para várias línguas, garantindo que você possa explorar seu 27 | conteúdo com facilidade e conforto máximos! 28 | - icon: 🌟 29 | title: Escolhas Favoritas 30 | details: 31 | Regularmente selecionamos os melhores sites para você e enfatizamos sua importância, para que 32 | você possa ficar tranquilo(a). 33 | --- 34 | -------------------------------------------------------------------------------- /docs/br/linux.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: Linux 3 | description: Tudo sobre pirataria no Linux. 4 | tags: 5 | - linux 6 | - discussion 7 | - glossary 8 | - download 9 | - tools 10 | - torrent 11 | --- 12 | 13 | # Linux 14 | 15 | Tudo sobre pirataria no Linux. 16 | 17 | ::: info Qual a melhor distribuição Linux para jogar? 18 | Nenhuma. Nenhuma delas lhe fornecerá o desempenho que afirmam que vocè não pode conseguir sozinho(a) ao usar uma distribuição comum com as últimas atualizações. 19 | 20 | Então, para ter o melhor desempenho, deve-se apenas instalar as últimas atualizações. Todas as distribuições Linux possuem os mesmos pacotes e fornecem atualização the sames packages and provide updates. Some provide them faster than others. So any distribution that updates its packages the soonest after upstream, is good in our opinion. 21 | ::: 22 | 23 | ::: danger Tome cuidado com o que você pesquisa/lê online! 24 | Tome cuidado com o que você pesquisa/lê online na Internet, é senso comum que não se deve acreditar em tudo que se vê online. 25 | 26 | Nem tudo funcionará da forma que você pensa que ele *deve funcionar*, às vezes o conselho online está desatualizado ou é apenas **incompatível**, então tenha certeza de que o que está vendo funcionará para o seu sistema, antes de executar qualquer comando ou mudar as configurações e quebrar seu sistema no processo. 27 | 28 | Se você precisa de um guia, o [Wiki do Arch](https://wiki.archlinux.org/title/Main_page_(Portugu%C3%AAs)) é bom e funciona universalmente para a maioria das distribuições, não só Arch. 29 | ::: 30 | 31 | ## Downloads 32 | 33 | ### Sites de Downloads Diretos 34 | 35 | - [:star2: Torrminatorr](https://forum.torrminatorr.com) - Fórum de jogos da GOG, Linux e 36 | lançamentos da Cena / Requer conta 37 | - [:star2: KAPITALSIN](https://kapitalsin.com/forum) - Fórum de repacks de jogos (ocasionalmente tem repacks 38 | com perdas, ou comprimidos) / [Tradutor](useful.md#translator) 39 | - [:star2: CS.RIN.RU](https://cs.rin.ru/forum) - Fórum de pirataria de jogos / Requer conta / [Mod de aprimoramento](https://github.com/SubZeroPL/cs-rin-ru-enhanced-mod) / Senha: `cs.rin.ru` 40 | 41 | ### Sites de Torrents 42 | 43 | - [:star2: johncena141](https://1337x.to/user/johncena141/) - Jogos de Linux 44 | - [:star2: RuTracker](https://rutracker.org/forum/viewforum.php?f=899) - Jogos de Linux / [Tradutor](useful.md#translator) 45 | 46 | ## Programas 47 | 48 | ### Kernels 49 | 50 | ::: danger 51 | Kerneis modificados podem mudar consideravelmente o comportamento do seu sistema, [desativar mitigações de segurança](https://wiki.archlinux.org/title/Kernel_parameters_(Portugu%C3%AAs)) e causar todo tipo de problema de instabilidade e confiabilidade. Recomenda-se manter[cópias de segurança](https://wiki.archlinux.org/title/System_maintenance_(Portugu%C3%AAs)) e um kernel e uma cópia do kernel instalada para bootar para, pelo GRUB. 52 | ::: 53 | 54 | - [linux-zen](https://github.com/zen-kernel/zen-kernel) - Kernel confiável com patches para usuários casuais 55 | - [XanMod Stable Real-time](https://xanmod.org) 56 | - [Liquorix](https://liquorix.net) 57 | - [Kernel Clear Linux](https://github.com/clearlinux-pkgs/linux) - Para sistemas da Intel, muito útil para servidores 58 | - [linux-tkg](https://github.com/Frogging-Family/linux-tkg) - Requer compilação própria. 59 | 60 | ### Launchers 61 | 62 | - [:star2: Lutris](https://lutris.net) - Launcher de jogos 63 | - [:star2: Heroic Games Launcher](https://heroicgameslauncher.com) - Launcher da Epic, GOG e 64 | Amazon Prime Games 65 | - [Minigalaxy](https://sharkwouter.github.io/minigalaxy) - Cliente da GOG 66 | - [Bottles](https://usebottles.com) - Gerenciador de programas do Windows 67 | 68 | ### Ferramentas 69 | 70 | - [MangoHud](https://github.com/flightlessmango/MangoHud) - Sobreposição para monitorar o desempenho / [GUI](https://github.com/benjamimgois/goverlay) 71 | - [ProtonUp-Qt](https://github.com/DavidoTek/ProtonUp-Qt) / [ProtonPlus](https://github.com/Vysp3r/ProtonPlus) - Gerenciadores de ferramentas de compatibilidade baseadas no Wine e Proton 72 | - [Winetricks](https://github.com/Winetricks/winetricks) - Correções e ajustes do Wine 73 | - [DiscordOverlayLinux](https://github.com/trigg/Discover) - Sobreposição do Discord para Linux 74 | - [Luxtorpeda](https://github.com/luxtorpeda-dev/luxtorpeda) - Camada de compatibilidade do Steam Play para jogos 75 | - [GameHub](https://tkashkin.github.io/projects/gamehub) - Hub de jogos unificada 76 | 77 | ## Sites 78 | 79 | - [ProtonDB](https://www.protondb.com) - Relatórios e correções de compatibilidade do Proton. 80 | - [AppDB](https://appdb.winehq.org) - Rastreador do Wine para rastrear relatórios e avaliações dos jogos. 81 | - [GamingOnLinux](https://www.gamingonlinux.com) 82 | - [The Linux Gamers' Game List](https://www.icculus.org/lgfaq/gamelist.php) - Jogos que rodam nativamente no Linux 83 | - [Arch Wiki / Gaming](https://wiki.archlinux.org/index.php/Gaming) - Tudo sobre dicas de configurações para rodar jogos 84 | - [LibreGameWiki](https://libregamewiki.org/Main_Page) 85 | - [Open Source Game Clones](https://osgameclones.com) - Remakes/clones de jogos de código aberto 86 | 87 | ## Guias 88 | 89 | - [:star2: Linux Gaming Wiki](https://linux-gaming.kwindu.eu/index.php) 90 | - [:star2: Instalar repacks com o Lutris](https://www.reddit.com/r/LinuxCrackSupport/comments/yqfirv/how_to_install_fitgirl_or_dodi_windows_repacks_in) 91 | / [Correção para erros de DLL](https://reddit.com/r/LinuxCrackSupport/comments/tirarp/psa_when_installing_repacks_with_custom_wine) 92 | 93 | ## Subreddits Relacionados 94 | 95 | - [r/LinuxCrackSupport](https://www.reddit.com/r/LinuxCrackSupport) 96 | - [r/linux_gaming](https://www.reddit.com/r/linux_gaming) 97 | -------------------------------------------------------------------------------- /docs/br/mobile.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: Celular 3 | description: Sites para Android e iOS. 4 | tags: 5 | - downloads 6 | - android 7 | - ios 8 | --- 9 | 10 | # Celular 11 | 12 | Esta seção é para jogos e aplicativos de Android e iOS. Temos seções separadas para cada plataforma e uma seção para aplicativos de sideloading e utilitários. 13 | 14 | ### Android 15 | 16 | #### Aplicativos e Jogos 17 | 18 | - :star2: [Mobilism](https://forum.mobilism.me) - Aplicativos e jogos 19 | - [ApkVision](https://apkvision.org) - Jogos 20 | - [PDALIFE](https://pdalife.com) - Jogos 21 | - [Androeed](https://androeed.store) - Jogos 22 | - [APKHome](https://apkhome.io) - Jogos 23 | - [LITEAPKS](https://liteapks.com) - Aplicativos e jogos modificados 24 | - [RB Mods](https://www.rockmods.net) - Aplicativos 25 | 26 | #### Sideloading e Utilitários 27 | 28 | - [Aurora Store](https://auroraoss.com/) - Cliente FOSS para a Play Store 29 | - [APKMirror](https://www.apkmirror.com/) - APKs intocados 30 | - [Droid-ify](https://github.com/Droid-ify/client) - Cliente do F-Droid 31 | - [Obtainium](https://github.com/ImranR98/Obtainium/) - Atualizador de aplicativos baseado no código-fonte 32 | 33 | ### iOS 34 | 35 | #### Aplicativos e Jogos 36 | 37 | - [BabylonIPA](https://t.me/BabylonIPA) - Jogos modificados 38 | - [IPADark](https://t.me/ipa_dark) - Jogos pagos 39 | - [GLESign](https://t.me/glesign) - Jogos portados 40 | - [CodeVN](https://ios.codevn.net) - Aplicativos e Jogos 41 | - [AnyIPA](https://anyipa.me) - iPAs decriptadas 42 | - [Eth Mods](https://sultanmods.fyi) - Aplicativos modificados 43 | - [4PDA](https://4pda.to/forum/) - Jogos 44 | - [PDALife](https://pdalife.com/ios/games/) - Jogos 45 | 46 | #### Sideloading 47 | 48 | - [Guia de Sideloading](https://ios.cfw.guide/sideloading-apps/) 49 | - [TrollStore](https://github.com/opa334/TrollStore) - Sideloading ilimitado de aplicativos [iOS 14.0-17.0] 50 | - [SideStore](https://sidestore.io/) - Aplicativo de sideloading [iOS 14.0 e acima] 51 | - [Sideloadly](https://sideloadly.io/) - Faça sideload de aplicativos [iOS 7.0 e acima] 52 | - [Feather](https://github.com/khcrysalis/Feather) - Faça sideload de aplicativos com um certificado de desenvolvedor pago [iOS 15 e acima] 53 | -------------------------------------------------------------------------------- /docs/br/software.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: Programas 3 | description: Programas para melhorar sua experiência na pirataria. 4 | --- 5 | 6 | # Programas 7 | 8 | Programas para melhorar sua experiência na pirataria. 9 | 10 | ## Gerenciadores de Downloads 11 | 12 | - [:star2: Internet Download Manager](https://www.internetdownloadmanager.com) / [Crack](https://cracksurl.com/internet-download-manager) e 13 | [instruções](https://rentry.org/installidm) 14 | - [IDMHelper](https://github.com/unamer/IDMHelper) 15 | - [:star2: JDownloader](https://jdownloader.org/jdownloader2) - Detecta a maioria dos hospedeiros de 16 | arquivos / [Guia de aprimoramento](https://lemmy.world/post/3098414) / [Resolvedor offline de CAPTCHAs](https://github.com/cracker0dks/CaptchaSolver) / [Tema escuro](https://support.jdownloader.org/Knowledgebase/Article/View/dark-mode-theme) 17 | - [AB Download Manager](https://abdownloadmanager.com) 18 | - [:star2: Xtreme Download Manager](https://xtremedownloadmanager.com) 19 | - [Gopeed](https://gopeed.com) / [Plugins](https://github.com/search?q=topic%3Agopeed-extension&type=repositories) 20 | - [imFile](https://github.com/imfile-io/imfile-desktop) or [Motrix](https://motrix.app) 21 | - [Aria2](https://aria2.github.io) - Gerenciador de downloads pelo 22 | terminal / [Interface gráfica](https://persepolisdm.github.io) / [Interface web](https://github.com/ziahamza/webui-aria2) 23 | - [Free Download Manager](https://www.freedownloadmanager.org) / [Baixador de vídeos](https://github.com/meowcateatrat/elephant) 24 | 25 | ## Clientes de Torrents 26 | 27 | - [:star2: qBittorrent](https://www.qbittorrent.org) / 28 | [Edição melhorada](https://github.com/c0re100/qBittorrent-Enhanced-Edition) / 29 | [Tema escuro](https://draculatheme.com/qbittorrent) 30 | - [:star2: Deluge](https://dev.deluge-torrent.org) 31 | - [:star2: Transmission](https://transmissionbt.com) 32 | - [Motrix](https://motrix.app) 33 | - [Tixati](https://tixati.com) 34 | - [PicoTorrent](https://picotorrent.org) 35 | - [BiglyBT](https://www.biglybt.com) 36 | - [LibreTorrent](https://github.com/proninyaroslav/libretorrent) - Dispositivos Android 37 | 38 | ## VPNs 39 | 40 | :::danger 41 | **Tor Browser não é uma VPN, sem proteção ao torrentear!** 42 | ::: 43 | 44 | - [r/VPN](https://www.reddit.com/r/VPN) 45 | - [Recomendações de VPNs do Privacy Guides](https://www.privacyguides.org/vpn) 46 | - [Tabela de comparações de VPNs no r/VPN](https://www.reddit.com/r/VPN/comments/m736zt) 47 | -------------------------------------------------------------------------------- /docs/br/unsafe.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: Não Seguro 3 | description: Coisas que você sempre deveria evitar usar. 4 | --- 5 | 6 | # Não Seguro 7 | 8 | Coisas que você sempre deveria evitar usar. 9 | 10 | :::tip 11 | Você pode só usar o [filtro de bloqueador de anúncios](https://github.com/fmhy/FMHYFilterlist) 12 | do [FMHY Unsafe Sites/Software](https://fmhy.net/unsafesites) no uBlacklist (mais 13 | eficiente) ou uBlock Origin para bloquear a maioria dos sites mencionados aqui e mais. Siga 14 | [este guia](https://github.com/fmhy/FMHYFilterlist) 15 | para o adicionar ao uBlock Origin (use 16 | [isto](https://raw.githubusercontent.com/fmhy/FMHYFilterlist/main/filterlist.txt) em 17 | "Importar…"). 18 | ::: 19 | 20 | ## Sites e Uploaders Não Seguros 21 | 22 | :::danger 23 | **GRUPOS DA CENA NÃO TÊM SITES! Sites com o nome de um grupo da Cena na URL são falsos. Também tome cuidado com 24 | os [sites falsos do 1337x](https://redd.it/117fq8t) e [sites falsos do Z-Lib](https://redd.it/16xtm67).** 25 | ::: 26 | 27 | - AGFY - Links de golpes. 28 | - AimHaven - Anúncios de redirecionamento maliciosos. 29 | - AliPak/AliTPB/b4tman - Constantemente pego com malware. 30 | - AllPCWorld - Fez upload do KMS Matrix, um malware conhecido. 31 | - anr285 32 | - AppValley/Ignition/TutuBox - Histórico de [ataques DDoS](https://github.com/nbats/FMHYedit/pull/307). 33 | - ApunKaGames 34 | - BBRepacks - Pego com malware. 35 | - Corepack - Lançamentos roubados e pego com malware. 36 | - CNET/Download.com/Softonic/ZDNET - Histórico 37 | de [adware](https://www.reddit.com/r/software/comments/9s7wyb/whats_the_deal_with_sites_like_cnet_softonic_and/e8mtye9). 38 | - CracksHash - Pego com [malware](https://redd.it/lklst7). 39 | - Crohasit - É afiliado aos donos do SteamUnlocked. 40 | - cracked-games/GETGAMEZ - Pego com malware. 41 | - CrackingPatching - Pego com [malware](https://www.reddit.com/r/Piracy/comments/qy6z3c). 42 | - FileCR - [Constantemente](https://rentry.co/filecr_malware) pego com malware. 43 | - FreeTP/Game3rb - Links de download falsos e maliciosos na página 44 | - FTUApps - [Constantemente](https://redd.it/120xk62) pego com malware. 45 | - GameFabrique - Uploads do IGG Games e 46 | [instaladores adware](https://www.reddit.com/r/FREEMEDIAHECKYEAH/comments/10bh0h9/unsafe_sites_software_thread/jhi7u0h). 47 | - GetIntoMac/GetIntoPC - Constantemente pego com malware. 48 | - GOG Unlocked/RomsUnlocked/SteamUnlocked - Uploads [do IGG Games](https://i.ibb.co/VgW2ymY/YUnRNpN.png) e nosTEAM, 49 | anúncios de 50 | redirecionamento maliciosos e downloads lentos. 51 | - haxNode - Pego 52 | com [malware](https://www.virustotal.com/gui/file/e6318aa4432c304b234df65f5d87bf2577b930ed68ac7e68efcb76b465dc0784). 53 | - IGG Games/GamesTorrents/LoadGames/PCGamesTorrents - Fez doxing com o mercs213 (dono do Good Old Downloads), 54 | explora-lhe por receita 55 | de anúncios e põe a própria DRM, minerador de criptomoedas e malware nos jogos. 56 | - IGI30 - Pego com malware. 57 | - KaranPC - Constantemente pego com malware. 58 | - KickassTorrents - Morto há anos, o que resta são cópias duvidosas. 59 | - MainRepo/MRepo (não relacionado ao módulo de Magisk MRepo) - Pego com [malware](https://rentry.co/zu3i6). 60 | - NexusGames, Steam-Repacks, Unlocked-Games, World of PC Games - Pego com malware. 61 | - nosTEAM - Pego com mineradores de criptomoedas, com risco de malware. 62 | - Ocean of Games/Ocean of APKs - Constantemente pego com malware. 63 | - Portable4PC/Soft4PC - Pego com malware. 64 | - Qoob/Seyter - Pego com mineradores de criptomoedas. 65 | - Repack-Games - Rouba lançamentos e rotula errado os jogos. 66 | - RSLoad - Fez upload da mesma versão do MalwareBytes que encrencou o FIleCR e 67 | tem [malware no μTorrent](https://i.ibb.co/QXrCfqQ/Untitled.png). 68 | - SadeemAPK/SadeemPC - Constantemente pego com malware. 69 | - The Pirate Bay - Alto risco de malware por falta de moderação. 70 | - VitaminX - Pego com mineradores de criptomoedas. 71 | - WIFI4Games - Pego com malware. 72 | - xGIROx - Pego com mineradores de criptomoedas. 73 | - YASDL - Versões do Stardock e JetBrains com malware. 74 | 75 | ## Programas Não Seguros 76 | 77 | ::: info 78 | [Leia este Pastebin sobre ativadores falsos do Windows.](https://pastebin.com/gCmWs2GR) 79 | ::: 80 | 81 | - μTorrent - Tem anúncios, rastreadores e 82 | [adware](https://www.theverge.com/2015/3/6/8161251/utorrents-secret-bitcoin-miner-adware-malware). 83 | - Avast - Vende dados dos usuários. 84 | - AVG/CCleaner/Gen Digital/Norton - Propriedade da Avast. 85 | - BitComet/BitTorrent - Adware 86 | - BitLord - 87 | [Adware](https://www.virustotal.com/gui/file/3ad1aed8bd704152157ac92afed1c51e60f205fbdce1365bad8eb9b3a69544d0) 88 | - Bluecord/BlueKik - Histórico de [spam](https://redd.it/12h2v6n) e [espionagem](https://rentry.co/tvrnw). 89 | - CyberGhost/ExpressVPN/Private Internet Access/ZenMate - [Propriedade](https://rentry.co/i8dwr) da 90 | [Kape](https://www.reddit.com/r/PrivateInternetAccess/comments/q3oye4/former_malware_distributor_kape_technologies_now). 91 | - Downloadly (baixador de vídeos) - Pego com mineradores de criptomoedas. 92 | - FrostWire - 93 | [Adware](https://www.virustotal.com/gui/file/f20d66b647f15a5cd5f590b3065a1ef2bcd9dad307478437766640f16d416bbf/detection) 94 | - GShade - Pode 95 | [reiniciar](https://www.reddit.com/r/FREEMEDIAHECKYEAH/comments/10bh0h9/unsafe_sites_software_thread/j7vx9vt) 96 | seu computador sem solicitar. 97 | - Kik - Muito usado por [predadores e golpistas](https://youtu.be/9sPaJxRmIPc). 98 | - KLauncher - Contém malware. 99 | - Limewire - Morto há anos, coisas alegando serem eles devem ser evitadas. 100 | - McAfee - Instala bloatware. 101 | - Opera (navegadores) - Não é recomendado até para uso normal por práticas de 102 | privacidade [muito](https://www.kuketz-blog.de/opera-datensendeverhalten-desktop-version-browser-check-teil13) [ruins](https://rentry.co/operagx), 103 | além de aplicativos de empréstimo [predatórios](https://www.androidpolice.com/2020/01/21/opera-predatory-loans), 104 | - PCProtect/Protected/TotalAV - Fraudes de 105 | antivirus ([1](https://www.malwarebytes.com/blog/detections/pup-optional-pcprotect), [2](https://youtu.be/PcS3EozgyhI), [3](https://www.malwarebytes.com/blog/detections/pup-optional-totalav)). 106 | - PolyMC - O dono [expulsou todos os membros](https://www.reddit.com/r/Minecraft/comments/y6lt6s/important_warning_for_users_of_the_polymc_mod) do servidor do Discord 107 | e do repositório. Use o Prism Launcher. 108 | - TLauncher (não relacionado ao TLauncher Legacy) - Práticas comerciais [duvidosas](https://www.reddit.com/r/PiratedGames/comments/zmzzrt). Use o Prism Launcher. 109 | - VSTorrent - Pego com [malware](https://redd.it/x66rz2). 110 | -------------------------------------------------------------------------------- /docs/br/useful.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: Útil 3 | description: Ferramentas, sites e componentes essenciais que valem a pena usar. 4 | --- 5 | 6 | # Útil 7 | 8 | Ferramentas, sites e componentes essenciais que valem a pena usar. 9 | 10 | ## Componentes Obrigatórios 11 | 12 | Instale tudo antes de baixar jogos (legítimos ou pirateados) para evitar falhas devido a programas 13 | faltando no seu computador: 14 | 15 | - [DirectX](https://www.microsoft.com/download/details.aspx?id=35) 16 | - [VisualCppRedist AIO](https://github.com/abbodi1406/vcredist/releases/latest) 17 | - [XNA Framework](https://www.microsoft.com/download/details.aspx?id=20914) 18 | 19 | ## Ferramentas 20 | 21 | :::tip 22 | :exclamation: Veja o [RIN SteamInternals](https://cs.rin.ru/forum/viewtopic.php?f=10&t=65887) e 23 | [A Collection of Steam Tools](https://steamcommunity.com/sharedfiles/filedetails/?id=451698754) 24 | para mais ferramentas da Steam. 25 | ::: 26 | 27 | - [:star2: Koalageddon](https://cs.rin.ru/forum/viewtopic.php?f=10&t=112021) / [v2](https://github.com/acidicoala/Koalageddon2) (só Steam) - 28 | Desbloqueador de DLCs da Steam, Epic Games Store, dos clientes da EA (use o EA DLC Unlocker) e da Uplay 29 | - [CreamAPI](https://cs.rin.ru/forum/viewtopic.php?f=29&t=70576) - Desbloqueador de DLCs da Steam / [Configuração automática](https://cs.rin.ru/forum/viewtopic.php?p=2013521) 30 | - [Goldberg Steam Emulator](https://cs.rin.ru/forum/viewtopic.php?f=29&t=91627) - Emulador da 31 | Steam e do multijogador / [Interface gráfica](https://github.com/brunolee-GIT/GSE-Generator) / 32 | [Guia](https://rentry.co/goldberg_emulator) 33 | - [SmartSteamEmu](https://cs.rin.ru/forum/viewtopic.php?p=2009102#p2009102) - Emulador da Steam e do multijogador 34 | - [Unsteam](https://cs.rin.ru/forum/viewtopic.php?f=20&t=134707&hilit=unsteam) - Permite jogar jogos pirateados online com outros jogos 35 | pirateados. 36 | - [Online Fix](https://online-fix.me) - Permite jogar jogos pirateados online com outros jogos 37 | pirateados. / Senha: `online-fix.me` 38 | - [Radmin VPN](https://www.radmin-vpn.com) / [ZeroTier](https://www.zerotier.com) - Emuladores virtuais de LAN para jogar multijogador online. 39 | - [GameRanger](https://www.gameranger.com) / [Voobly](https://www.voobly.com) - Serviços grátis para jogar multijogador online. 40 | - [Steamless](https://github.com/atom0s/Steamless) - Removedor da DRM da 41 | Steam / [Crackeador automático](https://github.com/oureveryday/Steam-auto-crack) 42 | - [GreenLuma 2024 Manager](https://github.com/BlueAmulet/GreenLuma-2024-Manager) - Gerenciador do desbloqueador da Steam GreenLuma 43 | - [Auto SteamFix Tool](https://cs.rin.ru/forum/viewtopic.php?f=29&t=97112) - Criador automático de 44 | correções para o Steamworks 45 | - [EA DLC Unlocker](https://cs.rin.ru/forum/viewtopic.php?f=20&t=104412) - Desbloqueador de DLCs dos 46 | clientes da EA 47 | - [Nemirtingas Epic Emulator](https://cs.rin.ru/forum/viewtopic.php?f=29&t=105551) - Emulador do 48 | Epic Online Services 49 | - [SteamDB](https://steamdb.info) / [Extensão](https://steamdb.info/extension) - Ferramenta de análise da Steam 50 | - [WorkshopDL](https://github.com/imwaitingnow/WorkshopDL) - Baixador da Oficina da Steam 51 | - [Sims 4 Updater](https://cs.rin.ru/forum/viewtopic.php?f=29&t=102519) - Atualizador da versão 52 | pirateada de The Sims 4 53 | - [Plutonium](https://plutonium.pw) - Servidores dedicados de Call of Duty, com suporte para mods e funções estendidas. 54 | - [Lucky Patcher](https://www.luckypatchers.com) - Remendador de aplicativos de Android (melhor com 55 | root) 56 | 57 | ## Programas Úteis 58 | 59 | :::tip 60 | Ative produtos da Microsoft (Office e Windows) com os 61 | **[Scripts de Ativação da Microsoft](https://massgrave.dev).** 62 | Visite o **[m0nkrus](https://vk.com/monkrus) (espelho devido a [problemas com o site](https://reddit.com/r/GenP/comments/1h3c2ny/monkrus_users_need_to_use_mirror_site_on_vk))** para produtos da Adobe. 63 | 64 | Para o resto, visite o [LRepacks](https://lrepacks.net) ou 65 | [CRACKSurl](https://cracksurl.com). 66 | ::: 67 | 68 | - [7-Zip](https://7-zip.org) - Arquivador de arquivos 69 | - [Bitwarden](https://bitwarden.com) - Gerenciador de senhas de código aberto 70 | - [Firefox](https://www.mozilla.org/firefox) - Navegador web para uso diário / [Betterfox](https://github.com/yokoffing/Betterfox) 71 | - [Thorium](https://thorium.rocks) - Navegador leve e focado em privacidade e segurança baseado no Chromium. 72 | - [Tor Browser](https://www.torproject.org) - Navegador web privado que roteia o tráfego da Internet por uma rede 73 | descentralizada de servidores operados por voluntários, dificultando te rastrear. 74 | - [Achievement Watcher](https://xan105.github.io/Achievement-Watcher) - Analisador de arquivos de 75 | conquistas com capturas de tela automáticas, rastreamento de tempo de jogo e notificações em tempo 76 | real 77 | - [Achievement Watchdog](https://github.com/50t0r25/achievement-watchdog) - Monitorador de conquistas para jogos com o Goldberg Emulator, não exige uma chave API da Steam 78 | - [Playnite](https://playnite.link) - Gerenciador de biblioteca de jogos de código aberto 79 | - [Hydra](https://github.com/hydralauncher/hydra) - Uma loja (similar à Steam) onde você pode baixar jogos crackeados! 80 | - [Parsec](https://parsec.app) - Programa de transmissão de jogos de latência baixa 81 | - [RapidCRC](https://ov2.eu/programs/rapidcrc-unicode) - Verificador de soma de verificação e 82 | gerador de informações de hash 83 | - [SpotX](https://github.com/SpotX-Official/SpotX) / [Linux](https://github.com/SpotX-Official/SpotX-Bash) - Bloqueador de anúncios para o cliente de desktop do Spotify 84 | 85 | ## Extensões Úteis de Navegador 86 | 87 | - [uBlock Origin](https://ublockorigin.com) - Bloqueador de conteúdo de 88 | anúncio / [Recomendações do yokoffing](https://github.com/yokoffing/filterlists#recommended-filters-for-ublock-origin) 89 | - [uBlacklist](https://iorate.github.io/ublacklist/docs) - Filtrador de pesquisas 90 | - [Bypass All Shortlinks Debloated](https://codeberg.org/Amm0ni4/bypass-all-shortlinks-debloated) - 91 | Userscript contornador de encurtadores de links / Requer uma das 3 extensões abaixo 92 | - [FireMonkey](https://addons.mozilla.org/firefox/addon/firemonkey) - Gerenciador de userscripts de 93 | código aberto para o Firefox 94 | - [Tampermonkey](https://www.tampermonkey.net) - Gerenciador de userscripts de código aberto para a 95 | maioria dos navegadores 96 | - [ViolentMonkey](https://violentmonkey.github.io) - Gerenciador de userscripts de código aberto 97 | para vários navegadores 98 | 99 | 104 | 105 | - [Firefox Multi-Account Containers](https://github.com/mozilla/multi-account-containers) - Guias 106 | coloridas nesta ferramenta mantêm a sua vida online separada para preservar a privacidade. Cookies 107 | são isolados, permitindo uso simultâneo de várias identidades ou contas. 108 | 109 | ## Trainers (trapaças) 110 | 111 | Não são para jogos online. Não trapaceie em jogos online! 112 | 113 | - [:star2: FLiNG Trainer](https://flingtrainer.com) 114 | - [:star2: GameCopyWorld](https://gamecopyworld.com/games) - Também tem só o crack e correções de NoCD. 115 | - [WeMod](https://www.wemod.com) 116 | - [MegaGames](https://megagames.com) 117 | - [FearLess Cheat Engine](https://fearlessrevolution.com) - Tabelas do Cheat Engine 118 | - [MrAntiFun](https://mrantifun.net) 119 | 120 | ## Rastreadores de Lançamentos 121 | 122 | Não fornece downloads. Os sites têm informações de lançamentos da Cena/P2P. 123 | Veja aqui se um jogo foi crackeado! 124 | 125 | - [:star2: xREL](https://www.xrel.to/games-release-list.html?lang=en_US) 126 | - [m2v.ru](https://m2v.ru/?func=part&Part=3) 127 | - [PreDB.org](https://predb.org/section/GAMES) 128 | - [PreDB.de](https://predb.de/section/GAMES) 129 | - [srrDB](https://www.srrdb.com/browse/category:pc/1) 130 | - [PreDB.pw](https://predb.pw) 131 | - [r/CrackWatch](https://www.reddit.com/r/CrackWatch) 132 | - [r/RepackWatchers](https://www.reddit.com/r/RepackWatchers) - Só repacks 133 | - [r/RepackWorld](https://www.reddit.com/r/RepackWorld) - Só repacks / Subreddit irmão 134 | do [r/PiratedGames](https://www.reddit.com/r/PiratedGames) 135 | 136 | ## Subreddits Relacionados 137 | 138 | - [r/FREEMEDIAHECKYEAH](https://www.reddit.com/r/FREEMEDIAHECKYEAH) 139 | - [r/Piracy](https://www.reddit.com/r/Piracy) 140 | - [r/CrackSupport](https://www.reddit.com/r/CrackSupport) 141 | - [r/linux_gaming](https://www.reddit.com/r/linux_gaming) 142 | - [r/LinuxCrackSupport](https://www.reddit.com/r/LinuxCrackSupport) 143 | - [r/QuestPiracy](https://www.reddit.com/r/QuestPiracy) 144 | - [r/SteamDeckPirates](https://www.reddit.com/r/SteamDeckPirates) 145 | - [r/SwitchPirates](https://www.reddit.com/r/SwitchPirates) -------------------------------------------------------------------------------- /docs/contribute.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: Contribution Guide 3 | description: How to contribute to the wiki. 4 | --- 5 | 6 | 7 | -------------------------------------------------------------------------------- /docs/download.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: Download 3 | description: Sites and everything for direct downloads. 4 | tags: 5 | - downloads 6 | - torrents 7 | - repacks 8 | - linux 9 | --- 10 | 11 | # Download 12 | 13 | Sites and everything for direct downloads. 14 | 15 | ## Direct Download Sites 16 | 17 | Direct downloads are normal downloads from a server, being safer and not 18 | requiring a VPN. You may need a VPN to access blocked file hosts (like 19 | Rapidgator in some EU countries). Check the 20 | [download managers section](/software#download-managers) for help managing 21 | your downloads. 22 | 23 | - [:star2: CS.RIN.RU](https://cs.rin.ru/forum) - Game piracy forum / Account 24 | required / 25 | [Enhancement mod](https://github.com/SubZeroPL/cs-rin-ru-enhanced-mod) / 26 | Password: `cs.rin.ru` 27 | - [:star2: SteamGG](https://steamgg.net) 28 | - [:star2: SteamRIP](https://steamrip.com) - Steam games 29 | - [:star2: AnkerGames](https://ankergames.net) 30 | - [:star2: Game Bounty](https://gamebounty.world) 31 | - [:star2: GOG Games](https://gog-games.to) / [Torrents](https://freegogpcgames.com) - GOG Games 32 | - [World of PC Games](https://worldofpcgames.com) 33 | - [CG-gamesPC](https://www.cg-gamespc.com) 34 | - [GameDrive](https://gamedrive.org) 35 | - [Ova Games](https://www.ovagames.com) / Password: `www.ovagames.com` 36 | - [GLOAD](https://gload.to/pc) - Scene & P2P releases 37 | - [Scnlog](https://scnlog.me/games) - Scene releases 38 | - [Gamdie](https://gamdie.com) - Indie games 39 | - [Appnetica](https://appnetica.com) - Indie games 40 | - [DigitalZone](https://rentry.co/god_csrinru) - Indie games 41 | - [AtopGames](https://atopgames.com) - Indie games 42 | - [Leechinghell](http://www.leechinghell.pw) - LAN multiplayer games 43 | - [Wendy's Forum](https://wendysforum.net/index.php) - HOGs / Account 44 | required 45 | - [AppCake](https://iphonecake.com/index.php?device=0&p=1&c=8) - macOS & iOS 46 | games & apps 47 | - [NMac](https://nmac.to/category/games) - macOS games & apps 48 | - [AppKed](https://www.macbed.com/games) - macOS games & apps 49 | - [Cmacked](https://cmacked.com) - macOS games & apps 50 | - [ARMGDDN Games](https://t.me/ARMGDDNGames) [Browser](https://cs.rin.ru/forum/viewtopic.php?f=14&t=140593) - PCVR games 51 | - [My Abandonware](https://www.myabandonware.com) - Old games 52 | - [Old-Games.RU](https://www.old-games.ru/catalog/) - Old games / Switch to 53 | English in the top-right corner 54 | - [F95zone](https://f95zone.to) - NSFW games / Account required 55 | - [Repacklab](https://repacklab.com/) – NSFW games 56 | - [Software Library: MS-DOS Games](https://archive.org/details/softwarelibrary_msdos_games?and[]=mediatype%3A%22software%22) - 57 | MS-DOS games 58 | - [Prism Launcher](https://prismlauncher.org) - Java Minecraft / 59 | [Play without a legit account](https://github.com/antunnitraj/Prism-Launcher-PolyMC-Offline-Bypass) 60 | - [Moriya Shrine](https://moriyashrine.org) - Touhou 61 | 62 | ## Torrent Sites 63 | 64 | Torrents are P2P downloads from other users, without servers. You will need a VPN 65 | to torrent safely and avoid ISP copyright notices, unless your country tolerates 66 | piracy. Check the [VPNs section](/software#vpns) for more info. 67 | 68 | - :star2: [1337x](https://1337x.to/sub/10/0/) / 69 | [Safe uploaders (except FileCR)](https://www.reddit.com/r/Piracy/comments/nudfgn/me_after_reading_the_megathread/h0yr0q6/?context=3) 70 | - [Interface improvements](https://greasyfork.org/scripts/33379-1337x-torrent-page-improvements) 71 | - [Magnet links](https://greasyfork.org/scripts/420754-1337x-torrent-and-magnet-links) 72 | - [Timezone fix](https://greasyfork.org/scripts/421635-1337x-convert-torrent-timestamps-to-relative-format) 73 | - [Subtitle links to movies & TV](https://greasyfork.org/scripts/29467-1337x-subtitle-download-links-to-tv-and-movie-torrents) 74 | - :star2: [RuTracker](https://rutracker.org/forum/index.php?c=19) / [Torrent search](https://addons.mozilla.org/firefox/addon/rutracker_torrent_search) 75 | / [Translator](/useful#translator) 76 | - [Rutor](http://rutor.info/games) / [Translator](/useful#translator) 77 | - [Rustorka](https://rustorka.com/forum/index.php?c=6) / 78 | [Translator](/useful#translator) 79 | - [Mac Torrents](https://www.torrentmac.net/category/games) - macOS games & apps 80 | 81 | ## Repacks 82 | 83 | Repacks are compressed games for low-bandwidth users, but installing them takes 84 | time due to file decompression. 85 | 86 | - :star2: [DODI Repacks](https://dodi-repacks.site) 87 | - :star2: [FitGirl Repacks](https://fitgirl-repacks.site) 88 | - :star2: [ElAmigos](https://elamigos.site) - Use GLOAD's or Ova Games' 89 | mirrors for free fast downloads. 90 | - :star2: [KaOsKrew](https://kaoskrew.org/viewforum.php?f=13&sid=c2dac73979171b67f4c8b70c9c4c72fb) 91 | - [TriahGames](https://triahgames.com) 92 | - [Xatab](https://byxatab.org) - Most newer releases aren't repacks. 93 | - [Chovka](http://rutor.info/browse/0/8/1642915/0), [2](https://repack.info) 94 | - [ScOOt3r Repacks](https://game-repack.site/scooter) - Moved to KaOsKrew in June 2024. 95 | - [Masquerade Repacks](https://web.archive.org/web/20220616203326/https://masquerade.site) - 96 | Repacks from up to May 2022. Moved to KaOsKrew in June 2022. 97 | - [Tiny Repacks](https://www.tiny-repacks.win) 98 | - [ZAZIX](https://1337x.to/user/ZAZIX/) 99 | - [Gnarly Repacks](https://rentry.org/gnarly_repacks) - Emulated console games 100 | - [KAPITALSIN](https://kapitalsin.com/forum) - Game repacks forum (occasionally 101 | has lossy, or compressed repacks) / [Translator](/useful#translator) 102 | - [M4CKD0GE Repacks](https://m4ckd0ge-repacks.site) 103 | - [MagiPack Games](https://www.magipack.games) - Old games 104 | - [The Collection Chamber](https://collectionchamber.blogspot.com) - Old games 105 | - [CPG Repacks](https://cpgrepacks.site) - NSFW anime games 106 | -------------------------------------------------------------------------------- /docs/emulation.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: Emulation 3 | description: ROM sites, emulators, discussion pages, and more. 4 | tags: 5 | - emulation 6 | - discussion 7 | - roms 8 | - subreddits 9 | --- 10 | 11 | # Emulation 12 | 13 | ROM sites, emulators, discussion pages and more. 14 | 15 | ## ROM Sites 16 | 17 | - :star2: [r/Roms Megathread](https://r-roms.github.io) 18 | - :star2: [Crocdb](https://crocdb.net) 19 | - :star2: [CDRomance](https://cdromance.com) 20 | - [DLPSGAME](https://dlpsgame.com) 21 | - [Edge Emulation](https://edgeemu.net) 22 | - [The ROM Depot](https://theromdepot.com) / Account required 23 | - [Vimm's Lair](https://vimm.net/vault) 24 | - [Emuparadise](https://www.emuparadise.me/roms-isos-games.php) / 25 | [Download workaround guide](https://lemmy.world/post/3061617) 26 | - [NoPayStation](https://nopaystation.com) - PlayStation 1, Vita, 3, & 27 | Portable games 28 | - [Ziperto](https://www.ziperto.com) - Nintendo games 29 | - [NSW2u](https://nsw2u.com) - Nintendo Switch games 30 | - [NXBrew](https://nxbrew.net) - Nintendo Switch games 31 | - [Romslab](https://romslab.com/) – Nintendo Switch games 32 | 33 | ## Emulators 34 | 35 | :::tip 36 | See the 37 | **[Emulation General Wiki](https://emulation.gametechwiki.com/index.php/Main_Page#Emulators)** 38 | for more. 39 | 40 | Some emulators require additional files (keys or BIOS) and are marked 41 | with a :gear:. You can get them 42 | [here](https://r-roms.github.io/megathread/misc/#bios-files). 43 | ::: 44 | - [Batocera.linux](https://batocera.org) - Retro-gaming distro 45 | - [Winlator](https://winlator.org) - Windows games 46 | - :gear: [RetroArch](https://retroarch.com) - Multiple consoles games / Avoid the PPSSPP, Dolphin, & Citra cores 47 | - :gear: [Ares](https://ares-emu.net) - Multiple consoles games / Avoid the Neo 48 | Geo, PlayStation 1, & Game Boy Advance cores 49 | - :gear: [Kenji-NX](https://github.com/KeatonTheBot/Kenji-NX) / 50 | :gear: [Citron](https://git.citron-emu.org/Citron/Citron) - Nintendo Switch games 51 | - [shadPS4](https://shadps4.net) - PlayStation 4 games 52 | - [Cemu](https://cemu.info) ([Android](https://github.com/SSimco/Cemu)) - Wii U games 53 | - :gear: [Vita3K](https://vita3k.org) - PlayStation Vita games 54 | - [Azahar](https://azahar-emu.org) - Nintendo 3DS games 55 | - [Dolphin Emulator](https://dolphin-emu.org) - Wii & GameCube games 56 | - [RPCS3](https://rpcs3.net) ([Android](https://github.com/DHrpcs3/rpcs3-android)) - PlayStation 3 games 57 | - [xenia](https://xenia.jp) - Xbox 360 games 58 | - :gear: [MAME](https://www.mamedev.org) - Arcade games 59 | - [PPSSPP](https://www.ppsspp.org) - PlayStation Portable games 60 | - [melonDS](https://melonds.kuribo64.net) ([Android](https://github.com/rafaelvcaetano/melonDS-android)) / [DeSmuME](https://desmume.org) - 61 | Nintendo DS games 62 | - [No$GBA](https://www.nogba.com) - Nintendo DS & Game Boy Advance games 63 | - :gear: [xemu](https://xemu.app) - Original Xbox games 64 | - [mGBA](https://mgba.io) - Game Boy Advance games 65 | - :gear: [PCSX2](https://pcsx2.net) - PlayStation 2 games 66 | - [Parallel Launcher](https://parallel-launcher.ca) - Nintendo 64 games 67 | - :gear: [DuckStation](https://www.duckstation.org) - PlayStation 1 games 68 | - [bsnes](https://github.com/bsnes-emu/bsnes) / [Snes9x](https://www.snes9x.com) - Super Nintendo Entertainment System games 69 | - [WePlayDOS Games](https://weplaydos.games/) - Web browser MS-DOS games 70 | 71 | ## Related Subreddits 72 | 73 | - [r/Roms](https://www.reddit.com/r/roms) 74 | - [r/EmulationPiracy](https://reddit.com/r/EmulationPiracy) 75 | - [r/SwitchHacks](https://www.reddit.com/r/SwitchHacks) 76 | - [r/SwitchHaxing](https://www.reddit.com/r/SwitchHaxing) 77 | - [r/ps4homebrew](https://www.reddit.com/r/ps4homebrew) 78 | - [r/WiiUHacks](https://www.reddit.com/r/WiiUHacks) 79 | - [r/3dshacks](https://www.reddit.com/r/3dshacks) 80 | - [r/vitahacks](https://www.reddit.com/r/vitahacks) 81 | - [r/VitaPiracy](https://www.reddit.com/r/VitaPiracy) 82 | - [r/WiiHacks](https://www.reddit.com/r/WiiHacks) 83 | - [r/ps3homebrew](https://www.reddit.com/r/ps3homebrew) 84 | -------------------------------------------------------------------------------- /docs/es/contribute.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: Guía de Contribución 3 | description: Cómo aportar con contenido a la wiki. 4 | --- 5 | 6 | -------------------------------------------------------------------------------- /docs/es/download.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: Descargas 3 | description: Sitios y todo lo relacionado para descargas directas. 4 | tags: 5 | - downloads 6 | - torrents 7 | - repacks 8 | - linux 9 | --- 10 | 11 | # Descargas 12 | 13 | Sitios y todo lo relacionado para descargas directas. 14 | 15 | ## Sitios de Descarga Directa 16 | 17 | Los sitios de descarga directa son solo descargas realizadas desde un servidor, 18 | asegurando así su seguridad y de que no requieras de una VPN para descargar lo que deseas. 19 | Puede que necesites una VPN para acceder a algunos sitios de hosting de archivos 20 | (como Rapidgator en algunos países de la unión europea). 21 | Revisa la [sección de gestores de descargas](/software#gestores-de-descargas) 22 | para que puedas gestionar tus descargas fácilmente. 23 | 24 | - [:star2: CS.RIN.RU](https://cs.rin.ru/forum) - Foro de piratería de videojuegos / 25 | Cuenta requerida / 26 | [Mod de mejoras para rin.ru](https://github.com/SubZeroPL/cs-rin-ru-enhanced-mod) / 27 | Contraseña: `cs.rin.ru` 28 | - [:star2: SteamGG](https://steamgg.net) 29 | - [:star2: SteamRIP](https://steamrip.com) - Juegos de Steam 30 | - [:star2: AnkerGames](https://ankergames.net) 31 | - [:star2: Game Bounty](https://gamebounty.world) 32 | - [:star2: GOG Games](https://gog-games.to) / [Torrents](https://freegogpcgames.com) - Juegos de GOG 33 | - [World of PC Games](https://worldofpcgames.com) 34 | - [CG-gamesPC](https://www.cg-gamespc.com) 35 | - [GameDrive](https://gamedrive.org) 36 | - [Ova Games](https://www.ovagames.com) / Contraseña: `www.ovagames.com` 37 | - [GLOAD](https://gload.to/pc) - Juegos de la Scene y P2P 38 | - [Scnlog](https://scnlog.me/games) - Lanzamientos de la Scene 39 | - [Gamdie](https://gamdie.com) - Juegos indie 40 | - [Appnetica](https://appnetica.com) - Juegos indie 41 | - [DigitalZone](https://digital-zone.xyz) - Juegos indie 42 | - [AtopGames](https://atopgames.com) - Juegos indie 43 | - [Leechinghell](http://www.leechinghell.pw) - Juegos multijugador locales (LAN) 44 | - [Wendy's Forum](https://wendysforum.net/index.php) - HOGs / Cuenta requerida 45 | - [AppCake](https://iphonecake.com/index.php?device=0&p=1&c=8) - Juegos y aplicaciones para macOS y iOS 46 | - [NMac](https://nmac.to/category/games) - Juegos y aplicaciones para macOS 47 | - [AppKed](https://www.macbed.com/games) - Juegos y aplicaciones para macOS 48 | - [Cmacked](https://cmacked.com) - Juegos y aplicaciones para macOS 49 | - [ARMGDDN Games](https://t.me/ARMGDDNGames) [Navegador](https://cs.rin.ru/forum/viewtopic.php?f=14&t=140593) - Juegos PCVR 50 | - [My Abandonware](https://www.myabandonware.com) - Juegos retro 51 | - [Old-Games.RU](https://www.old-games.ru/catalog/) - Juegos retro / Cambia el idioma al 52 | inglés en la esquina superior derecha. 53 | - [F95zone](https://f95zone.to) - Juegos NSFW / Cuenta requerida 54 | - [Software Library: MS-DOS Games](https://archive.org/details/softwarelibrary_msdos_games?and[]=mediatype%3A%22software%22) - 55 | Juegos de MS-DOS 56 | - [Prism Launcher](https://prismlauncher.org) - Minecraft Java / 57 | [Para jugar con una cuenta pirata](https://github.com/antunnitraj/Prism-Launcher-PolyMC-Offline-Bypass) 58 | - [Moriya Shrine](https://moriyashrine.org) - Juegos de la saga Touhou 59 | 60 | ## Torrents 61 | 62 | Los torrents son descargas P2P (punto a punto o peer-to-peer) en donde descargas los 63 | archivos desde las computadoras de otros usuarios, sin servidores involucrados. 64 | Necesitas una VPN para descargar de forma segura a través de P2P evitando así 65 | infracciones por derechos de autor de tu ISP (proveedor de servicio de internet) a 66 | menos de que a tu país no le importe o tolere la piratería. Revisa la [sección de VPN](/software#vpns) 67 | para más información. 68 | 69 | 70 | - [:star2: 1337x](https://1337x.to/sub/10/0/) / 71 | [Uploaders seguros (Exceptuando a FileCR)](https://www.reddit.com/r/Piracy/comments/nudfgn/me_after_reading_the_megathread/h0yr0q6/?context=3) 72 | - [Mejoras de interfaz](https://greasyfork.org/scripts/33379-1337x-torrent-page-improvements) 73 | - [Enlaces magnet](https://greasyfork.org/scripts/420754-1337x-torrent-and-magnet-links) 74 | - [Parche de zonas horarias](https://greasyfork.org/scripts/421635-1337x-convert-torrent-timestamps-to-relative-format) 75 | - [Enlaces directos a subtitulos de películas y shows de TV](https://greasyfork.org/scripts/29467-1337x-subtitle-download-links-to-tv-and-movie-torrents) 76 | - [:star2: RuTracker](https://rutracker.org/forum/index.php?c=19) / [Addon para búsqueda de torrents](https://addons.mozilla.org/firefox/addon/rutracker_torrent_search) 77 | / [Traductor](/useful#translator) 78 | - [Rutor](http://rutor.info/games) / [Traductor](/useful#translator) 79 | - [Rustorka](https://rustorka.com/forum/index.php?c=6) / 80 | [Translator](/useful#translator) 81 | - [Mac Torrents](https://www.torrentmac.net/category/games) - Juegos y aplicaciones para macOS 82 | 83 | ## Repacks 84 | 85 | Los repacks son juegos comprimidos para los usuarios que no tienen una buena velocidad de descarga, 86 | pero su instalación toma mucho tiempo debido al proceso de descompresión de archivos. 87 | 88 | 89 | - [:star2: DODI Repacks](https://dodi-repacks.site) 90 | - [:star2: FitGirl Repacks](https://fitgirl-repacks.site) 91 | - [:star2: ElAmigos](https://elamigos.site) - Usa las mirrors de GLOAD u Ova Games 92 | para descargar tus juegos gratis y rápidamente. 93 | - [:star2: KaOsKrew](https://kaoskrew.org/viewforum.php?f=13&sid=c2dac73979171b67f4c8b70c9c4c72fb) 94 | - [Xatab](https://byxatab.org) 95 | - [Chovka](http://rutor.info/browse/0/8/1642915/0), [2](https://repack.info) 96 | - [ScOOt3r Repacks](https://game-repack.site/scooter) - Se unió a Ka0sKrew en junio de 2024. 97 | - [Masquerade Repacks](https://web.archive.org/web/20220616203326/https://masquerade.site) - 98 | Recopilación de Repacks desde mayo de 2022. Se unió a KaOsKrew en junio de 2022. 99 | - [Tiny Repacks](https://www.tiny-repacks.win) 100 | - [ZAZIX](https://1337x.to/user/ZAZIX/) 101 | - [Gnarly Repacks](https://rentry.org/gnarly_repacks) - Repacks de juegos de consola emulados. 102 | - [KAPITALSIN](https://kapitalsin.com/forum) - Foro de repacks de videojuegos español. (ocasionalmente, 103 | tienen repacks supercomprimidos en donde los archivos como música y assets pierden totalmente su calidad 104 | o se ausentan del videojuego por completo) 105 | - [M4CKD0GE Repacks](https://m4ckd0ge-repacks.site) 106 | - [MagiPack Games](https://www.magipack.games) - Juegos retro 107 | - [The Collection Chamber](https://collectionchamber.blogspot.com) - Juegos retro 108 | - [CPG Repacks](https://cpgrepacks.site) - Juegos hentai 109 | -------------------------------------------------------------------------------- /docs/es/emulation.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: Emulacion 3 | description: Sitios para descargar ROMS, emuladores, páginas de discusión y más. 4 | --- 5 | 6 | # Emulación 7 | 8 | Sitios para descargar ROMS, emuladores, páginas de discusión y más. 9 | 10 | ## Sitios para Descargar ROMS 11 | 12 | - [:star2: Megahilo de r/Roms](https://r-roms.github.io) 13 | - [:star2: Crocdb](https://crocdb.net) 14 | - [:star2: CDRomance](https://cdromance.com) 15 | - [DLPSGAME](https://dlpsgame.com) 16 | - [Edge Emulation](https://edgeemu.net) 17 | - [The ROM Depot](https://theromdepot.com) / Cuenta requerida 18 | - [Vimm's Lair](https://vimm.net/vault) 19 | - [Emuparadise](https://www.emuparadise.me/roms-isos-games.php) / 20 | [Guía para descargar desde Emuparadise](https://lemmy.world/post/3061617) 21 | - [NoPayStation](https://nopaystation.com) - Juegos de PlayStation 1, Vita, 3 y Portable 22 | - [Ziperto](https://www.ziperto.com) - Juegos de Nintendo 23 | - [NSW2u](https://nsw2u.com) - Juegos de Nintendo Switch 24 | - [NXBrew](https://nxbrew.net) - Juegos de Nintendo Switch 25 | 26 | ## Emuladores 27 | 28 | :::tip 29 | Revisa la 30 | **[Emulation General Wiki](https://emulation.gametechwiki.com/index.php/Main_Page#Emulators)** 31 | para más. 32 | 33 | Algunos emuladores requieren archivos adicionales (keys o BIOS) y están marcados 34 | con un :gear:. Los puedes obtener desde 35 | [aquí](https://r-roms.github.io/megathread/misc/#bios-files). 36 | ::: 37 | 38 | - [Batocera.linux](https://batocera.org) - Distro de juegos retro 39 | - [Winlator](https://winlator.org) - Juegos de Windows 40 | - [:gear: RetroArch](https://retroarch.com) - Emuladores de múltiples consolas / 41 | Evitar los núcleos de PPSSPP, Dolphin y Citra 42 | - [:gear: Ares](https://ares-emu.net) - Emuladores de múltiples consolas / Evitar los núcleos de Neo 43 | Geo, PlayStation 1 e Game Boy Advance 44 | - [:gear: Kenji-NX](https://github.com/KeatonTheBot/Kenji-NX) / 45 | [:gear: Citron](https://git.citron-emu.org/Citron/Citron) - Emuladores de Nintendo Switch 46 | - [shadPS4](https://shadps4.net) - Emulador de PlayStation 4 47 | - [Cemu](https://cemu.info) ([Android](https://github.com/SSimco/Cemu)) - Emulador de Wii U 48 | - [:gear: Vita3K](https://vita3k.org) - Emulador de PlayStation Vita 49 | - [Azahar](https://azahar-emu.org) - Emulador de Nintendo 3DS 50 | - [Dolphin Emulator](https://dolphin-emu.org) - Emulador de Wii y GameCube 51 | - [RPCS3](https://rpcs3.net) ([Android](https://github.com/DHrpcs3/rpcs3-android)) - Emulador de PlayStation 3 52 | - [xenia](https://xenia.jp) - Emulador de Xbox 360 53 | - [:gear: MAME](https://www.mamedev.org) - Emulador para juegos arcade 54 | - [PPSSPP](https://www.ppsspp.org) - Emulador de PlayStation Portable 55 | - [melonDS](https://melonds.kuribo64.net) ([Android](https://github.com/rafaelvcaetano/melonDS-android)) / [DeSmuME](https://desmume.org) - 56 | Emulador de Nintendo DS 57 | - [No$GBA](https://www.nogba.com) - Emulador de Game Boy Advance y Nintendo DS 58 | - [:gear: xemu](https://xemu.app) - Emulador de Xbox original 59 | - [mGBA](https://mgba.io) - Emulador de Game Boy Advance 60 | - [:gear: PCSX2](https://pcsx2.net) - Emulador de PlayStation 2 61 | - [Parallel Launcher](https://parallel-launcher.ca) - Emulador de Nintendo 64 62 | - [:gear: DuckStation](https://www.duckstation.org) - Emulador de PlayStation 1 63 | - [bsnes](https://github.com/bsnes-emu/bsnes) / 64 | [Snes9x](https://www.snes9x.com) - Emulador de Super Nintendo 65 | - [WePlayDOS Games](https://weplaydos.games/) - Emulador de MS-DOS desde el navegador 66 | 67 | ## Subreddits Relacionados 68 | 69 | - [r/Roms](https://www.reddit.com/r/roms) 70 | - [r/EmulationPiracy](https://reddit.com/r/EmulationPiracy) 71 | - [r/SwitchHacks](https://www.reddit.com/r/SwitchHacks) 72 | - [r/SwitchHaxing](https://www.reddit.com/r/SwitchHaxing) 73 | - [r/ps4homebrew](https://www.reddit.com/r/ps4homebrew) 74 | - [r/WiiUHacks](https://www.reddit.com/r/WiiUHacks) 75 | - [r/3dshacks](https://www.reddit.com/r/3dshacks) 76 | - [r/vitahacks](https://www.reddit.com/r/vitahacks) 77 | - [r/VitaPiracy](https://www.reddit.com/r/VitaPiracy) 78 | - [r/WiiHacks](https://www.reddit.com/r/WiiHacks) 79 | - [r/ps3homebrew](https://www.reddit.com/r/ps3homebrew) -------------------------------------------------------------------------------- /docs/es/glossary.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: Glosario 3 | description: Respuestas a algunas de las preguntas más frecuentes. 4 | --- 5 | 6 | # Glosario 7 | 8 | Este apartado resume, en términos simples, algunos temas presentes 9 | en la scene de la piratería. Este apartado, también sirve como un 10 | material referencial para revisar mientras navegas por la wiki. 11 | 12 | ## Términos 13 | 14 | :::tip ¿Qué es la Scene? ¿Y quiénes son los P2P? 15 | La escena es una comunidad de bajo perfil que crackea y comparte material con derechos de autor. 16 | La Scene posee reglas estrictas en las que todos los miembros de la Scene ***deben*** ceñirse. 17 | Los "P2P" son crackers independientes que no siguen las [reglas de la Scene](https://scenerules.org). 18 | ::: 19 | 20 | :::tip ¿Qué son los NFO? 21 | Los NFO son los típicos ***readme.txt*** que encuentras 22 | en los lanzamientos de la Scene. Te proporcionan instrucciones, 23 | una descripción general del juego y alguna que otra información adicional. 24 | ::: 25 | 26 | :::tip ¿Por qué "X" sitio tiene tantos anuncios? 27 | **Utiliza un adblock**. Los anuncios hacen que estos sitios web sigan en línea, pero, 28 | en algunas ocasiones los anuncios arruinan la experiencia general del usuario e 29 | incluso redirigen a enlaces con malware. Puedes tomar esta medida si quieres 30 | una experiencia libre de anuncios. 31 | 32 | 33 | ### Android 34 | 35 | Instala 36 | [**Firefox**](https://play.google.com/store/apps/details?id=org.mozilla.firefox) 37 | e instala 38 | [**uBlock Origin**](https://addons.mozilla.org/android/addon/ublock-origin). 39 | Esto debería ser más que suficiente. Si quieres una amplia variedad de soporte a distintos sistemas, prueba 40 | [**AdGuard**](https://adguard.com/adguard-android/overview.html) o 41 | [**NextDNS**](https://nextdns.io). Adicionalmente, puedes ver 42 | [**este video**](https://youtu.be/WUG57ynLb8I) si requieres de guía. 43 | 44 | ### PC 45 | 46 | ¡Instala [**uBlock Origin**](https://ublockorigin.com) en tu navegador de preferencia 47 | y listo! Si quieres una solución que soporte otros sistemas _puedes_ usar 48 | [**NextDNS**](https://nextdns.io), pero no será tan efectivo como uBlock Origin. 49 | También puedes usar [Bypass All Shortlinks](https://codeberg.org/Amm0ni4/bypass-all-shortlinks-debloated) 50 | o [Bypass.city](https://bypass.city) para _bypassear_ a los redireccionadores. 51 | 52 | ### iOS 53 | 54 | [**NextDNS**](https://nextdns.io) debería de cubrir cualquier 55 | tipo de anuncio y trackers presentes en cualquier aplicación o 56 | sitios web. También puedes probar [**AhaDNS**](https://ahadns.com). 57 | ::: 58 | 59 | :::tip ¿Tengo que usar necesariamente una VPN al descargar archivos? 60 | La necesidad de utilizar o no una VPN depende en el método de descarga 61 | que utilices o que estés utilizando en el momento. Para descargas directas, 62 | las VPN son innecesarias. Pero, si estás descargando a través del protocolo punto 63 | a punto (Peer-to-peer o P2P en inglés) como por ejemplo, a través de un torrent, 64 | se recomienda que utilices una VPN para mejorar su seguridad y cuidar tu privacidad. 65 | Adicionalmente, las ramificaciones legales en el área en la que vives podría jugar 66 | un rol crucial en su privacidad, esto, se debe a que podría haber consecuencias por 67 | descargar contenido protegido por derechos de autor, por lo que, deberías sí o sí 68 | utilizar una VPN. 69 | ::: 70 | 71 | :::tip ¿Por qué mi velocidad de descarga está tan lenta al descargar en estos sitios? 72 | Utiliza un gestor de descargas. Algunos sitios imponen un límite en la transferencia de archivos 73 | al utilizar colas de descargas mono-hilo, por lo que, se restringen las velocidades de descarga para los usuarios. 74 | Los gestores de descargas se saltan estas limitaciones al crear muchos hilos para descargar, 75 | resultando así en descargas veloces. Hemos listado algunos gestores de descargas [aquí](/software#gestores-de-descargas). 76 | ::: 77 | -------------------------------------------------------------------------------- /docs/es/index.md: -------------------------------------------------------------------------------- 1 | --- 2 | layout: home 3 | title: Inicio 4 | 5 | hero: 6 | name: privateersclub/wiki 7 | tagline: Bienvenido a la guía más comprensiva sobre la piratería de videojuegos en el internet. 8 | image: 9 | src: /home.png 10 | alt: privateersclub 11 | actions: 12 | - text: Comenzar 13 | link: es/glossary 14 | - text: Contribuir 15 | link: es/contribute 16 | - text: Traducciones 17 | link: es/_translations 18 | theme: alt 19 | 20 | features: 21 | - icon: ✏️ 22 | title: Constantemente actualizada 23 | details: Nuestra wiki está siendo constantemente actualizada por miembros dedicados de nuestra comunidad 24 | - icon: 🌐 25 | title: Traducciones 26 | details: 27 | Nuestra wiki está elegantemente traducida a muchos idiomas, asegurando 28 | que su contenido sea comprendido por cualquiera fácilmente. 29 | - icon: 🌟 30 | title: Selecciones favoritas 31 | details: 32 | Estamos curando regularmente los sitios más seguros para tí en donde enfatizamos 33 | en su importancia, sólo relájate y déjanos a nosotros el trabajo duro. 34 | --- 35 | -------------------------------------------------------------------------------- /docs/es/linux.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: Linux 3 | description: Todo lo relacionado con la piratería, en Linux. 4 | tags: 5 | - linux 6 | - discussion 7 | - glossary 8 | - download 9 | - tools 10 | - torrent 11 | --- 12 | 13 | # Linux 14 | Todo lo relacionado con la piratería, en Linux. 15 | 16 | :::info ¿Cuál es la mejor distro de Linux para jugar? 17 | Ninguna. Ninguna de ellas te dará el rendimiento que te dicen que te darán por cómo vienen, puedes 18 | obtener un rendimiento similar usando una distro común y con sus actualizaciones al día. 19 | 20 | 21 | Para tener un buen rendimiento, solo debes tener tu distro actualizada en su última versión. 22 | Todas las distros de Linux vienen con los mismos paquetes y son constantemente actualizadas. 23 | Algunas distros se actualizan mucho más rápido que otras distros, por lo que, cualquier 24 | distro que actualice sus paquetes tan pronto como estos estén en upstream la consideramos como una buena opción. 25 | ::: 26 | 27 | :::danger ¡Ten cuidado con lo que lees o buscas en internet! 28 | Se cuidadoso con lo que buscas y lees en internet, es una regla de oro en el que no 29 | debes confiar en todo lo que veas en internet. No todo funcionará como tú ***crees que*** 30 | funcionará, en algunas ocasiones lo que encuentras puede que esté desactualizado o incluso 31 | sea **incompatible**, así que, asegúrate de que lo que estés buscando vaya a funcionar en tu sistema 32 | antes de ejecutar cualquier comando o cambiar alguna configuración del sistema evitando 33 | así que dañes a tu sistema en el proceso. 34 | 35 | Si necesitas una guía, [la Wiki de Arch](https://wiki.archlinux.org/title/Main_page_(Espa%C3%B1ol)) es muy buena y funciona universalmente 36 | para casi todas las distros, no solo para Arch Linux. 37 | ::: 38 | 39 | ## Descargas 40 | 41 | ### Sitios de Descarga Directa 42 | 43 | - [:star2: Torrminatorr](https://forum.torrminatorr.com) - Foro con juegos de GOG, Linux y lanzamientos de 44 | la Scene. / **Cuenta requerida.** 45 | - [:star2: KAPITALSIN](https://kapitalsin.com/forum) - Foro español de repacks de videojuegos. 46 | (ocasionalmente, tienen archivos con pérdidas o ***super***comprimidos.) 47 | - [:star2: CS.RIN.RU](https://cs.rin.ru/forum) - Foro de piratería de videojuegos. / **Cuenta requerida.** / 48 | [Mod de mejora](https://github.com/SubZeroPL/cs-rin-ru-enhanced-mod) / Contraseña: `cs.rin.ru` 49 | 50 | ### Torrents 51 | 52 | - [:star2: johncena141](https://1337x.to/user/johncena141/) - Juegos de linux 53 | - [:star2: RuTracker](https://rutracker.org/forum/viewforum.php?f=899) - Juegos de Linux / [Traductor](useful.md#translator) 54 | 55 | ## Software 56 | 57 | ### Kernels 58 | 59 | :::danger PELIGRO 60 | Los kernels personalizados pueden dañar significativamente el comportamiento de tu sistema, 61 | [desactivando mitigaciones de seguridad](https://wiki.archlinux.org/title/Kernel_parameters_(Espa%C3%B1ol)) e incluso causan muchos tipos de inestabilidades y 62 | problemas de fiabilidad. Se recomienda que tengas una [copia de seguridad de tus datos y 63 | configuraciones](https://wiki.archlinux.org/title/System_maintenance#Backup) así como una copia del kernel que instalaste para que vuelvas 64 | a inicializar el sistema desde GRUB. 65 | ::: 66 | - [linux-zen](https://github.com/zen-kernel/zen-kernel) - Kernel confiable constantemente actualizado para usuarios casuales. 67 | - [XanMod Stable Real-Time](https://xanmod.org) 68 | - [Liquorix](https://liquorix.net) 69 | - [Clear Linux Kernel](https://github.com/clearlinux-pkgs/linux) - Para sistemas con Intel, muy útil para servidores. 70 | - [linux-tkg](https://github.com/Frogging-Family/linux-tkg) - Requiere ser compilado para su uso. 71 | 72 | 73 | ### Launchers 74 | 75 | - [:star2: Lutris](https://lutris.net) - Launcher de videojuegos 76 | - [:star2: Heroic Games Launcher](https://heroicgameslauncher.com) - Launcher de Epic, GOG y juegos de Amazon Prime 77 | - [Minigalaxy](https://sharkwouter.github.io/minigalaxy) - Cliente para GOG 78 | - [Bottles](https://usebottles.com) - Administrador para usar software de Windows en Linux. 79 | 80 | ### Herramientas 81 | 82 | - [MangoHud](https://github.com/flightlessmango/MangoHud) - Sobreposición para monitorear el rendimiento de tus juegos 83 | / [GUI](https://github.com/benjamimgois/goverlay) 84 | - [ProtonUp-Qt](https://github.com/DavidoTek/ProtonUp-Qt) / [ProtonPlus](https://github.com/Vysp3r/ProtonPlus) - Gestores de los layers de compatibilidad Wine y basados en Proton. 85 | - [Winetricks](https://github.com/Winetricks/winetricks) - Fixes y ajustes para Wine 86 | - [DiscordOverlayLinux](https://github.com/trigg/Discover) Overlay de discord para Linux 87 | - [Luxtorpeda](https://github.com/luxtorpeda-dev/luxtorpeda) Capa de compatibilidad de Steam Play para juegos en general. 88 | - [GameHub](https://tkashkin.github.io/projects/gamehub) Hub que unifica tus videojuegos en una sola plataforma. 89 | 90 | ## Sitios Web Relacionados con Juegos en Linux 91 | 92 | - [ProtonDB](https://www.protondb.com) - Informes y correcciones de compatibilidad de Proton. 93 | - [AppDB](https://appdb.winehq.org) - Un tracker de Wine para conocer el estado y un rating sobre videojuegos que corren bajo esta capa de compatibilidad. 94 | - [GamingOnLinux](https://www.gamingonlinux.com) 95 | - [The Linux Gamer's Game List](https://www.icculus.org/lgfaq/gamelist.php) Juegos que corren nativamente en Linux. 96 | - [Arch Wiki / Gaming](https://wiki.archlinux.org/index.php/Gaming) - Tips de configuración relacionados con correr videojuegos en Linux. 97 | - [LibreGameWiki](https://libregamewiki.org/Main_Page) 98 | - [Open Source Game Clones](https://osgameclones.com) - Remakes de juegos y clones FOSS. 99 | 100 | ## Guías 101 | 102 | - [:star2: Linux Gaming Wiki](https://linux-gaming.kwindu.eu/index.php) 103 | - [:star2: Instalación de Repacks con Lutris](https://www.reddit.com/r/LinuxCrackSupport/comments/yqfirv/how_to_install_fitgirl_or_dodi_windows_repacks_in) 104 | / 105 | [Arreglo de errores relacionados a DLL's](https://reddit.com/r/LinuxCrackSupport/comments/tirarp/psa_when_installing_repacks_with_custom_wine) 106 | 107 | ## Subreddits Relacionados 108 | 109 | - [r/LinuxCrackSupport](https://www.reddit.com/r/LinuxCrackSupport) 110 | - [r/linux_gaming](https://www.reddit.com/r/linux_gaming) 111 | -------------------------------------------------------------------------------- /docs/es/mobile.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: Móvil 3 | description: Sitíos para Android e iOS. 4 | tags: 5 | - downloads 6 | - android 7 | - ios 8 | --- 9 | 10 | # Celular 11 | 12 | Esta sección es para juegos y aplicaciones de Android e iOS. Tenemos secciones separadas para cada plataforma y una sección para aplicaciones de sideloading y utilitarios. 13 | 14 | ### Android 15 | 16 | #### Aplicaciones y Juegos 17 | 18 | - :star2: [Mobilism](https://forum.mobilism.me) - Aplicaciones y juegos 19 | - [ApkVision](https://apkvision.org) - Juegos 20 | - [PDALIFE](https://pdalife.com) - Juegos 21 | - [Androeed](https://androeed.store) - Juegos 22 | - [APKHome](https://apkhome.io) - Juegos 23 | - [LITEAPKS](https://liteapks.com) - Aplicaciones y juegos modificados 24 | - [RB Mods](https://www.rockmods.net) - Aplicaciones 25 | 26 | #### Sideloading y Utilitarios 27 | 28 | - [Aurora Store](https://auroraoss.com/) - Cliente FOSS para Play Store 29 | - [APKMirror](https://www.apkmirror.com/) - APKs intocados 30 | - [Droid-ify](https://github.com/Droid-ify/client) - Cliente de F-Droid 31 | - [Obtainium](https://github.com/ImranR98/Obtainium/) - Actualizador de aplicaciones basadas en el código fuente 32 | 33 | ### iOS 34 | 35 | #### Aplicaciones y Juegos 36 | 37 | - [BabylonIPA](https://t.me/BabylonIPA) - Juegos modificados 38 | - [IPADark](https://t.me/ipa_dark) - Juegos pagos 39 | - [GLESign](https://t.me/glesign) - Juegos portados 40 | - [CodeVN](https://ios.codevn.net) - Aplicativos y juegos 41 | - [AnyIPA](https://anyipa.me) - iPAs decriptadas 42 | - [Eth Mods](https://sultanmods.fyi) - Aplicaciones modificadas 43 | - [4PDA](https://4pda.to/forum/) - Juegos 44 | - [PDALife](https://pdalife.com/ios/games/) - Juegos 45 | 46 | #### Sideloading 47 | 48 | - [Guia de Sideloading](https://ios.cfw.guide/sideloading-apps/) 49 | - [TrollStore](https://github.com/opa334/TrollStore) - Sideloading ilimitado de aplicativos [iOS 14.0-17.0] 50 | - [SideStore](https://sidestore.io/) - Aplicación para sideloading [iOS 14.0 y arriba] 51 | - [Sideloadly](https://sideloadly.io/) - Haz sideload de aplicaciones [iOS 7.0 y arriba] 52 | - [Feather](https://github.com/khcrysalis/Feather) - Haz sideload de aplicaciones con un certificado pagado de desarrollador [iOS 15 y arriba] -------------------------------------------------------------------------------- /docs/es/software.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: Software 3 | description: Software que mejorará tu experiencia de piratería. 4 | --- 5 | 6 | # Software 7 | 8 | Software que mejorará tu experiencia de piratería. 9 | 10 | ## Gestores de Descargas 11 | 12 | - [:star2: Internet Download Manager](https://www.internetdownloadmanager.com) / 13 | [Crack](https://cracksurl.com/internet-download-manager) & 14 | [Instrucciones](https://rentry.org/installidm) 15 | - [IDMHelper](https://github.com/unamer/IDMHelper) 16 | - [:star2: JDownloader](https://jdownloader.org/jdownloader2) - Detecta la mayoría de hosts de descarga. 17 | - [Guía de mejora](https://lemmy.world/post/3098414) 18 | - [Resolutor de Captchas Offline](https://github.com/cracker0dks/CaptchaSolver) 19 | - [Tema Oscuro](https://support.jdownloader.org/Knowledgebase/Article/View/dark-mode-theme) 20 | - [:star2: Xtreme Download Manager](https://xtremedownloadmanager.com) 21 | - [AB Download Manager](https://abdownloadmanager.com) 22 | - [Gopeed](https://gopeed.com) / 23 | [Plugins](https://github.com/search?q=topic%3Agopeed-extension&type=repositories) 24 | - [imFile](https://github.com/imfile-io/imfile-desktop) or 25 | [Motrix](https://motrix.app) 26 | - [Aria2](https://aria2.github.io) - Gestor de descargas en CLI / 27 | [Interfaz de Usuario](https://persepolisdm.github.io) / 28 | [Interfaz de Usuario WEB](https://github.com/ziahamza/webui-aria2) 29 | - [Free Download Manager](https://www.freedownloadmanager.org) / 30 | [Gestor de Descarga de Videos](https://github.com/meowcateatrat/elephant) 31 | 32 | ## Torrent Clients 33 | 34 | - [:star2: qBittorrent](https://www.qbittorrent.org) / 35 | [Versión mejorada](https://github.com/c0re100/qBittorrent-Enhanced-Edition) / 36 | [Tema oscuro](https://draculatheme.com/qbittorrent) 37 | - [:star2: Deluge](https://dev.deluge-torrent.org) 38 | - [:star2: Transmission](https://transmissionbt.com) 39 | - [Motrix](https://motrix.app) 40 | - [Tixati](https://tixati.com) 41 | - [PicoTorrent](https://picotorrent.org) 42 | - [BiglyBT](https://www.biglybt.com) 43 | - [LibreTorrent](https://github.com/proninyaroslav/libretorrent) - Para dispositivos android. 44 | 45 | ## VPNs 46 | 47 | :::danger 48 | **El navegador Tor ***no*** es una VPN, ¡no te brinda una protección al torrentear!** 49 | ::: 50 | 51 | - [r/VPN](https://www.reddit.com/r/VPN) 52 | - [Recomendación de VPN's cortesía de Privacy Guides](https://www.privacyguides.org/en/vpn) 53 | - [Tabla Comparativa de VPN's en r/VPN](https://www.reddit.com/r/VPN/comments/m736zt) 54 | -------------------------------------------------------------------------------- /docs/es/unsafe.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: A evitar 3 | description: Aplicaciones y sitios que debes evitar A TODA costa. 4 | --- 5 | 6 | # A evitar 7 | 8 | Aplicaciones y sitios que debes evitar A TODA costa. 9 | 10 | :::tip 11 | Puedes usar lo siguiente para mejorar tu experiencia y evitar a aquellos software y 12 | sitios que son considerados como inseguros. 13 | 14 | Puedes utilizar el filtro de [FMHY Sitios y Software a Evitar](https://fmhy.net/unsafesites), 15 | [siguiendo esta guía para uBlock](https://github.com/fmhy/FMHYFilterlist), 16 | o a través de uBlacklist (que es más eficiente) o uBlock Origin para bloquear los sitios a evitar 17 | mencionados aquí. 18 | 19 | Sigue 20 | [esta guía](https://github.com/fmhy/FMHYFilterlist) 21 | para agregar los filtros a uBlock Origin (usa 22 | [esta](https://raw.githubusercontent.com/fmhy/FMHYFilterlist/main/filterlist.txt) 23 | donde dice "Importar..." o "Import..."). 24 | ::: 25 | 26 | ## Sitios web y uploaders a evitar 27 | 28 | :::danger 29 | **¡LOS GRUPOS DE LA SCENE NO TIENEN SITIOS WEB! 30 | Los sitios que poseen un nombre de algún grupo de la Scene en la URL son enlaces maliciosos 31 | Ten cuidado con las [webs falsas de 1337x](https://redd.it/117fq8t) and 32 | [las webs falsas de Zlib](https://redd.it/16xtm67).** 33 | ::: 34 | 35 | - AGFY - Enlaces de estafa. 36 | - AimHaven - Anuncios de redirección maliciosos. 37 | - AliPak/AliTPB/b4tman - Siempre posee malware. 38 | - AllPCWorld - Subieron KMS Matrix, un conocido malware. 39 | - anr285 40 | - AppValley/Ignition/TutuBox - 41 | Poseen un [historial de ataques DDoS](https://github.com/fmhy/FMHYedit/pull/307) 42 | - ApunKaGames 43 | - BBRepacks - Posee malware. 44 | - Corepack - Lanzamientos robados y con malware en ellos. 45 | - CNET/Download.com/Softonic/ZDNET - Sus descargas poseen 46 | [Adware](https://www.reddit.com/r/software/comments/9s7wyb/whats_the_deal_with_sites_like_cnet_softonic_and/e8mtye9) 47 | - CracksHash - Posee [malware](https://redd.it/lklst7). 48 | - Crohasit - Está afiliado con los dueños de SteamUnlocked 49 | - cracked-games/GETGAMEZ - Posee malware. 50 | - CrackingPatching - Posee [malware](https://www.reddit.com/r/Piracy/comments/qy6z3c). 51 | - FileCR - Sus descargas poseen malware [constantemente.](https://rentry.co/filecr_malware) 52 | - FreeTP/Game3rb - Enlaces de descarga fraudulentos y maliciosos en su página web. 53 | - FTUApps - Sus archivos poseen malware [constantemente](https://redd.it/120xk62) 54 | - GameFabrique - Posee juegos de IGG Games y 55 | [sus instaladores poseen adware](https://www.reddit.com/r/FREEMEDIAHECKYEAH/comments/10bh0h9/unsafe_sites_software_thread/jhi7u0h). 56 | - GetIntoMac/GetIntoPC - Se ha visto malware en sus archivos constantemente. 57 | - `GOG`/`Roms`/`Steam` Unlocked - Juegos de 58 | [IGG Games y nosTEAM](https://i.ibb.co/VgW2ymY/YUnRNpN.png) subidos en su web, 59 | anuncios de redirección maliciosos, y descargas lentas. 60 | - haxNode 61 | - `IGG Games/GamesTorrents/LoadGames/PCGamesTorrents` - Doxearon a mercs213 (Dueño de Good Old Download), 62 | te exploitean para obtener ingresos publicitarios, y ponen su propio DRM, mineros de crypto monedas 63 | y malware en sus juegos. 64 | - IGI30 - Sus juegos poseen malware. 65 | - KaranPC - Se ha atrapado malware constantemente en sus juegos subidos. 66 | - KickassTorrents - Ya no existe, sólo existen copias fraudulentas de este sitio. 67 | - MainRepo/MRepo (No tiene relación con el Magisk module de MRepo) - 68 | Posee [malware](https://rentry.co/zu3i6). 69 | - NexusGames, Steam-Repacks, Unlocked-Games, World of PC Games - Posee malware 70 | - nosTEAM - Posee mineros de crypto y riesgo de malware. 71 | - Ocean of Games/Ocean of APKs - Atrapado constantemente con malware. 72 | - Qoob/Seyter - Atrapado con mineros de cripto. 73 | - Repack-Games - Etiqueta mal los juegos y se roba los lanzamientos de otros lados. 74 | - RSLoad - Subió la misma versión que causó estragos en FileCR y posee 75 | [malware en uTorrent](https://i.ibb.co/QXrCfqQ/Untitled.png). 76 | - SadeemAPK/SadeemPC - Reportado constantemente por tener malware. 77 | - The Pirate Bay - Alto riesgo de malware debido a que no posee una moderación. 78 | - VitaminX - Reportado por tener mineros de cripto. 79 | - WIFI4Games - Reportado por tener malware. 80 | - xGIROx - Reportado por tener mineros de cripto. 81 | - YASDL - Versiones de Stardock y JetBrains con malware. 82 | 83 | ## Software peligroso 84 | 85 | :::tip 86 | [Lee este Pastebin sobre los activadores de Windows falsos.](https://pastebin.com/gCmWs2GR) 87 | ::: 88 | 89 | - μTorrent - Tiene anuncios, trackers y 90 | [adware](https://www.theverge.com/2015/3/6/8161251/utorrents-secret-bitcoin-miner-adware-malware). 91 | - Avast - Vende los datos de sus usuarios. 92 | - AVG/CCleaner/Gen Digital/Norton - Le pertenece a Avast. 93 | - BitComet/BitTorrent - Adware 94 | - BitLord - 95 | [Adware](https://www.virustotal.com/gui/file/3ad1aed8bd704152157ac92afed1c51e60f205fbdce1365bad8eb9b3a69544d0) 96 | - Bluecord/BlueKik - Historial de [spam](https://redd.it/12h2v6n) y 97 | [espionaje a sus usuarios](https://rentry.co/tvrnw). 98 | - CyberGhost/ExpressVPN/Private Internet Access/ZenMate - 99 | [Le pertenece](https://rentry.co/i8dwr) a [Kape](https://www.reddit.com/r/PrivateInternetAccess/comments/q3oye4/former_malware_distributor_kape_technologies_now). 100 | - Downloadly (video downloader) - Atrapado con mineros de cripto. 101 | - FrostWire - 102 | [Adware](https://www.virustotal.com/gui/file/f20d66b647f15a5cd5f590b3065a1ef2bcd9dad307478437766640f16d416bbf/detection) 103 | - GShade - Puede gatillar [reinicios](https://rentry.co/GShade_notice) no deseados. 104 | - Kik - Comunmente utilizado por [depredadores sexuales y estafadores](https://youtu.be/9sPaJxRmIPc). 105 | - KLauncher - Contiene malware. 106 | - Limewire - Completamente muerto, cualquier cosa que diga ser ellos **debe** ser evitada. 107 | - McAfee - Instala bloatware. 108 | - Opera (Navegadores) - No se recomienda hasta para el uso cotidiano por 109 | [demasiado](https://www.kuketz-blog.de/opera-datensendeverhalten-desktop-version-browser-check-teil13) 110 | [malas](https://rentry.co/operagx) prácticas de privacidad, además de 111 | [aplicaciones de préstamo de dinero predatorias](https://www.androidpolice.com/2020/01/21/opera-predatory-loans). 112 | - PCProtect/Protected/TotalAV - Antivirus falsos. 113 | ([1](https://www.malwarebytes.com/blog/detections/pup-optional-pcprotect), 114 | [2](https://youtu.be/PcS3EozgyhI), 115 | [3](https://www.malwarebytes.com/blog/detections/pup-optional-totalav)). 116 | - PolyMC - El dueño [expulsó a todos los miembros](https://www.reddit.com/r/Minecraft/comments/y6lt6s/important_warning_for_users_of_the_polymc_mod) de su 117 | servidor de discord y el repositorio. En vez de usar PolyMC, usa Prism Launcher. 118 | - TLauncher (No relacionado con TLauncher Legacy) - 119 | Prácticas de negocio [sombrías](https://www.reddit.com/r/PiratedGames/comments/zmzzrt). 120 | En vez de usar TLauncher, usa Prism Launcher. 121 | - VSTorrent - Atrapado con [malware](https://redd.it/x66rz2). 122 | -------------------------------------------------------------------------------- /docs/es/useful.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: De utilidad 3 | description: Herramientas esenciales, sitios y componentes que vale la pena utilizar. 4 | --- 5 | 6 | # De utilidad 7 | 8 | Herramientas esenciales, sitios y componentes que vale la pena utilizar. 9 | 10 | ## Componentes requeridos 11 | 12 | Instala todos estos componentes antes de descargar tus juegos (comprados o piratas) 13 | para evitar crasheos debido a la ausencia de las librerías de software en tu sistema: 14 | 15 | - [DirectX](https://www.microsoft.com/download/details.aspx?id=35) 16 | - [VisualCppRedist AIO](https://github.com/abbodi1406/vcredist/releases/latest) 17 | - [XNA Framework](https://www.microsoft.com/download/details.aspx?id=20914) 18 | 19 | ## Tools 20 | 21 | :::tip 22 | :exclamation: Vea 23 | [RIN SteamInternals](https://cs.rin.ru/forum/viewtopic.php?f=10&t=65887) y 24 | [Una Colección de Herramientas de Steam](https://steamcommunity.com/sharedfiles/filedetails/?id=451698754) 25 | para más herramientas de Steam. 26 | ::: 27 | 28 | - [:star2: Koalageddon](https://github.com/acidicoala/Koalageddon) / [v2](https://github.com/acidicoala/Koalageddon2) (Solo para Steam) - 29 | DLC Unlocker para Steam, Epic Games Store, EA (utiliza el EA DLC Unlocker) y Uplay. 30 | - [CreamAPI](https://cs.rin.ru/forum/viewtopic.php?f=29&t=70576) - Desbloqueador de DLCs para juegos 31 | comprados en Steam / 32 | [Instalador automatizado](https://cs.rin.ru/forum/viewtopic.php?p=2013521) 33 | - [Goldberg Steam Emulator](https://cs.rin.ru/forum/viewtopic.php?f=29&t=91627) - 34 | Emulador de Steam / [GUI](https://cs.rin.ru/forum/viewtopic.php?f=29&t=111152) / 35 | [Guía](https://rentry.co/goldberg_emulator) 36 | - [SmartSteamEmu](https://cs.rin.ru/forum/viewtopic.php?p=2009102#p2009102) - Emulador de Steam y multijugador online. 37 | - [Unsteam](https://cs.rin.ru/forum/viewtopic.php?f=20&t=134707&hilit=unsteam) - Permite jugar a juegos piratas en línea con 38 | otros jugadores que posean el juego pirata. 39 | - [Online Fix](https://online-fix.me) - Permite jugar a juegos piratas en línea con otros jugadores 40 | que posean el juego pirata. / Contraseña: `online-fix.me` 41 | - [Radmin VPN](https://www.radmin-vpn.com) / [ZeroTier](https://www.zerotier.com) - Emuladores virtuales de LAN para jugar multijugador online. 42 | - [GameRanger](https://www.gameranger.com) / [Voobly](https://www.voobly.com) - Servicios para jugar multijugador online gratuitos. 43 | - [Steamless](https://github.com/atom0s/Steamless) - Remueve el DRM de Steam / 44 | [Crack automático](https://github.com/oureveryday/Steam-auto-crack) 45 | - [GreenLuma 2024 Manager](https://github.com/BlueAmulet/GreenLuma-2024-Manager) - Gestor de desbloqueo de juegos de Steam para GreenLuma. 46 | - [Auto SteamFix Tool](https://cs.rin.ru/forum/viewtopic.php?f=29&t=97112) - 47 | Arregla y crea las dependencias de Steamworks automáticamente. 48 | - [EA DLC Unlocker](https://cs.rin.ru/forum/viewtopic.php?f=20&t=104412) - Desbloqueador de DLCs para clientes de EA. 49 | - [Nemirtingas Epic Emulator](https://cs.rin.ru/forum/viewtopic.php?f=29&t=105551) - 50 | Emulador de Epic Online Services. 51 | - [SteamDB](https://steamdb.info) / [Extensión](https://steamdb.info/extension) - Herramienta de perspectivas para Steam (Visualizar jugadores, estadísticas y precios históricos.) 52 | - [WorkshopDL](https://github.com/imwaitingnow/WorkshopDL) - Gestor de descargas para descargar mods desde la Workshop de Steam. 53 | - [Sims 4 Updater](https://cs.rin.ru/forum/viewtopic.php?f=29&t=102519) - 54 | Actualizador para la versión pirata de Los Sims 4. 55 | - [Plutonium](https://plutonium.pw) - Servidores dedicados de Call of Duty, con soporte 56 | para mods y más funciones. 57 | - [Lucky Patcher](https://www.luckypatchers.com) - Parcheador para aplicaciones Android (funciona mejor con root) 58 | 59 | ## Software 60 | 61 | :::tip 62 | Activa tus productos de Microsoft (Office y Windows) con **[Microsoft Activation Scripts](https://massgrave.dev).** 63 | Visita **[m0nkrus](https://vk.com/monkrus) (mirror debido a [problemas con el sitio](https://reddit.com/r/GenP/comments/1h3c2ny/monkrus_users_need_to_use_mirror_site_on_vk))** para productos de Adobe. 64 | 65 | Para el resto, visita: [LRepacks](https://lrepacks.net) o 66 | [CRACKSurl](https://cracksurl.com). 67 | ::: 68 | 69 | - [7-Zip](https://7-zip.org) - Descompresor de archivos de código abierto 70 | - [Bitwarden](https://bitwarden.com) - Gestor de contraseñas de código abierto 71 | - [Firefox](https://www.mozilla.org/firefox) - Navegador web para el uso cotidiano / [Betterfox](https://github.com/yokoffing/Betterfox) 72 | - [Thorium](https://thorium.rocks) - Navegador ligero, centrado en la privacidad y la seguridad basado en Chromium. 73 | - [Tor Browser](https://www.torproject.org) - Navegador web privado que enruta el tráfico 74 | de internet a través de una red descentralizada de servidores operada por voluntarios 75 | que complica las posibilidades de que te rastreen. 76 | - [Achievement Watcher](https://xan105.github.io/Achievement-Watcher) - 77 | Analizador de archivos de logros con capturas de pantallas automáticas, 78 | seguimiento de tus horas de juego y notificaciones en tiempo real. 79 | - [Achievement Watchdog](https://github.com/50t0r25/achievement-watchdog) - Monitor de logros para juegos con el Goldberg Emulator, no pide una llave de API de Steam 80 | - [Playnite](https://playnite.link) - Gestor de biblioteca de juegos de codigo abierto 81 | - [Hydra](https://github.com/hydralauncher/hydra) - ¡Una tienda (¡Similar a Steam!) en donde puedes descargar juegos piratas! 82 | - [Parsec](https://parsec.app) - Software de streaming de videojuegos con baja latencia 83 | - [RapidCRC](https://ov2.eu/programs/rapidcrc-unicode) - Verificador de checksums y generador de información de hashes 84 | - [SpotX](https://github.com/SpotX-Official/SpotX) / [Linux](https://github.com/SpotX-Official/SpotX-Bash) - Bloqueador de anuncios para el cliente de desktop de Spotify 85 | 86 | ## Browser Extensions 87 | 88 | - [uBlock Origin](https://ublockorigin.com) - Bloqueador de anuncios / 89 | [recomendaciones de yokoffing's](https://github.com/yokoffing/filterlists#recommended-filters-for-ublock-origin) 90 | - [uBlacklist](https://iorate.github.io/ublacklist/docs) - Filtrado de búsquedas 91 | - [Bypass All Shortlinks Debloated](https://codeberg.org/Amm0ni4/bypass-all-shortlinks-debloated) - 92 | Script para realizarle un bypass a los acortadores de enlaces. Necesitas una de las tres extensiones de abajo para que funcione 93 | - [FireMonkey](https://addons.mozilla.org/firefox/addon/firemonkey) - 94 | Gestor de scripts de usuario de código abierto para Firefox 95 | - [Tampermonkey](https://www.tampermonkey.net) - 96 | Gestor de scripts de usuario propietario para la mayoría de navegadores 97 | - [ViolentMonkey](https://violentmonkey.github.io) - 98 | Gestor de scripts de usuario de código abierto para la mayoría de navegadores. 99 | 100 |
    101 |
  • Translate Web Pages 102 | - Traductor en tiempo real que traduce a través de Google o Yandex. 103 |
  • 104 |
105 | 106 | - [Contenedor para Multicuentas de Firefox](https://github.com/mozilla/multi-account-containers) - 107 | Con esta herramienta, podrás mantener separadas tanto a tu vida online como a tu vida personal en un mismo navegador 108 | a través de una asignación de colores para cada pestaña con el fin de cuidar tu privacidad. 109 | Las cookies estarán separadas en cada uno de estos contenedores permitiéndote así tener muchas cuentas o 110 | identidades abiertas a la vez en un mismo navegador. 111 | 112 | 113 | ## Trainers (trampas) 114 | 115 | No está permitido su uso para juegos online. Por favor, ¡No hagas trampas en juegos en línea! 116 | 117 | - [:star2: FLiNG Trainer](https://flingtrainer.com) 118 | - [:star2: GameCopyWorld](https://gamecopyworld.com/games) - También posee solo cracks y parches NoCD. 119 | - [WeMod](https://www.wemod.com) 120 | - [MegaGames](https://megagames.com) 121 | - [FearLess Cheat Engine](https://fearlessrevolution.com) - Tablas para Cheat Engine 122 | - [MrAntiFun](https://mrantifun.net) 123 | 124 | ## Release Trackers 125 | 126 | No proveen enlaces de descarga. Estos sitios tienen información sobre los lanzamientos 127 | de la Scene y P2P's No downloads provided. P2P / Revisa aquí para ver si un juego ha sido crackeado. 128 | 129 | 130 | - [:star2: xREL](https://www.xrel.to/games-release-list.html?lang=en_US) 131 | - [m2v.ru](https://m2v.ru/?func=part&Part=3) 132 | - [PreDB.org](https://predb.org/section/GAMES) 133 | - [PreDB.de](https://predb.de/section/GAMES) 134 | - [srrDB](https://www.srrdb.com/browse/category:pc/1) 135 | - [PreDB.pw](https://predb.pw) 136 | - [r/CrackWatch](https://www.reddit.com/r/CrackWatch) 137 | - [r/RepackWatchers](https://www.reddit.com/r/RepackWatchers) - Solo repacks 138 | - [r/RepackWorld](https://www.reddit.com/r/RepackWorld) - Solo repacks / 139 | Subreddit hermano de [r/PiratedGames](https://www.reddit.com/r/PiratedGames)' 140 | 141 | ## Subreddits Relacionados 142 | 143 | - [r/FREEMEDIAHECKYEAH](https://www.reddit.com/r/FREEMEDIAHECKYEAH) 144 | - [r/Piracy](https://www.reddit.com/r/Piracy) 145 | - [r/CrackSupport](https://www.reddit.com/r/CrackSupport) 146 | - [r/linux_gaming](https://www.reddit.com/r/linux_gaming) 147 | - [r/LinuxCrackSupport](https://www.reddit.com/r/LinuxCrackSupport) 148 | - [r/QuestPiracy](https://www.reddit.com/r/QuestPiracy) 149 | - [r/SteamDeckPirates](https://www.reddit.com/r/SteamDeckPirates) 150 | - [r/SwitchPirates](https://www.reddit.com/r/SwitchPirates) 151 | -------------------------------------------------------------------------------- /docs/glossary.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: Glossary 3 | description: Answers to some of the most commonly asked questions. 4 | tags: 5 | - discussion 6 | - glossary 7 | - scene 8 | - nfo 9 | - ads 10 | - download 11 | --- 12 | 13 | # Glossary 14 | 15 | This page helps summarize over some basic topics on the piracy scene. This also 16 | serves as referential material to gloss over quickly. 17 | 18 | :::warning 19 | This glossary is a work in progress. If you have any suggestions, please 20 | [open an issue](https://github.com/privateersclub/wiki/issues/new). 21 | ::: 22 | 23 | ## Terms 24 | 25 | :::tip What is the Scene? And P2P? 26 | The Scene is an underground community of 27 | people who crack and share copyrighted material. They have strict rules that all 28 | scene members have to abide. P2P are independent crackers who don't follow the 29 | [Scene rules](https://scenerules.org). 30 | ::: 31 | 32 | :::tip What're NFOs? 33 | NFOs are like a readme.txt that Scene makes on release. It 34 | gives you instructions, a general description of the game and some additional 35 | information. 36 | ::: 37 | 38 | :::tip Why does X site have so many ads? 39 | **Use an adblocker**. Ads keep the 40 | websites running, but sometimes the ad ruins the experience or even link 41 | malware. You can take these steps if you want an ad-free experience: 42 | 43 | ### Android 44 | 45 | Install 46 | [**Firefox**](https://play.google.com/store/apps/details?id=org.mozilla.firefox) 47 | and add 48 | [**uBlock Origin**](https://addons.mozilla.org/android/addon/ublock-origin). 49 | This should be more than enough. If you want system-wide support, try 50 | [**AdGuard**](https://adguard.com/adguard-android/overview.html) or 51 | [**NextDNS**](https://nextdns.io). You can watch 52 | [**this video**](https://youtu.be/WUG57ynLb8I) if you need guidance. 53 | 54 | ### PC 55 | 56 | Install [**uBlock Origin**](https://ublockorigin.com) in your browser and you're 57 | done! If you want a system-wide solution, you _can_ use 58 | [**NextDNS**](https://nextdns.io), but it won't be as effective as uBlock 59 | Origin. You can also use 60 | [Bypass All Shortlinks](https://codeberg.org/Amm0ni4/bypass-all-shortlinks-debloated) 61 | or [Bypass.city](https://bypass.city) to _bypass_ redirects. 62 | 63 | ### iOS 64 | 65 | [**NextDNS**](https://nextdns.io) should cover everything for system-wide ads & 66 | trackers. You can also try [**AhaDNS**](https://ahadns.com). 67 | ::: 68 | 69 | :::tip Do I need to use VPN while downloading? 70 | The necessity of using a VPN 71 | depends on the method of downloading. For direct downloads, a VPN is typically 72 | unnecessary. However, if you're engaging in peer-to-peer (P2P) activities such 73 | as torrenting, it is advisable to employ a VPN for enhanced security and 74 | privacy. Additionally, the legal ramifications in your area play a crucial role; 75 | if the consequences are lenient, you might opt to forgo using a VPN altogether. 76 | ::: 77 | 78 | :::tip Why is my download so slow? 79 | Use a download manager. Some websites impose 80 | file transfer limits for a single thread, thereby restricting download speeds. 81 | Download managers overcome this limitation by leveraging multiple threads for 82 | downloading, resulting in faster download speeds. We've listed some recommended 83 | ones [here](/software#download-managers). 84 | ::: 85 | -------------------------------------------------------------------------------- /docs/index.md: -------------------------------------------------------------------------------- 1 | --- 2 | layout: home 3 | title: Home 4 | 5 | hero: 6 | name: privateersclub 7 | tagline: Welcome to the most comprehensive game piracy wiki on the Internet. 8 | image: 9 | src: /home.png 10 | alt: privateersclub 11 | actions: 12 | - text: Get Started 13 | link: /glossary 14 | - text: Contribute 15 | link: /contribute 16 | - text: Translations 17 | link: /_translations/ 18 | theme: alt 19 | 20 | features: 21 | - icon: ✏️ 22 | title: Actively Updated 23 | details: Our wiki is actively maintained by our dedicated community members. 24 | - icon: 🌐 25 | title: Translations 26 | details: 27 | The wiki is elegantly translated into multiple languages, ensuring you can 28 | explore its content with utmost ease and comfort! 29 | - icon: 🌟 30 | title: Favorite Picks 31 | details: 32 | We regularly curate the finest sites for you and emphasize their 33 | prominence, so you can have peace of mind. 34 | --- 35 | 36 | 37 | 38 | 39 | 40 | 41 | -------------------------------------------------------------------------------- /docs/linux.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: Linux 3 | description: Everything regarding piracy on Linux. 4 | tags: 5 | - linux 6 | - discussion 7 | - glossary 8 | - download 9 | - tools 10 | - torrent 11 | --- 12 | 13 | # Linux 14 | 15 | Everything regarding piracy on Linux. 16 | 17 | ::: info Best Linux distribution for gaming? 18 | None. None of them will provide you the performance they claim that you can't get yourself by picking a regular distribution and using the latest updates. 19 | 20 | So to get the best performance, one simply needs the latest updates. All linux distributions provide the same packages and provide updates. 21 | Some provide them faster than others. So any distribution that updates its packages the soonest after upstream, is good, in our opinion. 22 | ::: 23 | 24 | ::: danger Beware of what you search/read online! 25 | Beware of what you search and read online on the Internet, it is the general rule that one shouldn't believe everything they see online. 26 | 27 | Not everything will work out the way you intend *it may work*, sometimes the advice online is outdated or just **incompatible**, so be sure of what you're seeing will work for your system or not, before running any commands or changing configurations, and breaking your system in the process. 28 | 29 | If you need a guide, the [Arch Wiki](https://wiki.archlinux.org) is good and works universally for most distributions, not only arch. 30 | ::: 31 | 32 | ## Downloading 33 | 34 | ### Direct Download Sites 35 | 36 | - :star2: [Torrminatorr](https://forum.torrminatorr.com) - GOG, Linux games & Scene 37 | releases forum / Registration required 38 | - :star2: [KAPITALSIN](https://kapitalsin.com/forum) - Game repacks forum 39 | (occasionally has lossy, or compressed repacks) / 40 | [Translator](useful.md#translator) 41 | - :star2: [CS.RIN.RU](https://cs.rin.ru/forum) - Game piracy forum / Registration 42 | required / 43 | [Enhancement mod](https://github.com/SubZeroPL/cs-rin-ru-enhanced-mod) / 44 | Password: `cs.rin.ru` 45 | 46 | ### Torrent Sites 47 | 48 | - :star2: [johncena141](https://1337x.to/user/johncena141/) - Linux games 49 | - :star2: [RuTracker](https://rutracker.org/forum/viewforum.php?f=899) - Linux games 50 | / [Translator](useful.md#translator) 51 | 52 | ## Software 53 | 54 | ### Kernels 55 | 56 | ::: danger 57 | Custom kernels can significantly change your system behavior, [disable security mitigations](https://wiki.archlinux.org/index.php/Kernel_parameters), and cause all sorts of instabilities and reliability issues. It is recommended that you keep [backups](https://wiki.archlinux.org/title/Backup) and a backup kernel installed to boot back to, from GRUB. 58 | ::: 59 | 60 | - [linux-zen](https://github.com/zen-kernel/zen-kernel) - Reliable kernel with patches for casual users 61 | - [XanMod Stable Real-time](https://xanmod.org) 62 | - [Liquorix](https://liquorix.net) 63 | - [Clear Linux Kernel](https://github.com/clearlinux-pkgs/linux) - For Intel systems, very useful for servers 64 | - [linux-tkg](https://github.com/Frogging-Family/linux-tkg) - Requires self-compilation 65 | 66 | ### Launchers 67 | 68 | - :star2: [Lutris](https://lutris.net) - Game launcher 69 | - :star2: [Heroic Games Launcher](https://heroicgameslauncher.com) - Epic, GOG, & 70 | Amazon Prime Games launcher 71 | - [Minigalaxy](https://sharkwouter.github.io/minigalaxy) - GOG client 72 | - [Bottles](https://usebottles.com) - Windows software manager 73 | 74 | ### Tools 75 | 76 | - [MangoHud](https://github.com/flightlessmango/MangoHud) - Overlay for 77 | monitoring performance / [GUI](https://github.com/benjamimgois/goverlay) 78 | - [ProtonUp-Qt](https://github.com/DavidoTek/ProtonUp-Qt) / [ProtonPlus](https://github.com/Vysp3r/ProtonPlus) - Wine & Proton-based compatibility tools manager 79 | - [Winetricks](https://github.com/Winetricks/winetricks) - Wine fixes & tweaks 80 | - [DiscordOverlayLinux](https://github.com/trigg/Discover) - Discord Overlay for Linux 81 | - [Luxtorpeda](https://github.com/luxtorpeda-dev/luxtorpeda) - Steam Play compatibility layer for games 82 | - [GameHub](https://tkashkin.github.io/projects/gamehub) - Unified games hub 83 | 84 | ## Websites 85 | 86 | - [ProtonDB](https://www.protondb.com) - Proton's compatibility reports and fixes. 87 | - [AppDB](https://appdb.winehq.org) - Wine's tracker to track reports and ratings of video games. 88 | - [GamingOnLinux](https://www.gamingonlinux.com) 89 | - [The Linux Gamers' Game List](https://www.icculus.org/lgfaq/gamelist.php) - Games that run natively on Linux 90 | - [Arch Wiki / Gaming](https://wiki.archlinux.org/index.php/Gaming) - Everything from configuration tips to running games 91 | - [LibreGameWiki](https://libregamewiki.org/Main_Page) 92 | - [Open Source Game Clones](https://osgameclones.com/) - FOSS Game remakes/clones 93 | 94 | ## Guides 95 | 96 | - :star2: [Linux Gaming Wiki](https://linux-gaming.kwindu.eu/index.php) 97 | - :star2: [Installing repacks with Lutris](https://www.reddit.com/r/LinuxCrackSupport/comments/yqfirv/how_to_install_fitgirl_or_dodi_windows_repacks_in) 98 | / 99 | [Fix for DLL errors](https://reddit.com/r/LinuxCrackSupport/comments/tirarp/psa_when_installing_repacks_with_custom_wine) 100 | 101 | ## Related Subreddits 102 | 103 | - [r/LinuxCrackSupport](https://www.reddit.com/r/LinuxCrackSupport) 104 | - [r/linux_gaming](https://www.reddit.com/r/linux_gaming) 105 | - [r/SteamDeckPirates](https://www.reddit.com/r/SteamDeckPirates) 106 | -------------------------------------------------------------------------------- /docs/mobile.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: Mobile 3 | description: Android and iOS websites. 4 | tags: 5 | - downloads 6 | - android 7 | - ios 8 | --- 9 | 10 | # Mobile 11 | 12 | This section is for Android and iOS apps & games. We have separate sections for each platform, and a section for sideloading and utility apps. 13 | 14 | ### Android 15 | 16 | #### Apps & Games 17 | - :star2: [Mobilism](https://forum.mobilism.me) - Apps & Games 18 | - [ApkVision](https://apkvision.org) - Games 19 | - [PDALIFE](https://pdalife.com) - Games 20 | - [Androeed](https://androeed.store) - Games 21 | - [APKHome](https://apkhome.io) - Games 22 | - [LITEAPKS](https://liteapks.com) - Modded Apps & Games 23 | - [RB Mods](https://www.rockmods.net) - Apps 24 | 25 | #### Sideloading & Utility 26 | - [Aurora Store](https://auroraoss.com/) - FOSS client for Play Store 27 | - [APKMirror](https://www.apkmirror.com/) - Untouched APKs 28 | - [Droid-ify](https://github.com/Droid-ify/client) - F-Droid Client 29 | - [Obtainium](https://github.com/ImranR98/Obtainium/) - Source-based App Updater 30 | 31 | ### iOS 32 | 33 | #### Apps & Games 34 | - [BabylonIPA](https://t.me/BabylonIPA) - Tweaked Games 35 | - [IPADark](https://t.me/ipa_dark) - Paid Games 36 | - [GLESign](https://t.me/glesign) - Ported Games 37 | - [CodeVN](https://ios.codevn.net) - Apps & Games 38 | - [AnyIPA](https://anyipa.me) - Decrypted iPAs 39 | - [Eth Mods](https://sultanmods.fyi) - Tweaked Apps 40 | - [4PDA](https://4pda.to/forum/) - Games 41 | - [PDALife](https://pdalife.com/ios/games/) - Games 42 | 43 | #### Sideloading 44 | - [Sideloading Guide](https://ios.cfw.guide/sideloading-apps/) 45 | - [TrollStore](https://github.com/opa334/TrollStore) - Unlimited App Sideloading [iOS 14.0-17.0] 46 | - [SideStore](https://sidestore.io/) - Sideloading App [iOS 14.0 & Above] 47 | - [Sideloadly](https://sideloadly.io/) - Sideload Apps [iOS 7.0 & Above] 48 | - [Feather](https://github.com/khcrysalis/Feather) - Sideload Apps with Paid Dev Cert [iOS 15 & Above] 49 | -------------------------------------------------------------------------------- /docs/public/christmas/front.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/privateersclub/wiki/01b839a81ec245edd7f1ea3cde14dd96bf108079/docs/public/christmas/front.png -------------------------------------------------------------------------------- /docs/public/christmas/pattern.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/privateersclub/wiki/01b839a81ec245edd7f1ea3cde14dd96bf108079/docs/public/christmas/pattern.png -------------------------------------------------------------------------------- /docs/public/home.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/privateersclub/wiki/01b839a81ec245edd7f1ea3cde14dd96bf108079/docs/public/home.png -------------------------------------------------------------------------------- /docs/public/logo.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/privateersclub/wiki/01b839a81ec245edd7f1ea3cde14dd96bf108079/docs/public/logo.png -------------------------------------------------------------------------------- /docs/ro/contribute.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: Ghidul pentru a contribui 3 | description: Cumn poți să contribui la wiki. 4 | --- 5 | 6 | 7 | -------------------------------------------------------------------------------- /docs/ro/download.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: Download 3 | description: Site-uri și totul pentru downloadări directe. 4 | tags: 5 | - downloads 6 | - torrents 7 | - repacks 8 | - linux 9 | --- 10 | 11 | # Download 12 | 13 | Site-uri și downloadări directe. 14 | 15 | ## Site-uri de downloadări directe 16 | 17 | Dowloadările directe sunt downloadări normale, sunt mai sigure 18 | și nu îți trebuie un VPN. Poate îți trebuie un VPN pentru a accesa gazde de fișiere blocate (de ex. 19 | Rapidgator în unele țări UE). Verifică 20 | [partea managerilor de downloadări](/software#manageri-de-downloadări) pentru gestionarea downloadărilor. 21 | 22 | - [:star2: CS.RIN.RU](https://cs.rin.ru/forum) - Forum despre pirateria jocurilor / Necesită 23 | înregistrare / 24 | [Mod de îmbunătățire](https://github.com/SubZeroPL/cs-rin-ru-enhanced-mod) / 25 | Parola este: `cs.rin.ru` 26 | - [:star2: SteamGG](https://steamgg.net) 27 | - [:star2: SteamRIP](https://steamrip.com) - Jocuri Steam 28 | - [:star2: AnkerGames](https://ankergames.net) 29 | - [:star2: Game Bounty](https://gamebounty.world) 30 | - [:star2: GOG Games](https://gog-games.to) / [Torrenți](https://freegogpcgames.com) - Jocuri GOG 31 | - [World of PC Games](https://worldofpcgames.com) 32 | - [CG-gamesPC](https://www.cg-gamespc.com) 33 | - [GameDrive](https://gamedrive.org) 34 | - [Ova Games](https://www.ovagames.com) / Parola este: `www.ovagames.com` 35 | - [GLOAD](https://gload.to/pc) - Lansări Scene și P2P 36 | - [Scnlog](https://scnlog.me/games) - Lansări Scene 37 | - [Lansări Empress](https://telegra.ph/Empress-Biography-07-15) - Jocuri piratate Empress 38 | - [Gamdie](https://gamdie.com) - Jocuri indie 39 | - [Appnetica](https://appnetica.com) - Jocuri indie 40 | - [DigitalZone](https://rentry.co/god_csrinru) - Jocuri indie 41 | - [AtopGames](https://atopgames.com) - Jocuri indie 42 | - [Leechinghell](http://www.leechinghell.pw) - Jocuri multiplayer 43 | - [Wendy's Forum](https://wendysforum.net/index.php) - HOG-uri / Necesită 44 | înregistrare 45 | - [AppCake](https://iphonecake.com/index.php?device=0&p=1&c=8) - aplicații și jocuri 46 | pentru iOS și macOS 47 | - [NMac](https://nmac.to/category/games) - Jocuri și aplicații pentru macOS 48 | - [AppKed](https://www.macbed.com/games) - Jocuri și aplicații pentru macOS 49 | - [Cmacked](https://cmacked.com) - Jocuri și aplicații pentru macOS 50 | - [ARMGDDN Games](https://t.me/ARMGDDNGames) [Browser](https://cs.rin.ru/forum/viewtopic.php?f=14&t=140593) - Jocuri RV (realitate virtuală) 51 | - [My Abandonware](https://www.myabandonware.com) - Jocuri vechi 52 | - [Old-Games.RU](https://www.old-games.ru/catalog/) - Jocuri vechi / Schimbă limba interfeței în 53 | engleză în colțul din dreapta-sus 54 | - [F95zone](https://f95zone.to) - Jocuri NSFW (cu pornografie) / Necesită înregistrare 55 | - [Repacklab](https://repacklab.com/) – Jocuri NSFW (cu pornografie) 56 | - [Software Library: MS-DOS Games](https://archive.org/details/softwarelibrary_msdos_games?and[]=mediatype%3A%22software%22) - 57 | Jocuri MS-DOS 58 | - [Prism Launcher](https://prismlauncher.org) - Java Minecraft / 59 | [Joacă folosind un cont non-premium](https://github.com/antunnitraj/Prism-Launcher-PolyMC-Offline-Bypass) 60 | - [Moriya Shrine](https://moriyashrine.org) - Touhou 61 | 62 | ## Site-uri cu torrente 63 | 64 | Torrenții sunt downloadări P2P (peer-to-peer/între persoane). Îți trebuie un VPN 65 | pentru a descărca torrenți în siguranță și pentru a evita avertizările furnizorului de internet privind drepturile autorului, 66 | exceptând țările care tolerează piratarea. Verifică [Secțiunea de VPN-uri](/software#vpn-uri) pentru mai multe informații. 67 | 68 | - [:star2: 1337x](https://1337x.to/sub/10/0/) / 69 | [Uploaderi siguri (cu excepția lui FileCR)](https://www.reddit.com/r/Piracy/comments/nudfgn/me_after_reading_the_megathread/h0yr0q6/?context=3) 70 | - [Îmbunătațiri la interfață](https://greasyfork.org/scripts/33379-1337x-torrent-page-improvements) 71 | - [Legături magnet pentru torrenți](https://greasyfork.org/scripts/420754-1337x-torrent-and-magnet-links) 72 | - [Corectarea fusului orar](https://greasyfork.org/scripts/421635-1337x-convert-torrent-timestamps-to-relative-format) 73 | - [Link-uri de subtitrare pentru filme și TV](https://greasyfork.org/scripts/29467-1337x-subtitle-download-links-to-tv-and-movie-torrents) 74 | - [:star2: RuTracker](https://rutracker.org/forum/index.php?c=19) / [Cautare torrenți](https://addons.mozilla.org/firefox/addon/rutracker_torrent_search) 75 | / [Traducător](/useful#translator) 76 | - [Rutor](http://rutor.info/games) / [Traducător](/useful#translator) 77 | - [Rustorka](https://rustorka.com/forum/index.php?c=6) / 78 | [Traducător](/useful#translator) 79 | - [Mac Torrents](https://www.torrentmac.net/category/games) - Jocuri și aplicații pentru macOS 80 | 81 | ## Repack-uri 82 | 83 | Repack-urile sunt jocuri comprimate pentru persoanele care au o viteză de descărcare mică, dar instalând jocurile 84 | durează mai mult timp din cauza faptului că trebuie decomprimat fișierul. 85 | 86 | - [:star2: DODI Repacks](https://dodi-repacks.site) 87 | - [:star2: FitGirl Repacks](https://fitgirl-repacks.site) 88 | - [:star2: ElAmigos](https://elamigos.site) - Folosește link-ul oglindă de pe GLOAD sau Ova Games 89 | pentru downloadări mai rapide. 90 | - [:star2: KaOsKrew](https://kaoskrew.org/viewforum.php?f=13&sid=c2dac73979171b67f4c8b70c9c4c72fb) 91 | - [TriahGames](https://triahgames.com) 92 | - [Xatab](https://byxatab.org) - Majoritatea lansărilor noi nu sunt repack-uri. 93 | - [Chovka](http://rutor.info/browse/0/8/1642915/0), [2](https://repack.info) 94 | - [ScOOt3r Repacks](https://game-repack.site/scooter) - S-a transferat la KaOsKrew în iunie 2024. 95 | - [Masquerade Repacks](https://web.archive.org/web/20220616203326/https://masquerade.site) - 96 | Repack-uri până în mai 2022. S-a transferat la KaOsKrew în iunie 2022. 97 | - [Tiny Repacks](https://www.tiny-repacks.win) 98 | - [ZAZIX](https://1337x.to/user/ZAZIX/) 99 | - [Gnarly Repacks](https://rentry.org/gnarly_repacks) - Jocuri de console emulate 100 | - [KAPITALSIN](https://kapitalsin.com/forum) - Forum despre jocurile care au repack-uri (are ocazional 101 | repack-uri comprimate cu pierderi) / [Traducător](/useful#translator) 102 | - [M4CKD0GE Repacks](https://m4ckd0ge-repacks.site) 103 | - [MagiPack Games](https://www.magipack.games) - Jocuri vechi 104 | - [The Collection Chamber](https://collectionchamber.blogspot.com) - Jocuri vechi 105 | - [CPG Repacks](https://cpgrepacks.site) - Jocuri anime NSFW (cu pornografie) 106 | -------------------------------------------------------------------------------- /docs/ro/emulation.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: Emulare 3 | description: Site-uri cu ROM-uri, emulatoare, forumuri și mai multe. 4 | tags: 5 | - emulation 6 | - discussion 7 | - roms 8 | - subreddits 9 | --- 10 | 11 | # Emulare 12 | 13 | Site-uri cu ROM-uri, emulatoare, formuri și mai multe. 14 | 15 | ## Site-uri cu ROM-uri 16 | 17 | - [:star2: r/Roms Megathread](https://r-roms.github.io) 18 | - [:star2: Crocdb](https://crocdb.net) 19 | - [:star2: CDRomance](https://cdromance.com) 20 | - [DLPSGAME](https://dlpsgame.com) 21 | - [Edge Emulation](https://edgeemu.net) 22 | - [The ROM Depot](https://theromdepot.com) / Necesită înregistrare 23 | - [Vimm's Lair](https://vimm.net/vault) 24 | - [Emuparadise](https://www.emuparadise.me/roms-isos-games.php) / 25 | [Download workaround guide](https://lemmy.world/post/3061617) 26 | - [NoPayStation](https://nopaystation.com) - Jocuri de PlayStation 1, Vita, 3 și PSP 27 | - [Ziperto](https://www.ziperto.com) - Jocuri pentru console Nintendo 28 | - [NSW2u](https://nsw2u.com) - Jocuri pentru Nintendo Switch 29 | - [NXBrew](https://nxbrew.net) - Jocuri pentru Nintendo Switch 30 | - [Romslab](https://romslab.com/) – Jocuri pentru Nintendo Switch 31 | 32 | ## Emulatoare 33 | 34 | :::tip 35 | Verifică 36 | **[Wiki-ul general de Emulare](https://emulation.gametechwiki.com/index.php/Main_Page#Emulators)** 37 | pentru mai multe informații. 38 | 39 | Unele emulatoare au nevoie de fișiere în plus (chei sau BIOS) și sunt marcate 40 | cu o :gear:. Le poți lua de 41 | [aici](https://r-roms.github.io/megathread/misc/#bios-files). 42 | ::: 43 | 44 | - [Batocera.linux](https://batocera.org) - Distribuție Linux pentru emularea jocurilor vechi 45 | - [Winlator](https://winlator.org) - Pentru jocuri Windows 46 | - [:gear: RetroArch](https://retroarch.com) - Pentru diverse console / Evită core-urile PPSSPP, Dolphin și Citra 47 | - [:gear: Ares](https://ares-emu.net) - Pentru diverse console / Evită core-urile Neo 48 | Geo, PlayStation 1 și Game Boy Advance 49 | - [:gear: Kenji-NX](https://github.com/KeatonTheBot/Kenji-NX) / 50 | [:gear: Citron](https://git.citron-emu.org/Citron/Citron) - Emulator pentru Nintendo Switch 51 | - [shadPS4](https://shadps4.net) - Emulator pentru PlayStation 4 52 | - [Cemu](https://cemu.info) ([Android](https://github.com/SSimco/Cemu)) - Emulator pentru Wii U 53 | - [:gear: Vita3K](https://vita3k.org) - Emulator pentru PlayStation Vita 54 | - [Azahar](https://azahar-emu.org) - Emulator pentru 3DS 55 | - [Dolphin Emulator](https://dolphin-emu.org) - Emulator pentru GameCube și Wii 56 | - [RPCS3](https://rpcs3.net) ([Android](https://github.com/DHrpcs3/rpcs3-android)) - Emulator pentru PlayStation 3 57 | - [xenia](https://xenia.jp) - Emulator pentru Xbox 360 58 | - [:gear: MAME](https://www.mamedev.org) - Emulator pentru jocurile Arcade 59 | - [PPSSPP](https://www.ppsspp.org) - Emulator pentru PSP 60 | - [melonDS](https://melonds.kuribo64.net) ([Android](https://github.com/rafaelvcaetano/melonDS-android)) / [DeSmuME](https://desmume.org) - 61 | Emulator pentru Nintendo DS 62 | - [No$GBA](https://www.nogba.com) - Emulator pentru Nintendo DS și GBA 63 | - [:gear: xemu](https://xemu.app) - Emulator pentru primul Xbox 64 | - [mGBA](https://mgba.io) - Emulator pentru GBA 65 | - [:gear: PCSX2](https://pcsx2.net) - Emulator pentru PlayStation 2 66 | - [Parallel Launcher](https://parallel-launcher.ca) - Emulator pentru Nintendo 64 67 | - [:gear: DuckStation](https://www.duckstation.org) - Emulator pentru PlayStation 1 68 | - [bsnes](https://github.com/bsnes-emu/bsnes) / 69 | [Snes9x](https://www.snes9x.com) - Emulator pentru SNES 70 | - [WePlayDOS Games](https://weplaydos.games/) - Jocuri MS-DOS în browser 71 | 72 | ## Subreddit-uri relevante 73 | 74 | - [r/Roms](https://www.reddit.com/r/roms) 75 | - [r/EmulationPiracy](https://reddit.com/r/EmulationPiracy) 76 | - [r/SwitchHacks](https://www.reddit.com/r/SwitchHacks) 77 | - [r/SwitchHaxing](https://www.reddit.com/r/SwitchHaxing) 78 | - [r/ps4homebrew](https://www.reddit.com/r/ps4homebrew) 79 | - [r/WiiUHacks](https://www.reddit.com/r/WiiUHacks) 80 | - [r/3dshacks](https://www.reddit.com/r/3dshacks) 81 | - [r/vitahacks](https://www.reddit.com/r/vitahacks) 82 | - [r/VitaPiracy](https://www.reddit.com/r/VitaPiracy) 83 | - [r/WiiHacks](https://www.reddit.com/r/WiiHacks) 84 | - [r/ps3homebrew](https://www.reddit.com/r/ps3homebrew) 85 | -------------------------------------------------------------------------------- /docs/ro/glossary.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: Dicționar 3 | description: Răspunsuri la unele dintre cele mai frecvente întrebări. 4 | tags: 5 | - discussion 6 | - glossary 7 | - scene 8 | - nfo 9 | - ads 10 | - download 11 | --- 12 | 13 | # Dicționar 14 | 15 | Această pagină ajută la rezumarea unor subiecte de bază privind pirateria. Mai ajută 16 | materialul referențial pentru a revizui mai rapid unii termeni. 17 | 18 | ## Termeni 19 | 20 | :::tip Ce înseamnă Scene? Și P2P? 21 | Scene este comunitatea de oameni 22 | care distribuie material protejat de drepturi de autor. Ei au reguli pe care 23 | toți membrii trebuie să le respecte. P2P (peer-to-peer) sunt oameni independenți care nu trebuie să respecte 24 | [Regulile Scene](https://scenerules.org). 25 | ::: 26 | 27 | :::tip Ce sunt NFO-urile? 28 | NFO-urile sunt niște fișiere, ca și readme.txt, care sunt scrise de persoanele care fac lansări Scene. Îți 29 | dau instrucțiuni, o descriere generală despre joc și chiar informații 30 | în plus. 31 | ::: 32 | 33 | :::tip De ce are site-ul X atâtea reclame? 34 | **Folosește un adblocker**. Reclamele mențin 35 | site-urile în funcțiune, dar uneori, reclamele strică experiența, ba chiar te poate 36 | redirecționa la un link cu viruși. Poți lua aceste măsuri dacă vrei să nu mai ai reclame: 37 | 38 | ### Pentru Android 39 | 40 | Instalează 41 | [**Firefox**](https://play.google.com/store/apps/details?id=org.mozilla.firefox) 42 | și adaugă 43 | [**uBlock Origin**](https://addons.mozilla.org/android/addon/ublock-origin). 44 | Asta ar trebui să fie suficient. Dacă vrei blocare de reclame la nivel de sistem, încearcă 45 | [**AdGuard**](https://adguard.com/adguard-android/overview.html) sau 46 | [**NextDNS**](https://nextdns.io). Te poți uita la 47 | [**acest video**](https://youtu.be/WUG57ynLb8I) dacă ai nevoie de ajutor. 48 | 49 | ### Pentru calculatoare 50 | 51 | Instalează [**uBlock Origin**](https://ublockorigin.com) pe browser și 52 | gata! Dacă vrei la nivel de sistem, _poți_ folosi 53 | [**NextDNS**](https://nextdns.io), dar nu va fi la fel de eficient ca uBlock 54 | Origin. Mai poți folosi 55 | [Bypass All Shortlinks](https://codeberg.org/Amm0ni4/bypass-all-shortlinks-debloated) 56 | sau [Bypass.city](https://bypass.city) pentru a _ocoli_ redirecționările. 57 | 58 | ### Pentru iOS 59 | 60 | [**NextDNS**](https://nextdns.io) ar trebui să blocheze reclamele la nivel de sistem și 61 | trackerii. Mai poți folosi [**AhaDNS**](https://ahadns.com). 62 | ::: 63 | 64 | :::tip Îmi trebuie un VPN când downloadez? 65 | Necesitatea folosirii unui VPN 66 | depinde de metoda de descărcare. Pentru descărcări directe, nu prea este necesar 67 | să ai un VPN. Cu toate acestea, dacă downloadezi un fișier P2P (peer-to-peer) sau dai torrent la 68 | un fișier, ar fi bine să ai un VPN pentru o siguranță îmbunătățită și confidențialitate. 69 | În plus, ramificațile juridice joacă un rol crucial; 70 | dacă sancțiunile sunt blânde, ai putea alege să renunți complet la folosirea unui VPN. 71 | ::: 72 | 73 | :::tip De ce se downloadează așa de încet? 74 | Folosește un manager de descăcări. Unele site-uri impun limite 75 | de transfer ale fișierelor pentru un singur fir (thread), așadar restricționând viteza de descărcare. 76 | Managerii de descărcare depășesc această limită alocând mai multe fire (thread-uri) pentru 77 | descărcare, resultând in viteze mai mari de descărcare. [Aceștia](/software#manageri-de-downloadări) sunt printre cei mai buni. 78 | ::: 79 | -------------------------------------------------------------------------------- /docs/ro/index.md: -------------------------------------------------------------------------------- 1 | --- 2 | layout: home 3 | title: Home 4 | 5 | hero: 6 | name: privateersclub/wiki 7 | tagline: Bine ai venit la cel mai cuprinzător wiki privind pirateria jocurilor de pe internet. 8 | image: 9 | src: /home.png 10 | alt: privateersclub 11 | actions: 12 | - text: Începe 13 | link: /ro/glossary 14 | - text: Contribuie 15 | link: /ro/contribute 16 | - text: Traduceri 17 | link: /_translations/ 18 | theme: alt 19 | 20 | features: 21 | - icon: ✏️ 22 | title: Activ actualizat 23 | details: Wiki-ul este menținut de membrii comunității care sunt dedicați. 24 | - icon: 🌐 25 | title: Traduceri 26 | details: 27 | Wiki-ul este tradus în mai multe limbi, asigurând că poți explora 28 | conținutul cu ușurință! 29 | - icon: 🌟 30 | title: Selecții preferate 31 | details: 32 | Selectăm periodic site-uri de top pentru tine și le scoatem în 33 | evidență, ca să ai liniște sufletească. 34 | --- 35 | -------------------------------------------------------------------------------- /docs/ro/linux.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: Linux 3 | description: Totul despre pirateria pe Linux. 4 | tags: 5 | - linux 6 | - discussion 7 | - glossary 8 | - download 9 | - tools 10 | - torrent 11 | --- 12 | 13 | # Linux 14 | 15 | Totul despre pirateria pe Linux. 16 | 17 | ::: info Care e cea mai bună distrubuție pentru gaming? 18 | Niciunul. Niciunul nu-ți va oferi performanța pe care o pretind și pe care nu o poți obține prin alegerea unei distribuții normale și prin utilizarea celor mai recente actualizări. 19 | 20 | Deci, pentru a obține cea mai bună performanță, îți trebuie cele mai noi actualizări. Toate distribuțiile linux oferă aceleași pachete și furnizează actualizări. Unii le oferă mai rapid decăt alții. Deci, orice distribuție care își actualizează pachetele cel mai repede după upstream, este bun. 21 | ::: 22 | 23 | ::: danger Ai grijă ce cauți/citești pe net! 24 | Ai grijă ce cauți/citești pe net, regula de bază este că nu trebuie să crezi tot ce vezi online. 25 | 26 | Nu totul va merge cum *vrei*, uneori, sfaturile online sunt prea vechi sau sunt **incompatibile**, deci asigură-te că ceea ce vezi va funcționa sau nu pentru sistemul tău, înainte de a executa comenzi sau de a schimba configurații și de a-ți distruge sistemul în acest proces. 27 | 28 | Dacă ai nevoie de ajutor, [Wiki-ul Arch Linux](https://wiki.archlinux.org/) este bun și merge pe toate distribuțile, nu doar Arch. 29 | ::: 30 | 31 | ## Downloadare 32 | 33 | ### Site-uri de downloadare directă 34 | 35 | - [:star2: Torrminatorr](https://forum.torrminatorr.com) - Forum despre lansări Scene, 36 | jocuri pentru Linux și GOG / Necesită înregistrare 37 | - [:star2: KAPITALSIN](https://kapitalsin.com/forum) - Forum despre jocuri repack 38 | (are ocazional jocuri comprimate cu pierderi) / 39 | [Traducător](useful.md#translator) 40 | - [:star2: CS.RIN.RU](https://cs.rin.ru/forum) - Forum despre pirateria de jocuri / Necesită 41 | înregistrare / 42 | [Mod de îmbunătățire](https://github.com/SubZeroPL/cs-rin-ru-enhanced-mod) / 43 | Parola este: `cs.rin.ru` 44 | 45 | ### Site-uri cu torrente 46 | 47 | - [:star2: johncena141](https://1337x.to/user/johncena141/) - Jocuri pentru Linux 48 | - [:star2: RuTracker](https://rutracker.org/forum/viewforum.php?f=899) - Jocuri pentru Linux 49 | / [Traducător](useful.md#translator) 50 | 51 | ## Programe 52 | 53 | ### Nuclee (Kernel-uri) 54 | 55 | ::: danger 56 | Nucleele (Kernel-urile) personalizate pot schimba comportamentul sistemului, pot [dezactiva reducerile de securitate](https://wiki.archlinux.org/index.php/Kernel_parameters), și pot cauza instabilități și probleme de siguranță. Este recomandat să faci [backup-uri](https://wiki.archlinux.org/title/Backup) și un nucleu de rezervă pentru a porni înapoi, din GRUB. 57 | ::: 58 | 59 | - [linux-zen](https://github.com/zen-kernel/zen-kernel) - Nucleu sigur cu patch-uri pentru utilizatorii obișnuiți 60 | - [XanMod Stable Real-time](https://xanmod.org) 61 | - [Liquorix](https://liquorix.net) 62 | - [Clear Linux Kernel](https://github.com/clearlinux-pkgs/linux) - Pentru calculatoarele care au un procesor Intel, foarte folositor pentru servere 63 | - [linux-tkg](https://github.com/Frogging-Family/linux-tkg) - Necesită o compilare făcută de utilizator 64 | 65 | ### Lansatori (Launchere) 66 | 67 | - [:star2: Lutris](https://lutris.net) - Lansator de jocuri 68 | - [:star2: Heroic Games Launcher](https://heroicgameslauncher.com) - Lansator de jocuri 69 | de pe Epic Games, GOG și Amazon Prime Games 70 | - [Minigalaxy](https://sharkwouter.github.io/minigalaxy) - Client GOG 71 | - [Bottles](https://usebottles.com) - Gestionar de software pentru Windows 72 | 73 | ### Programe 74 | 75 | - [MangoHud](https://github.com/flightlessmango/MangoHud) - Pentru monitorizarea 76 | performanței calculatorului / [GUI](https://github.com/benjamimgois/goverlay) 77 | - [ProtonUp-Qt](https://github.com/DavidoTek/ProtonUp-Qt) / [ProtonPlus](https://github.com/Vysp3r/ProtonPlus) - Gestionar de programe de compatibilitate bazate pe Wine și Proton 78 | - [Winetricks](https://github.com/Winetricks/winetricks) - Corecții și ajustări pentru Wine 79 | - [DiscordOverlayLinux](https://github.com/trigg/Discover) - Suprapunere Discord pentru Linux 80 | - [Luxtorpeda](https://github.com/luxtorpeda-dev/luxtorpeda) - Compatibilitate Steam Play pentru jocuri 81 | - [GameHub](https://tkashkin.github.io/projects/gamehub) - Centru unificat pentru jocuri 82 | 83 | ## Site-uri 84 | 85 | - [ProtonDB](https://www.protondb.com) - Rapoarte de compatibilitate și corecții pentru Proton. 86 | - [AppDB](https://appdb.winehq.org) - Monitorizarea rapoartelor si ratingurile jocurilor video făcut de creatorii Wine. 87 | - [GamingOnLinux](https://www.gamingonlinux.com) 88 | - [The Linux Gamers' Game List](https://www.icculus.org/lgfaq/gamelist.php) - Jocuri care rulează nativ pe Linux 89 | - [Arch Wiki / Gaming](https://wiki.archlinux.org/index.php/Gaming) - De la sfaturi de configurare până la rularea jocurilor 90 | - [LibreGameWiki](https://libregamewiki.org/Main_Page) 91 | - [Open Source Game Clones](https://osgameclones.com/) - Clone sau refaceri de jocuri SCSD/Software cu sursă deschisă (FOSS în limba engleză) 92 | 93 | ## Ghiduri 94 | 95 | - [:star2: Linux Gaming Wiki](https://linux-gaming.kwindu.eu/index.php) 96 | - [:star2: Instalarea repack-urilor cu Lutris](https://www.reddit.com/r/LinuxCrackSupport/comments/yqfirv/how_to_install_fitgirl_or_dodi_windows_repacks_in) 97 | / 98 | [Soluții pentru erorile DLL](https://reddit.com/r/LinuxCrackSupport/comments/tirarp/psa_when_installing_repacks_with_custom_wine) 99 | 100 | ## Subreddit-uri relevante 101 | 102 | - [r/LinuxCrackSupport](https://www.reddit.com/r/LinuxCrackSupport) 103 | - [r/linux_gaming](https://www.reddit.com/r/linux_gaming) 104 | - [r/SteamDeckPirates](https://www.reddit.com/r/SteamDeckPirates) 105 | -------------------------------------------------------------------------------- /docs/ro/mobile.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: Mobil 3 | description: Site-uri pentru Android și iOS. 4 | tags: 5 | - downloads 6 | - android 7 | - ios 8 | --- 9 | 10 | # Mobil 11 | 12 | Această parte este pentru aplicațiile și jocurile făcute pentru Android și iOS. Avem părți separate pentru fiecare sistem de operare și o parte pentru sideloading (instalarea aplicațiilor) și aplicații utile 13 | 14 | ### Android 15 | 16 | #### Aplicații și jocuri 17 | - :star2: [Mobilism](https://forum.mobilism.me) - Aplicații și jocuri 18 | - [ApkVision](https://apkvision.org) - Jocuri 19 | - [PDALIFE](https://pdalife.com) - Jocuri 20 | - [Androeed](https://androeed.store) - Jocuri 21 | - [APKHome](https://apkhome.io) - Jocuri 22 | - [LITEAPKS](https://liteapks.com) - Aplicații și jocuri modificate 23 | - [RB Mods](https://www.rockmods.net) - Aplicații 24 | 25 | #### Sideloading și utilități 26 | - [Aurora Store](https://auroraoss.com/) - Client gratis (și cu codul sursă liber) pentru Magazin Play 27 | - [APKMirror](https://www.apkmirror.com/) - Fișiere APK nemodificate 28 | - [Droid-ify](https://github.com/Droid-ify/client) - Client F-Droid 29 | - [Obtainium](https://github.com/ImranR98/Obtainium/) - Actualizator de aplicații bazat pe codul sursă 30 | 31 | ### iOS 32 | 33 | #### Aplicații și jocuri 34 | - [BabylonIPA](https://t.me/BabylonIPA) - Jocuri modificate 35 | - [IPADark](https://t.me/ipa_dark) - Jocuri plătite 36 | - [GLESign](https://t.me/glesign) - Jocuri portate (jocuri care au fost făcute pentru un alt sistem, dar care au fost adaptate de altcineva pentru iOS) 37 | - [CodeVN](https://ios.codevn.net) - Aplicații și jocuri 38 | - [AnyIPA](https://anyipa.me) - Fișiere iPA decriptate (fișierele iPA sunt ca și fișierele APK) 39 | - [Eth Mods](https://sultanmods.fyi) - Aplicații modificate 40 | - [4PDA](https://4pda.to/forum/) - Jocuri 41 | - [PDALife](https://pdalife.com/ios/games/) - Jocuri 42 | 43 | #### Sideloading 44 | - [Sideloading Guide](https://ios.cfw.guide/sideloading-apps/) 45 | - [TrollStore](https://github.com/opa334/TrollStore) - Sideloading de aplicații nelimitat [iOS 14.0-17.0] 46 | - [SideStore](https://sidestore.io/) - Sideloading de aplicații [iOS 14.0 în sus] 47 | - [Sideloadly](https://sideloadly.io/) - Sideload la aplicații [iOS 7.0 în sus] 48 | - [Feather](https://github.com/khcrysalis/Feather) - Sideload la aplicații cu un certificat plătit de dezvoltator [iOS 15 în sus] 49 | -------------------------------------------------------------------------------- /docs/ro/software.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: Programe 3 | description: Programe pentru îmbunătățirea experienței de piraterie. 4 | tags: 5 | - download 6 | - torrent 7 | - software 8 | - vpn 9 | - discussion 10 | --- 11 | 12 | # Programe 13 | 14 | Programe pentru îmbunătățirea experienței de piraterie. 15 | 16 | ## Manageri de downloadări 17 | 18 | - [:star2: Internet Download Manager](https://www.internetdownloadmanager.com) / 19 | [Versiunea piratată](https://cracksurl.com/internet-download-manager) & 20 | [instrucțiuni](https://rentry.org/installidm) 21 | - [IDMHelper](https://github.com/unamer/IDMHelper) 22 | - [:star2: JDownloader](https://jdownloader.org/jdownloader2) - Detectează majoritatea gazdelor 23 | de fișiere 24 | - [Ghid de îmbunătățire](https://lemmy.world/post/3098414) 25 | - [Rezolvare CAPTCHA offline](https://github.com/cracker0dks/CaptchaSolver) 26 | - [Temă întunecată](https://support.jdownloader.org/Knowledgebase/Article/View/dark-mode-theme) 27 | - [:star2: Xtreme Download Manager](https://xtremedownloadmanager.com) 28 | - [AB Download Manager](https://abdownloadmanager.com) 29 | - [Gopeed](https://gopeed.com) / 30 | [Plugin-uri](https://github.com/search?q=topic%3Agopeed-extension&type=repositories) 31 | - [imFile](https://github.com/imfile-io/imfile-desktop) sau 32 | [Motrix](https://motrix.app) 33 | - [Aria2](https://aria2.github.io) - Manager de downloadări în consolă / 34 | [GUI](https://persepolisdm.github.io) / 35 | [Web UI](https://github.com/ziahamza/webui-aria2) 36 | - [Free Download Manager](https://www.freedownloadmanager.org) / 37 | [Video downloader](https://github.com/meowcateatrat/elephant) 38 | 39 | ## Clienți pentru a da torrent 40 | 41 | - [:star2: qBittorrent](https://www.qbittorrent.org) / 42 | [Versiunea îmbunătățită](https://github.com/c0re100/qBittorrent-Enhanced-Edition) / 43 | [Temă întunecată](https://draculatheme.com/qbittorrent) 44 | - [:star2: Deluge](https://dev.deluge-torrent.org) 45 | - [:star2: Transmission](https://transmissionbt.com) 46 | - [Motrix](https://motrix.app) 47 | - [Tixati](https://tixati.com) 48 | - [PicoTorrent](https://picotorrent.org) 49 | - [BiglyBT](https://www.biglybt.com) 50 | - [LibreTorrent](https://github.com/proninyaroslav/libretorrent) - Pentru dispozitivele 51 | Android 52 | 53 | ## VPN-uri 54 | 55 | :::danger 56 | **Tor Browser în sine nu este un VPN, deci nu ești protejat când dai torrent!** 57 | ::: 58 | 59 | - [r/VPN](https://www.reddit.com/r/VPN) 60 | - [Recomandările de VPN ale Ghidurilor de confidențialitate](https://www.privacyguides.org/en/vpn) 61 | - [Tabel comparativ cu VPN-uri pe r/VPN](https://www.reddit.com/m736zt) 62 | 63 | -------------------------------------------------------------------------------- /docs/ro/unsafe.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: Evită 3 | description: Ce nu ar mai trebuie să folosești. 4 | --- 5 | 6 | # Evită 7 | 8 | Ce nu ar mai trebui să folosești. 9 | 10 | :::tip 11 | Poți folosi 12 | [Site-urile/programele nesigure de FMHY](https://fmhy.net/unsafesites) 13 | [filtru pentru adblocker-ul](https://github.com/fmhy/FMHYFilterlist) 14 | uBlacklist (mai eficient) sau uBlock Origin pentru a bloca majoritatea site-urilor 15 | menționate aici. Uită-te peste 16 | [acest ghid](https://github.com/fmhy/FMHYFilterlist) 17 | pentru a-l adăuga în uBlock Origin (pune 18 | [asta](https://raw.githubusercontent.com/fmhy/FMHYFilterlist/main/filterlist.txt) 19 | unde scrie "Import…"). 20 | ::: 21 | 22 | ## Site-uri și uploaderi nesiguri 23 | 24 | :::danger 25 | **GRUPURILE SCENE NU AU SITE-URI! Site-urile cu numele unui grup Scene în URL 26 | sunt link-uri periculoase. Să știi că există [site-uri false 1337x](https://redd.it/117fq8t) și 27 | [site-uri false Z-lib](https://redd.it/16xtm67).** 28 | ::: 29 | 30 | - AGFY - Link-uri înșelătoare. 31 | - AimHaven - Reclamele redirecționează la viruși. 32 | - AliPak/AliTPB/b4tman - Au tot fost prinți cu viruși. 33 | - AllPCWorld - Au încărcat KMS Matrix, un virus cunoscut. 34 | - anr285 35 | - AppValley/Ignition/TutuBox - Istoric cu 36 | [Atacuri DDoS](https://github.com/fmhy/FMHYedit/pull/307). 37 | - ApunKaGames 38 | - BBRepacks - Prinși că puneau viruși. 39 | - Corepack - Lansări furate și prinși că puneau viruși. 40 | - CNET/Download.com/Softonic/ZDNET - Istoric cu 41 | [Adware](https://www.reddit.com/r/software/comments/9s7wyb/whats_the_deal_with_sites_like_cnet_softonic_and/e8mtye9). 42 | - CracksHash - Prinși că puneau [viruși](https://redd.it/lklst7). 43 | - Crohasit - Este afiliat cu proprietarii SteamUnlocked. 44 | - cracked-games/GETGAMEZ - Prinși că puneau viruși. 45 | - CrackingPatching - Prinși că puneau [viruși](https://www.reddit.com/r/Piracy/comments/qy6z3c). 46 | - FileCR - [Au tot fost](https://rentry.co/filecr_malware) prinși că puneau viruși. 47 | - FreeTP/Game3rb - Link-uri de descărcare false malițioase pe pagină. 48 | - FTUApps - [Au tot fost](https://redd.it/120xk62) prinși că puneau viruși. 49 | - GameFabrique - Încărcări IGG Games și 50 | [instalatori de adware](https://www.reddit.com/r/FREEMEDIAHECKYEAH/comments/10bh0h9/unsafe_sites_software_thread/jhi7u0h). 51 | - GetIntoMac/GetIntoPC - Au tot fost prinși că puneau viruși. 52 | - `GOG`/`Roms`/`Steam` Unlocked - 53 | [IGG Games și nosTEAM](https://i.ibb.co/VgW2ymY/YUnRNpN.png) încarcă, 54 | reclame care redirecționează la link-uri malițioase și descărcări încete. 55 | - haxNode 56 | - `IGG Games/GamesTorrents/LoadGames/PCGamesTorrents` - Au dat dox la mercs213 (proprietar Good Old 57 | Downloads), te exploatează pentru venituri din reclame și își pune propriul DRM, mineri de 58 | cripto și viruși în jocuri. 59 | - IGI30 - Prinși că puneau viruși. 60 | - KaranPC - Au tot fost prinși că puneau viruși. 61 | - KickassTorrents - Nu mai există, au mai rămas doar imitatori nesiguri. 62 | - MainRepo/MRepo (fără legătură cu modulul Magisk MRepo) - Prinși cu 63 | [viruși](https://rentry.co/zu3i6). 64 | - NexusGames, Steam-Repacks, Unlocked-Games, World of PC Games - Prinși 65 | cu viruși. 66 | - nosTEAM - Prinși cu mineri de cripto și poate are viruși. 67 | - Ocean of Games/Ocean of APKs - Au tot fost prinși cu viruși puși. 68 | - Qoob/Seyter - Prinși cu mineri de cripto. 69 | - Repack-Games - Pun numele jocurilor greșit și fură lansări. 70 | - RSLoad - A încărcat aceeași versiune MalwareBytes care a tulburat FileCR și are 71 | [viruși în μTorrent](https://i.ibb.co/QXrCfqQ/Untitled.png). 72 | - SadeemAPK/SadeemPC - Au tot fost prinși cu viruși puși. 73 | - The Pirate Bay - Risc mare de virusarea calculatorului pentru nu moderează site-ul. 74 | - VitaminX - Prinși cu mineri de cripto. 75 | - WIFI4Games - Au tot fost prinși cu viruși puși. 76 | - xGIROx - Prinși cu mineri cripto. 77 | - YASDL - Versiuni de Starlock și programe JetBrains cu viruși. 78 | 79 | ## Programe nesigure 80 | 81 | :::tip 82 | [Citește ast despre acrivatorii falși de Windows.](https://pastebin.com/gCmWs2GR) 83 | ::: 84 | 85 | - μTorrent - Are reclame, trackeri, și 86 | [adware](https://www.theverge.com/2015/3/6/8161251/utorrents-secret-bitcoin-miner-adware-malware). 87 | - Avast - Vinde datele utilizatorului. 88 | - AVG/CCleaner/Gen Digital/Norton - Aparține de Avast. 89 | - BitComet/BitTorrent - Adware 90 | - BitLord - 91 | [Adware](https://www.virustotal.com/gui/file/3ad1aed8bd704152157ac92afed1c51e60f205fbdce1365bad8eb9b3a69544d0) 92 | - Bluecord/BlueKik - Istoric de [spam](https://redd.it/12h2v6n) și 93 | [spionare](https://rentry.co/tvrnw). 94 | - CyberGhost/ExpressVPN/Private Internet Access/ZenMate - 95 | [Aparțin](https://rentry.co/i8dwr) de [Kape](https://www.reddit.com/r/PrivateInternetAccess/comments/q3oye4/former_malware_distributor_kape_technologies_now). 96 | - Downloadly (descarcă videouri) - Prinși cu mineri de cripto. 97 | - FrostWire - 98 | [Adware](https://www.virustotal.com/gui/file/f20d66b647f15a5cd5f590b3065a1ef2bcd9dad307478437766640f16d416bbf/detection) 99 | - GShade - Poate declanșa [reporniri](https://rentry.co/GShade_notice) nedorite. 100 | - Kik - Foarte folosit de [pedofili și țepari](https://youtu.be/9sPaJxRmIPc). 101 | - KLauncher - Are viruși. 102 | - Limewire - Nu mai există, ar trebui evitat tot ceea ce pretinde a fi ei acum. 103 | - McAfee - Instalează bloatware (programe nedorite care îți face calculatorul mai încet). 104 | - Opera (browserele) - Nu este recomandat nici pentru utilizarea normală de către 105 | [politici](https://www.kuketz-blog.de/opera-datensendeverhalten-desktop-version-browser-check-teil13) 106 | [foarte(https://rentry.co/operagx) proaste pentru intimitate, ba chiar 107 | [periculoase](https://www.androidpolice.com/2020/01/21/opera-predatory-loans). 108 | - PCProtect/Protected/TotalAV - Țepe cu antivirus-uri 109 | ([1](https://www.malwarebytes.com/blog/detections/pup-optional-pcprotect), 110 | [2](https://youtu.be/PcS3EozgyhI), 111 | [3](https://www.malwarebytes.com/blog/detections/pup-optional-totalav)). 112 | - PolyMC - Proprietarul [a dat afară toți membrii](https://www.reddit.com/r/Minecraft/comments/y6lt6s/important_warning_for_users_of_the_polymc_mod) din 113 | serverul de Discord și repo-ul de GitHub. Folosește Prism Launcher. 114 | - TLauncher (fără legătură cu TLauncher Legacy) - 115 | [practici](https://www.reddit.com/r/PiratedGames/comments/zmzzrt) comerciale dubioase. Folosește Prism Launcher. 116 | - VSTorrent - Prinși cu [viruși](https://redd.it/x66rz2). 117 | -------------------------------------------------------------------------------- /docs/ro/useful.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: Folositor 3 | description: Programe, site-uri și componente esențiale care merită utilizate. 4 | tags: 5 | - windows 6 | - tools 7 | - browser 8 | - software 9 | - discussion 10 | --- 11 | 12 | # Folositor 13 | 14 | Programe, site-uri și componente esențiale care merită utilizate. 15 | 16 | ## Componente necesare 17 | 18 | Instalează totul înainte să descarci jocuri (legitime sau piratate) pentru a preveni crash-urile 19 | cauzate de lipsa software-ului instalat pe calculatorul tău: 20 | 21 | - [DirectX](https://www.microsoft.com/download/details.aspx?id=35) 22 | - [VisualCppRedist AIO](https://github.com/abbodi1406/vcredist/releases/latest) 23 | - [XNA Framework](https://www.microsoft.com/download/details.aspx?id=20914) 24 | 25 | ## Programe 26 | 27 | :::tip 28 | :exclamation: Uită-te peste 29 | [RIN SteamInternals](https://cs.rin.ru/forum/viewtopic.php?f=10&t=65887) și 30 | [Colecția programelor pentru Steam](https://steamcommunity.com/sharedfiles/filedetails/?id=451698754) 31 | pentru mai multe programe pentru Steam. 32 | ::: 33 | 34 | - [:star2: Koalageddon](https://github.com/acidicoala/Koalageddon) / [v2](https://github.com/acidicoala/Koalageddon2) (Doar pentru Steam) - 35 | Client de Steam, Epic Games și EA (folosește EA DLC Unlocker), & Uplay DLC unlocker 36 | - [CreamAPI](https://cs.rin.ru/forum/viewtopic.php?f=29&t=70576) - Deblochează 37 | DLC-uri pentru jocurile de pe Steam legitim / 38 | [Configurare automată](https://cs.rin.ru/forum/viewtopic.php?p=2013521) 39 | - [Goldberg Steam Emulator](https://cs.rin.ru/forum/viewtopic.php?f=29&t=91627) - 40 | Emulator de Steam și jocuri multiplayer / [GUI](https://cs.rin.ru/forum/viewtopic.php?f=29&t=111152) / 41 | [Ghid](https://rentry.co/goldberg_emulator) 42 | - [SmartSteamEmu](https://cs.rin.ru/forum/viewtopic.php?p=2009102#p2009102) - Emulator de Steam și jocuri multiplayer 43 | - [Unsteam](https://cs.rin.ru/forum/viewtopic.php?f=20&t=134707&hilit=unsteam) - Permite jucarea jocurilor piratate online. 44 | - [Online Fix](https://online-fix.me) - Permite jucarea jocurilor piratate online. / Parola este: `online-fix.me` 45 | - [Radmin VPN](https://www.radmin-vpn.com) / [ZeroTier](https://www.zerotier.com) - Emulatoare LAN virtuale pentru a juca jocuri multiplayer online. 46 | - [GameRanger](https://www.gameranger.com) / [Voobly](https://www.voobly.com) - Servicii multiplayer online gratuite. 47 | - [Steamless](https://github.com/atom0s/Steamless) - Ștergător de DRM pentru Steam / 48 | [Automatic cracker](https://github.com/oureveryday/Steam-auto-crack) 49 | - [GreenLuma 2024 Manager](https://github.com/BlueAmulet/GreenLuma-2024-Manager) - Gestionar de deblocare Steam de GreenLuma 50 | - [Auto SteamFix Tool](https://cs.rin.ru/forum/viewtopic.php?f=29&t=97112) - 51 | Creator automat de corecții Steamworks 52 | - [EA DLC Unlocker](https://cs.rin.ru/forum/viewtopic.php?f=20&t=104412) - Deblocator 53 | de DLC pentru Clienții EA 54 | - [Nemirtingas Epic Emulator](https://cs.rin.ru/forum/viewtopic.php?f=29&t=105551) - 55 | Emulator de Epic Online Services 56 | - [SteamDB](https://steamdb.info) / [Extensie](https://steamdb.info/extension) - Site de analiză a jocurilor de pe Steam (Prețurile vechi, statistici etc.) 57 | - [WorkshopDL](https://github.com/imwaitingnow/WorkshopDL) - Descărcător pentru moduri de pe 58 | Steam Workshop 59 | - [Sims 4 Updater](https://cs.rin.ru/forum/viewtopic.php?f=29&t=102519) - 60 | Actualizator de versiuni piratate pentru The Sims 4 61 | - [Plutonium](https://plutonium.pw) - Servere de Call of Duty, cu suport pentru 62 | moduri și mai multe lucruri. 63 | - [Lucky Patcher](https://www.luckypatchers.com) - Patcher pentru aplicațiile Android (funcționează mai bine 64 | dacă ai dat root la telefon) 65 | 66 | ## Programe 67 | 68 | :::tip 69 | Activează produsele Microsoft (Office și Windows) cu **[Microsoft Activation Scripts](https://massgrave.dev).** 70 | Intră pe **[m0nkrus](https://vk.com/monkrus)** pentru produsele Adobe. 71 | 72 | Pentru celălalte lucruri, intră pe [LRepacks](https://lrepacks.net) 73 | sau [CRACKSurl](https://cracksurl.com). 74 | ::: 75 | 76 | - [7-Zip](https://7-zip.org) - Decomprimă fișiere 77 | - [Bitwarden](https://bitwarden.com) - Gestionar de parole cu codul sursă liber 78 | - [Firefox](https://www.mozilla.org/firefox) - Browser web pentru folosirea obișnuită / [Betterfox](https://github.com/yokoffing/Betterfox) 79 | - [Thorium](https://thorium.rocks) - Browser web ușor pe sistem, conceput pentru confidențialitate, bazat pe Chromium, cu o interfață minimalistă și funcții de securitate îmbunătățite. 80 | - [Tor Browser](https://www.torproject.org) - Browser web privat care direcționează traficul de internet 81 | printr-o rețea descentralizată de servere operate de voluntari, 82 | ceea ce face dificilă depistarea ta. 83 | - [Achievement Watcher](https://xan105.github.io/Achievement-Watcher) - 84 | Analiza fișierelor de realizări cu captură de ecran automată, urmărirea timpului de joc și 85 | notificare în timp real 86 | - [Achievement Watchdog](https://github.com/50t0r25/achievement-watchdog) - Observator de realizări pentru jocurile din Emulatorul Goldberg, nu necesită cheie de API pentru Steam 87 | - [Playnite](https://playnite.link) - Open source manager de bibliotecă de jocuri 88 | - [Hydra](https://github.com/hydralauncher/hydra) - Un magazin (similar cu Steam!) unde poți instala jocuri piratate! 89 | - [Parsec](https://parsec.app) - Software pentru streaming de jocuri cu latență redusă 90 | - [RapidCRC](https://ov2.eu/programs/rapidcrc-unicode) - Verificator de checksum și 91 | generator de informații despre hash-uri 92 | - [SpotX](https://github.com/SpotX-Official/SpotX) / [Linux](https://github.com/SpotX-Official/SpotX-Bash) - Program care blocheaza reclamele de pe aplicatia Spotify pentru calculator 93 | 94 | ## Extensii de browser 95 | 96 | - [uBlock Origin](https://ublockorigin.com) - Blochează reclamele / 97 | [recomandările lui yokoffing](https://github.com/yokoffing/filterlists#recommended-filters-for-ublock-origin) 98 | - [uBlacklist](https://iorate.github.io/ublacklist/docs) - Filtru de căutare 99 | - [Bypass All Shortlinks Debloated](https://codeberg.org/Amm0ni4/bypass-all-shortlinks-debloated) - 100 | Script pentru ocolirea scurtătorilor de link-uri - Are nevoie de una dintre cele 3 extensii de mai jos 101 | - [FireMonkey](https://addons.mozilla.org/firefox/addon/firemonkey) - 102 | Gestionar de script-uri pentru Firefox cu codul sursă liber 103 | - [Tampermonkey](https://www.tampermonkey.net) - Gestionar de script-uri pentru 104 | majoritatea browserelor care nu are codul sursă liber 105 | - [ViolentMonkey](https://violentmonkey.github.io) - Gestionar de script-uri pentru 106 | multe browsere cu codul sursă liberă 107 | 108 |
    109 |
  • Tradu site-urile 110 | - Traducerea paginii în timp real prin Google sau Yandex 111 |
  • 112 |
113 | 114 | - [Firefox Multi-Account Containers](https://github.com/mozilla/multi-account-containers) - 115 | Filele cu coduri de culori din acest instrument îți țin viața online separată, păstrându-ți 116 | confidențialitatea. Cookie-urile sunt containerizate, permițând utilizarea simultană a mai multor 117 | identități sau conturi. 118 | 119 | ## Antrenori (hack-uri) 120 | 121 | Nu sunt pentru jocurile online. Nu trișa în jocurile online! 122 | 123 | - [:star2: FLiNG Trainer](https://flingtrainer.com) 124 | - [:star2: GameCopyWorld](https://gamecopyworld.com/games) - Mai are corecții pentru jocuri 125 | piratate și NoCD. 126 | - [WeMod](https://www.wemod.com) 127 | - [MegaGames](https://megagames.com) 128 | - [FearLess Cheat Engine](https://fearlessrevolution.com) - Tabele pentru Cheat Engine 129 | - [MrAntiFun](https://mrantifun.net) 130 | 131 | ## Release Trackers 132 | 133 | Nu sunt oferite descărcări. Unele site-uri au informații despre lansările Scene/P2P. Uită-te dacă un joc 134 | a fost piratat! 135 | 136 | - [:star2: xREL](https://www.xrel.to/games-release-list.html?lang=en_US) 137 | - [m2v.ru](https://m2v.ru/?func=part&Part=3) 138 | - [PreDB.org](https://predb.org/section/GAMES) 139 | - [PreDB.de](https://predb.de/section/GAMES) 140 | - [srrDB](https://www.srrdb.com/browse/category:pc/1) 141 | - [PreDB.pw](https://predb.pw) 142 | - [r/CrackWatch](https://www.reddit.com/r/CrackWatch) 143 | - [r/RepackWatchers](https://www.reddit.com/r/RepackWatchers) - Doar despre repack-uri 144 | - [r/RepackWorld](https://www.reddit.com/r/RepackWorld) - Doar despre repack-uri / 145 | [r/PiratedGames](https://www.reddit.com/r/PiratedGames)' subreddit soră 146 | 147 | ## Subreeddit-uri relevante 148 | 149 | - [r/FREEMEDIAHECKYEAH](https://www.reddit.com/r/FREEMEDIAHECKYEAH) 150 | - [r/Piracy](https://www.reddit.com/r/Piracy) 151 | - [r/CrackSupport](https://www.reddit.com/r/CrackSupport) 152 | - [r/linux_gaming](https://www.reddit.com/r/linux_gaming) 153 | - [r/LinuxCrackSupport](https://www.reddit.com/r/LinuxCrackSupport) 154 | - [r/QuestPiracy](https://www.reddit.com/r/QuestPiracy) 155 | - [r/SteamDeckPirates](https://www.reddit.com/r/SteamDeckPirates) 156 | - [r/SwitchPirates](https://www.reddit.com/r/SwitchPirates) 157 | -------------------------------------------------------------------------------- /docs/software.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: Software 3 | description: Software to enhance your piracy experience. 4 | tags: 5 | - download 6 | - torrent 7 | - software 8 | - vpn 9 | - discussion 10 | --- 11 | 12 | # Software 13 | 14 | Software to enhance your piracy experience. 15 | 16 | ## Download Managers 17 | 18 | - :star2: [Internet Download Manager](https://www.internetdownloadmanager.com) / 19 | [Crack](https://cracksurl.com/internet-download-manager) & 20 | [instructions](https://rentry.org/installidm) 21 | - [IDMHelper](https://github.com/unamer/IDMHelper) 22 | - :star2: [JDownloader](https://jdownloader.org/jdownloader2) - Detects most file 23 | hosts 24 | - [Enhancement guide](https://lemmy.world/post/3098414) 25 | - [Offline CAPTCHA solver](https://github.com/cracker0dks/CaptchaSolver) 26 | - [Dark theme](https://support.jdownloader.org/Knowledgebase/Article/View/dark-mode-theme) 27 | - :star2: [Xtreme Download Manager](https://xtremedownloadmanager.com) 28 | - [AB Download Manager](https://abdownloadmanager.com) 29 | - [Gopeed](https://gopeed.com) / 30 | [Plugins](https://github.com/search?q=topic%3Agopeed-extension&type=repositories) 31 | - [imFile](https://github.com/imfile-io/imfile-desktop) or 32 | [Motrix](https://motrix.app) 33 | - [Aria2](https://aria2.github.io) - Terminal download manager / 34 | [GUI](https://persepolisdm.github.io) / 35 | [Web UI](https://github.com/ziahamza/webui-aria2) 36 | - [Free Download Manager](https://www.freedownloadmanager.org) / 37 | [Video downloader](https://github.com/meowcateatrat/elephant) 38 | 39 | ## Torrent Clients 40 | 41 | - :star2: [qBittorrent](https://www.qbittorrent.org) / 42 | [Enhanced edition](https://github.com/c0re100/qBittorrent-Enhanced-Edition) / 43 | [Dark theme](https://draculatheme.com/qbittorrent) 44 | - :star2: [Deluge](https://dev.deluge-torrent.org) 45 | - :star2: [Transmission](https://transmissionbt.com) 46 | - [Motrix](https://motrix.app) 47 | - [Tixati](https://tixati.com) 48 | - [PicoTorrent](https://picotorrent.org) 49 | - [BiglyBT](https://www.biglybt.com) 50 | - [LibreTorrent](https://github.com/proninyaroslav/libretorrent) - Android 51 | devices 52 | 53 | ## VPNs 54 | 55 | :::danger 56 | **Tor Browser isn't a VPN, no protection for torrenting!** 57 | ::: 58 | 59 | - [r/VPN](https://www.reddit.com/r/VPN) 60 | - [Privacy Guides' VPN recommendations](https://www.privacyguides.org/en/vpn) 61 | - [VPN Comparison Table on r/VPN](https://www.reddit.com/r/VPN/comments/m736zt) 62 | -------------------------------------------------------------------------------- /docs/unsafe.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: Unsafe 3 | description: Things you should always avoid using. 4 | --- 5 | 6 | # Unsafe 7 | 8 | Things you should always avoid using. 9 | 10 | :::tip 11 | You can just use the 12 | [FMHY Unsafe Sites/Software](https://fmhy.net/unsafesites) [adblock filter](https://github.com/fmhy/FMHYFilterlist) 13 | on uBlacklist (more efficient) or uBlock Origin to block most of the sites 14 | mentioned here and more. Follow [this guide](https://github.com/fmhy/FMHYFilterlist) 15 | to add it to uBlock Origin (use 16 | [this](https://raw.githubusercontent.com/fmhy/FMHYFilterlist/main/filterlist.txt) 17 | under "Import…"). 18 | ::: 19 | 20 | ## Untrusted Sites & Uploaders 21 | 22 | :::danger 23 | **SCENE GROUPS HAVE NO SITES! Sites with a Scene group name in the URL 24 | are fake. Also beware the [fake 1337x sites](https://redd.it/117fq8t) and 25 | [fake Z-Lib sites](https://redd.it/16xtm67).** 26 | ::: 27 | 28 | - AGFY - Scam links. 29 | - AimHaven - Malicious redirect ads. 30 | - AliPak/AliTPB/b4tman - Constantly caught with malware. 31 | - AllPCWorld - Uploaded KMS Matrix, a known malware. 32 | - anr285 33 | - AppValley/Ignition/TutuBox - 34 | [DDoS attacks](https://github.com/fmhy/FMHYedit/pull/307) history. 35 | - ApunKaGames 36 | - BBRepacks - Caught with malware. 37 | - Corepack - Stolen releases and has been caught with malware. 38 | - CNET/Download.com/Softonic/ZDNET - 39 | [Adware](https://www.reddit.com/r/software/comments/9s7wyb/whats_the_deal_with_sites_like_cnet_softonic_and/e8mtye9) 40 | history. 41 | - CracksHash - Caught with [malware](https://redd.it/lklst7). 42 | - Crohasit - Is affiliated to SteamUnlocked owners. 43 | - cracked-games/GETGAMEZ - Caught with malware. 44 | - CrackingPatching - Caught with [malware](https://www.reddit.com/r/Piracy/comments/qy6z3c). 45 | - FileCR - [Constantly](https://rentry.co/filecr_malware) caught with malware. 46 | - FreeTP/Game3rb - Malicious fake download links on the page. 47 | - FTUApps - [Constantly](https://redd.it/120xk62) caught with malware. 48 | - GameFabrique - IGG Games uploads and 49 | [adware installers](https://www.reddit.com/r/FREEMEDIAHECKYEAH/comments/10bh0h9/unsafe_sites_software_thread/jhi7u0h). 50 | - GetIntoMac/GetIntoPC - Constantly caught with malware. 51 | - `GOG`/`Roms`/`Steam` Unlocked - 52 | [IGG Games and nosTEAM](https://i.ibb.co/VgW2ymY/YUnRNpN.png) uploads, 53 | malicious redirect ads, and slow downloads. 54 | - haxNode 55 | - `IGG Games/GamesTorrents/LoadGames/PCGamesTorrents` - Doxed mercs213 (Good Old 56 | Downloads owner), exploits you for ad revenue, and puts its own DRM, crypto 57 | miner, and malware in games. 58 | - IGI30 - Caught with malware. 59 | - KaranPC - Constantly caught with malware. 60 | - KickassTorrents - Long-dead, what is left are sketchy copycats. 61 | - MainRepo/MRepo (unrelated to the Magisk module MRepo) - Caught with 62 | [malware](https://rentry.co/zu3i6). 63 | - NexusGames, Steam-Repacks, Unlocked-Games, World of PC Games - Caught with 64 | malware. 65 | - nosTEAM - Caught with crypto miners and has malware risk. 66 | - Ocean of Games/Ocean of APKs - Constantly caught with malware. 67 | - Qoob/Seyter - Caught with crypto miners. 68 | - Repack-Games - Mislabels games and steals releases. 69 | - RSLoad - Uploaded the same MalwareBytes version that troubled FileCR and has 70 | [malware in μTorrent](https://i.ibb.co/QXrCfqQ/Untitled.png). 71 | - SadeemAPK/SadeemPC - Constantly caught with malware. 72 | - The Pirate Bay - High malware risk due to no moderation. 73 | - VitaminX - Caught with crypto miners. 74 | - WIFI4Games - Caught with malware. 75 | - xGIROx - Caught with crypto miners. 76 | - YASDL - Stardock and JetBrains versions with malware. 77 | 78 | ## Unsafe Software 79 | 80 | :::tip 81 | [Read this Pastebin about fake Windows activators.](https://pastebin.com/gCmWs2GR) 82 | ::: 83 | 84 | - μTorrent - Has ads, trackers, and 85 | [adware](https://www.theverge.com/2015/3/6/8161251/utorrents-secret-bitcoin-miner-adware-malware). 86 | - Avast - Sells user data. 87 | - AVG/CCleaner/Gen Digital/Norton - Owned by Avast. 88 | - BitComet/BitTorrent - Adware 89 | - BitLord - 90 | [Adware](https://www.virustotal.com/gui/file/3ad1aed8bd704152157ac92afed1c51e60f205fbdce1365bad8eb9b3a69544d0) 91 | - Bluecord/BlueKik - History of [spam](https://redd.it/12h2v6n) and 92 | [spying](https://rentry.co/tvrnw). 93 | - CyberGhost/ExpressVPN/Private Internet Access/ZenMate - 94 | [Owned](https://rentry.co/i8dwr) by [Kape](https://www.reddit.com/r/PrivateInternetAccess/comments/q3oye4/former_malware_distributor_kape_technologies_now). 95 | - Downloadly (video downloader) - Caught with crypto miners. 96 | - FrostWire - 97 | [Adware](https://www.virustotal.com/gui/file/f20d66b647f15a5cd5f590b3065a1ef2bcd9dad307478437766640f16d416bbf/detection) 98 | - GShade - Can trigger unwanted [reboots](https://rentry.co/GShade_notice). 99 | - Kik - Widely used by [predators and scammers](https://youtu.be/9sPaJxRmIPc). 100 | - KLauncher - Contains malware. 101 | - Limewire - Long-dead, anything claiming to be them now should be avoided. 102 | - McAfee - Installs bloatware. 103 | - Opera Browsers - Not recommended even for normal usage, [very](https://www.kuketz-blog.de/opera-datensendeverhalten-desktop-version-browser-check-teil13) [bad](https://rentry.co/operagx) privacy policies, besides 104 | [predatory](https://www.androidpolice.com/2020/01/21/opera-predatory-loans) 105 | loan apps. 106 | - PCProtect/Protected/TotalAV - Antivirus scams 107 | ([1](https://www.malwarebytes.com/blog/detections/pup-optional-pcprotect), 108 | [2](https://youtu.be/PcS3EozgyhI), 109 | [3](https://www.malwarebytes.com/blog/detections/pup-optional-totalav)). 110 | - PolyMC - Owner [kicked all members](https://www.reddit.com/r/Minecraft/comments/y6lt6s/important_warning_for_users_of_the_polymc_mod) from 111 | Discord server and repository. Use Prism Launcher. 112 | - TLauncher (unrelated to TLauncher Legacy) - 113 | [Shady](https://www.reddit.com/r/PiratedGames/comments/zmzzrt) business practices. Use Prism Launcher. 114 | - VSTorrent - Caught with [malware](https://redd.it/x66rz2). 115 | -------------------------------------------------------------------------------- /docs/useful.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: Useful 3 | description: Essential tools, sites, and components that are worth using. 4 | tags: 5 | - windows 6 | - tools 7 | - browser 8 | - software 9 | - discussion 10 | --- 11 | 12 | # Useful 13 | 14 | Essential tools, sites, and components that are worth using. 15 | 16 | ## Required Components 17 | 18 | Install all before downloading games (legitimate or pirated) to avoid crashes 19 | from missing software on your computer: 20 | 21 | - [DirectX](https://www.microsoft.com/download/details.aspx?id=35) 22 | - [VisualCppRedist AIO](https://github.com/abbodi1406/vcredist/releases/latest) 23 | - [XNA Framework](https://www.microsoft.com/download/details.aspx?id=20914) 24 | 25 | ## Tools 26 | 27 | :::tip 28 | :exclamation: See 29 | [RIN SteamInternals](https://cs.rin.ru/forum/viewtopic.php?f=10&t=65887) and 30 | [A Collection of Steam Tools](https://steamcommunity.com/sharedfiles/filedetails/?id=451698754) 31 | for more Steam tools. 32 | ::: 33 | 34 | - :star2: [Koalageddon](https://github.com/acidicoala/Koalageddon) / [v2](https://github.com/acidicoala/Koalageddon2) (Steam-only) - 35 | Steam, Epic Games Store, EA clients (use EA DLC Unlocker), & Uplay DLC unlocker 36 | - [CreamAPI](https://cs.rin.ru/forum/viewtopic.php?f=29&t=70576) - Legitimate 37 | Steam game DLC unlocker / 38 | [Automatic setup](https://cs.rin.ru/forum/viewtopic.php?p=2013521) 39 | - [Goldberg Steam Emulator](https://github.com/Detanup01/gbe_fork) - 40 | Steam emulator / [GUI](https://github.com/brunolee-GIT/GSE-Generator) / 41 | [Guide](https://rentry.co/goldberg_emulator) 42 | - [SmartSteamEmu](https://cs.rin.ru/forum/viewtopic.php?p=2009102#p2009102) - Steam & multiplayer emulator 43 | - [Unsteam](https://cs.rin.ru/forum/viewtopic.php?f=20&t=134707&hilit=unsteam) - Allows playing pirated games online with 44 | other pirated games. 45 | - [Online Fix](https://online-fix.me) - Allows playing pirated games online with 46 | other pirated games. / Password: `online-fix.me` 47 | - [Radmin VPN](https://www.radmin-vpn.com) / [ZeroTier](https://www.zerotier.com) - Virtual LAN emulators for online multiplayer gaming. 48 | - [GameRanger](https://www.gameranger.com) / [Voobly](https://www.voobly.com) - Free services for online multiplayer gaming. 49 | - [Steamless](https://github.com/atom0s/Steamless) - Steam DRM remover / 50 | [Automatic cracker](https://github.com/oureveryday/Steam-auto-crack) 51 | - [GreenLuma 2024 Manager](https://github.com/BlueAmulet/GreenLuma-2024-Manager) - GreenLuma Steam unlocker manager 52 | - [Auto SteamFix Tool](https://cs.rin.ru/forum/viewtopic.php?f=29&t=97112) - 53 | Automatic Steamworks fix creator 54 | - [EA DLC Unlocker](https://cs.rin.ru/forum/viewtopic.php?f=20&t=104412) - EA 55 | clients DLC unlocker 56 | - [Nemirtingas Epic Emulator](https://cs.rin.ru/forum/viewtopic.php?f=29&t=105551) - 57 | Epic Online Services emulator 58 | - [SteamDB](https://steamdb.info) / [Extension](https://steamdb.info/extension) - Steam insight tool 59 | - [WorkshopDL](https://github.com/imwaitingnow/WorkshopDL) - Steam Workshop 60 | downloader 61 | - [Sims 4 Updater](https://cs.rin.ru/forum/viewtopic.php?f=29&t=102519) - 62 | Pirated The Sims 4 version updater 63 | - [Plutonium](https://plutonium.pw) - Dedicated Call of Duty servers, with mod 64 | support & extended features. 65 | - [Lucky Patcher](https://www.luckypatchers.com) - Android apps patcher (better 66 | with root) 67 | 68 | ## Software 69 | 70 | :::tip 71 | Activate Microsoft products (Office & Windows) with **[Microsoft Activation Scripts](https://massgrave.dev).** 72 | Visit **[m0nkrus](https://vk.com/monkrus) (temporary mirror due to [site issues](https://reddit.com/r/GenP/comments/1h3c2ny/monkrus_users_need_to_use_mirror_site_on_vk))** for Adobe products. 73 | 74 | For the rest, visit [LRepacks](https://lrepacks.net) or 75 | [CRACKSurl](https://cracksurl.com). 76 | ::: 77 | 78 | - [7-Zip](https://7-zip.org) - File archiver 79 | - [Bitwarden](https://bitwarden.com) - Open-source password manager 80 | - [Firefox](https://www.mozilla.org/firefox) - Web browser for everyday use / [Betterfox](https://github.com/yokoffing/Betterfox) 81 | - [Thorium](https://thorium.rocks) - Lightweight, privacy and security-focused web browser based on Chromium. 82 | - [Tor Browser](https://www.torproject.org) - Private web browser that routes 83 | Internet traffic through a decentralized network of volunteer-operated 84 | servers, making you hard to trace. 85 | - [Achievement Watcher](https://xan105.github.io/Achievement-Watcher) - 86 | Achievement file parser with auto-screenshot, playtime tracking, and real-time 87 | notification 88 | - [Achievement Watchdog](https://github.com/50t0r25/achievement-watchdog) - Achievement Watcher for Goldberg Emulator games, doesn't need a Steam API key 89 | - [Playnite](https://playnite.link) - Open-source video game library manager 90 | - [Hydra](https://github.com/hydralauncher/hydra) - A store (similar to Steam!) where you can download cracked games! 91 | - [Parsec](https://parsec.app) - Low-latency game streaming software 92 | - [RapidCRC](https://ov2.eu/programs/rapidcrc-unicode) - Checksum verifier & 93 | hash info generator 94 | - [SpotX](https://github.com/SpotX-Official/SpotX) / [Linux](https://github.com/SpotX-Official/SpotX-Bash) - Adblocker for the Spotify desktop client 95 | 96 | ## Browser Extensions 97 | 98 | - [uBlock Origin](https://ublockorigin.com) - Ad content blocker / 99 | [yokoffing's recommendations](https://github.com/yokoffing/filterlists#recommended-filters-for-ublock-origin) 100 | - [uBlacklist](https://iorate.github.io/ublacklist/docs) - Search filter 101 | - [Bypass All Shortlinks Debloated](https://codeberg.org/Amm0ni4/bypass-all-shortlinks-debloated) - 102 | Link shorteners bypasser userscript - Needs one of the 3 extensions below 103 | - [FireMonkey](https://addons.mozilla.org/firefox/addon/firemonkey) - 104 | Open-source userscript manager for Firefox 105 | - [Tampermonkey](https://www.tampermonkey.net) - Proprietary userscript manager 106 | for most browsers 107 | - [ViolentMonkey](https://violentmonkey.github.io) - Open-source userscript 108 | manager for many browsers 109 | 110 |
    111 |
  • Translate Web Pages 112 | - Real-time page translation via Google or Yandex 113 |
  • 114 |
115 | 116 | - [Firefox Multi-Account Containers](https://github.com/mozilla/multi-account-containers) - 117 | Color-coded tabs in this tool keep your online life separated, preserving your 118 | privacy. Cookies are containerized, allowing simultaneous use of multiple 119 | identities or accounts. 120 | 121 | ## Trainers (cheats) 122 | 123 | Not for online games. No cheating in online games! 124 | 125 | - :star2: [FLiNG Trainer](https://flingtrainer.com) 126 | - :star2: [GameCopyWorld](https://gamecopyworld.com/games) - Also has crack-only and 127 | NoCD fixes. 128 | - [WeMod](https://www.wemod.com) 129 | - [MegaGames](https://megagames.com) 130 | - [FearLess Cheat Engine](https://fearlessrevolution.com) - Cheat Engine tables 131 | - [MrAntiFun](https://mrantifun.net) 132 | 133 | ## Release Trackers 134 | 135 | No downloads provided. Sites have P2P/Scene release info. Check here to see if a 136 | game is cracked! 137 | 138 | - :star2: [xREL](https://www.xrel.to/games-release-list.html?lang=en_US) 139 | - [m2v.ru](https://m2v.ru/?func=part&Part=3) 140 | - [PreDB.org](https://predb.org/section/GAMES) 141 | - [PreDB.de](https://predb.de/section/GAMES) 142 | - [srrDB](https://www.srrdb.com/browse/category:pc/1) 143 | - [PreDB.pw](https://predb.pw) 144 | - [r/CrackWatch](https://www.reddit.com/r/CrackWatch) 145 | - [r/RepackWatchers](https://www.reddit.com/r/RepackWatchers) - Repacks only 146 | - [r/RepackWorld](https://www.reddit.com/r/RepackWorld) - Repacks only / 147 | [r/PiratedGames](https://www.reddit.com/r/PiratedGames)' sister subreddit 148 | 149 | ## Related Subreddits 150 | 151 | - [r/FREEMEDIAHECKYEAH](https://www.reddit.com/r/FREEMEDIAHECKYEAH) 152 | - [r/Piracy](https://www.reddit.com/r/Piracy) 153 | - [r/CrackSupport](https://www.reddit.com/r/CrackSupport) 154 | - [r/linux_gaming](https://www.reddit.com/r/linux_gaming) 155 | - [r/LinuxCrackSupport](https://www.reddit.com/r/LinuxCrackSupport) 156 | - [r/QuestPiracy](https://www.reddit.com/r/QuestPiracy) 157 | - [r/SteamDeckPirates](https://www.reddit.com/r/SteamDeckPirates) 158 | - [r/SwitchPirates](https://www.reddit.com/r/SwitchPirates) 159 | -------------------------------------------------------------------------------- /lunaria.config.json: -------------------------------------------------------------------------------- 1 | { 2 | "$schema": "./node_modules/@lunariajs/core/config.schema.json", 3 | "repository": { 4 | "name": "privateersclub/wiki", 5 | "branch": "master", 6 | "hosting": "github" 7 | }, 8 | "files": [ 9 | { 10 | "location": "docs/.vitepress/locales/{en,be,es,ro}.ts", 11 | "pattern": "docs/.vitepress/locales/@lang.ts", 12 | "type": "universal" 13 | }, 14 | { 15 | "location": "docs/**/*.md", 16 | "pattern": "docs/@lang/@path", 17 | "type": "universal" 18 | } 19 | ], 20 | "defaultLocale": { 21 | "label": "English", 22 | "lang": "en" 23 | }, 24 | "locales": [ 25 | { 26 | "label": "Português", 27 | "lang": "br" 28 | }, 29 | { 30 | "label": "Español", 31 | "lang": "es" 32 | }, 33 | { 34 | "lang": "ro", 35 | "label": "România" 36 | } 37 | ], 38 | "outDir": "docs/.vitepress/dist/_translations", 39 | "dashboard": { 40 | "customCss": [ 41 | "./lunaria/styles.css" 42 | ], 43 | "ui": { 44 | "statusByLocale.heading": "Translation progress by locale", 45 | "statusByLocale.incompleteLocalizationLink": "incomplete translation", 46 | "statusByLocale.outdatedLocalizationLink": "outdated translation", 47 | "statusByLocale.completeLocalization": "This translation is complete, amazing job! 🎉", 48 | "statusByFile.heading": "Translation status by file" 49 | } 50 | }, 51 | "ignoreKeywords": [ 52 | "lunaria-ignore", 53 | "typo", 54 | "en-only", 55 | "broken link", 56 | "i18nReady", 57 | "i18nIgnore" 58 | ], 59 | "renderer": "./lunaria/renderer.config.ts" 60 | } 61 | -------------------------------------------------------------------------------- /lunaria/components.ts: -------------------------------------------------------------------------------- 1 | import {html} from "@lunariajs/core"; 2 | 3 | export const TitleParagraph = () => html` 4 |

5 | If you're interested in helping us translate into one of the languages 6 | listed below, you've come to the right place! This auto-updating page always 7 | lists all the content that could use your help right now. 8 |

9 | `; 10 | -------------------------------------------------------------------------------- /lunaria/renderer.config.ts: -------------------------------------------------------------------------------- 1 | import {defineRendererConfig} from "@lunariajs/core"; 2 | import {TitleParagraph} from "./components"; 3 | 4 | export default defineRendererConfig({ 5 | slots: { 6 | afterTitle: TitleParagraph, 7 | }, 8 | }); 9 | -------------------------------------------------------------------------------- /lunaria/styles.css: -------------------------------------------------------------------------------- 1 | :root { 2 | --theme-accent: hsl(234, 100%, 87%); 3 | --theme-bg: hsl(223, 13%, 10%); 4 | --theme-table-header: hsl(222, 13%, 16%); 5 | --theme-table-hover: hsl(222, 13%, 16%); 6 | --theme-text: hsl(228, 8%, 77%); 7 | --theme-text-bright: hsl(0, 0%, 100%); 8 | --overlay-blurple: hsla(168, 100%, 75%, 0.2); 9 | 10 | --ln-color-background: linear-gradient( 11 | 215deg, 12 | var(--overlay-blurple), 13 | transparent 40% 14 | ), 15 | radial-gradient(var(--overlay-blurple), transparent 40%) no-repeat -60vw -40vh / 16 | 105vw 200vh, 17 | radial-gradient(var(--overlay-blurple), transparent 65%) no-repeat 50% calc(100% + 20rem) / 60rem 30rem, 18 | var(--theme-bg); 19 | --ln-color-link: var(--theme-accent); 20 | --ln-color-black: var(--theme-text); 21 | --ln-color-done: var(--ln-color-blue); 22 | --ln-color-outdated: #ea580c; 23 | --ln-color-missing: var(--theme-text-bright); 24 | --ln-color-table-background: var(--theme-table-header); 25 | --ln-color-table-border: var(--theme-table-header); 26 | 27 | color-scheme: dark; 28 | } 29 | 30 | h1, 31 | h2, 32 | h3, 33 | h4, 34 | h5, 35 | h6 { 36 | color: var(--theme-text-bright); 37 | } 38 | 39 | p a { 40 | text-decoration: underline; 41 | } 42 | 43 | .create-button { 44 | background-color: hsl(213deg 89% 64% / 20%); 45 | border-radius: 0.5em; 46 | } 47 | 48 | sup { 49 | display: flex; 50 | justify-content: center; 51 | } 52 | -------------------------------------------------------------------------------- /lychee.toml: -------------------------------------------------------------------------------- 1 | cache = true 2 | max_cache_age = "2d" 3 | skip_missing = true 4 | log_level = "verbose" 5 | no_progress = true 6 | 7 | # Stealth 8 | user_agent = "Mozilla/5.0 (Macintosh; Intel Mac OS X 10.15; rv:128.0) Gecko/20100101 Firefox/128.0" 9 | 10 | # Prevent 'Too Many Open Files' 11 | max_concurrency = 32 12 | 13 | # Check links inside `` and `
` blocks and Markdown code blocks
14 | include_verbatim = true
15 | 
16 | # Check fragments in links
17 | include_fragments = true
18 | 
19 | # Don't check emails, it's problematic
20 | include_mail = false
21 | 
22 | # Add 'Too many requests'
23 | accept = ["100..=103", "200..=299", "429", "403"]
24 | 
25 | # Be benevolent
26 | max_retries = 5
27 | timeout = 30
28 | 
29 | # Exclude
30 | exclude = [
31 |   # Fuck corporations.
32 |   "reddit.com",
33 |   "youtube.com",
34 |   "google.com",
35 |   "redd.it",
36 |   # Has strong anti-bot measures.
37 |   "cs.rin.ru",
38 |   "freedownloadmanager.org",
39 |   "predb.org",
40 |   "steamdb.info",
41 |   "rentry.co",
42 |   "rentry.org",
43 |   "luckypatchers.com",
44 | ]
45 | 


--------------------------------------------------------------------------------
/package.json:
--------------------------------------------------------------------------------
 1 | {
 2 |   "name": "wiki",
 3 |   "version": "1.0.0",
 4 |   "type": "module",
 5 |   "main": "index.js",
 6 |   "scripts": {
 7 |     "format": "prettier --cache --write docs/",
 8 |     "build": "pnpm run docs:build && pnpm run i18n:build",
 9 |     "docs:dev": "vitepress dev docs",
10 |     "docs:build": "vitepress build docs",
11 |     "docs:serve": "vitepress serve docs",
12 |     "docs:preview": "vitepress preview docs",
13 |     "i18n:build": "lunaria build",
14 |     "i18n:preview": "lunaria preview",
15 |     "og:dev": "x-satori -t ./docs/.vitepress/hooks/Template.vue -c ./docs/.vitepress/hooks/satoriConfig.ts --dev"
16 |   },
17 |   "license": "Unlicense",
18 |   "devDependencies": {
19 |     "@coloradix/unocss": "^2.3.2",
20 |     "@iconify-json/logos": "^1.2.4",
21 |     "@lunariajs/core": "^0.1.1",
22 |     "@nolebase/vitepress-plugin-enhanced-readabilities": "^2.15.0",
23 |     "@nolebase/vitepress-plugin-git-changelog": "^2.15.0",
24 |     "@nolebase/vitepress-plugin-page-properties": "^2.15.0",
25 |     "@radix-ui/colors": "^3.0.0",
26 |     "@resvg/resvg-js": "^2.6.2",
27 |     "@types/node": "^22.13.8",
28 |     "@types/nprogress": "^0.2.3",
29 |     "nprogress": "^0.2.0",
30 |     "prettier": "^3.5.2",
31 |     "sass": "^1.85.1",
32 |     "unocss": "^65.5.0",
33 |     "vitepress": "^1.6.3",
34 |     "x-satori": "^0.2.0"
35 |   },
36 |   "dependencies": {
37 |     "@iconify/vue": "^4.3.0",
38 |     "markdown-it-anchor": "^9.2.0",
39 |     "vue": "^3.5.13"
40 |   },
41 |   "packageManager": "pnpm@9.15.6"
42 | }
43 | 


--------------------------------------------------------------------------------
/uno.config.ts:
--------------------------------------------------------------------------------
 1 | import coloradix, {
 2 |   gray,
 3 |   mint,
 4 |   blue,
 5 |   yellow,
 6 |   red,
 7 |   grass
 8 | } from '@coloradix/unocss'
 9 | import {
10 |   presetWind,
11 |   presetUno,
12 |   presetIcons,
13 |   transformerDirectives,
14 |   defineConfig,
15 |   presetWebFonts
16 | } from 'unocss'
17 | 
18 | const radix = coloradix({
19 |   gray,
20 |   mint,
21 |   blue,
22 |   yellow,
23 |   red,
24 |   grass
25 | })
26 |   .alias({
27 |     neutral: 'gray',
28 |     primary: 'grass',
29 |     warning: 'yellow',
30 |     danger: 'red',
31 |     info: 'blue'
32 |   })
33 |   .build({
34 |     selector: 'class'
35 |   })
36 | 
37 | export default defineConfig({
38 |   presets: [
39 |     presetUno(),
40 |     presetWind(),
41 |     presetIcons({
42 |       extraProperties: {
43 |         display: 'inline-block',
44 |         'vertical-align': 'middle'
45 |       }
46 |     })
47 |   ],
48 |   transformers: [transformerDirectives()],
49 |   theme: {
50 |     colors: radix.colors
51 |   },
52 |   preflights: [radix.preflight]
53 | })
54 | 


--------------------------------------------------------------------------------