├── .github ├── main.py ├── requirements.txt └── workflows │ └── update.yml ├── .gitignore ├── README.md ├── config ├── description.md ├── sidebar.md ├── stylesheet.md ├── submit_text.md └── welcome_message.md ├── ignorethis.md ├── index.md ├── patchmethods.md ├── posts ├── Friendly Reminder to new folks..md ├── Possible solution to "Unlicensed App Popup" (No firewall needed).md └── Update Compatibility List | 2023 Creative Suite.md ├── redditgenpguides.md ├── rules.md └── testingonly1111.md /.github/main.py: -------------------------------------------------------------------------------- 1 | import requests 2 | import json 3 | from pathlib import Path 4 | import time 5 | import urllib.parse 6 | 7 | # Helper functions 8 | def create_file(content, file_path): 9 | # If directory in the file path does not exist, create the directory 10 | print("Creating File: " + file_path) 11 | file_path = Path(file_path) 12 | directory = file_path.parents[0] 13 | Path.mkdir(directory, parents=True, exist_ok=True) 14 | with open(str(file_path), 'w') as f: 15 | f.write(content) 16 | 17 | def save_to_wayback(url): 18 | wayback_url = f'https://web.archive.org/save/{url}' 19 | data = { 20 | 'url': urllib.parse.quote_plus(url), 21 | 'capture_all': 'on' 22 | } 23 | 24 | headers = { 25 | 'Content-Type': 'application/x-www-form-urlencoded' 26 | } 27 | try: 28 | response = requests.post(wayback_url, data=data, headers=headers) 29 | print(f"Sending request to: {wayback_url}") 30 | print(f"Received Response: {response.status_code} {response.text[:100]}") 31 | return response.status_code, response.text 32 | except: 33 | print(f"Some error occurred while saving {url}") 34 | return None 35 | 36 | 37 | def get_wayback_content(url): 38 | # Strip 'https://www.' from the beginning of the URL if present 39 | # Construct the Wayback Machine API URL 40 | api_url = f'https://web.archive.org/web/{url}' 41 | try: 42 | # Make the initial request to the Wayback Machine API 43 | print(f"Getting Content from {api_url}") 44 | response = requests.get(api_url) 45 | return response 46 | except: 47 | # Return None if any error occurred or if the content couldn't be retrieved 48 | return None 49 | 50 | def get_response(url): 51 | print(f"Saving {url}") 52 | save_to_wayback(url) 53 | print("Sleeping") 54 | time.sleep(3) 55 | return get_wayback_content(url) 56 | 57 | # Downloading Functions 58 | def get_wiki_pages_names(): 59 | url = 'https://www.reddit.com/r/genp/wiki/pages.json' 60 | # headers = {'User-Agent': 'Mozilla/5.0'} 61 | response = get_response(url) 62 | if response is None: 63 | return [] 64 | if response.status_code == 200: 65 | json_response = json.loads(response.content.decode('utf-8')) 66 | return json_response['data'] 67 | print(f"Found no page on the wiki using url: {url}. Possibly the subreddit does not exist.") 68 | 69 | 70 | def get_wiki_page_content(): 71 | wiki_page_content = {} 72 | base_url = 'https://www.reddit.com/r/genp/wiki/' 73 | headers = {'User-Agent': 'Mozilla/5.0'} 74 | # ignored_pages = ['config/sidebar', 'config/description', 'config/stylesheet', 'config/submit_text', 'config/welcome_message' ] 75 | ignored_pages = [] 76 | for page_name in get_wiki_pages_names(): 77 | if page_name not in ignored_pages: 78 | url = base_url + page_name + '.json' 79 | print("Getting Data for: " + page_name, "URL: " + url) 80 | response = get_response(url) 81 | if response is None: 82 | continue 83 | if response.status_code == 200: 84 | json_response = json.loads(response.content) 85 | wiki_page_content[page_name] = json_response['data']['content_md'] 86 | return wiki_page_content 87 | 88 | 89 | def save_wiki(): 90 | wiki_page_content = get_wiki_page_content() 91 | base_location = '' 92 | if not wiki_page_content: 93 | return 94 | for page_name in wiki_page_content: 95 | page_location = base_location + page_name + '.md' 96 | create_file(wiki_page_content[page_name], page_location) 97 | 98 | 99 | def save_posts(): 100 | base_location = 'posts/' 101 | post_urls = [ 102 | "https://www.reddit.com/r/GenP/comments/yao439/update_compatibility_list_2023_creative_suite/", 103 | "https://www.reddit.com/r/GenP/comments/qpcnob/friendly_reminder_to_new_folks/", 104 | "https://www.reddit.com/r/GenP/comments/ue47y6/possible_solution_to_unlicensed_app_popup_no/" 105 | 106 | ] 107 | json_urls = [] 108 | for url in post_urls: 109 | json_urls.append(url + '.json') 110 | headers = {'User-Agent': 'Mozilla/5.0'} 111 | for url in json_urls: 112 | response = get_response(url) 113 | if response is None: 114 | continue 115 | if response.status_code == 200: 116 | json_response = json.loads(response.content) 117 | post_title = json_response[0]['data']['children'][0]['data']['title'] 118 | post_content = json_response[0]['data']['children'][0]['data']['selftext'] 119 | post_location = base_location + post_title + '.md' 120 | create_file(post_content, post_location) 121 | else: 122 | print(f"Got Error {response.status_code} while downloading {url}.") 123 | 124 | print("Starting Program") 125 | save_wiki() 126 | save_posts() 127 | -------------------------------------------------------------------------------- /.github/requirements.txt: -------------------------------------------------------------------------------- 1 | requests~=2.30.0 -------------------------------------------------------------------------------- /.github/workflows/update.yml: -------------------------------------------------------------------------------- 1 | name: Update Page 2 | 3 | on: 4 | push: 5 | branches: 6 | - main 7 | workflow_dispatch: 8 | schedule: 9 | - cron: '0 */8 * * *' 10 | 11 | jobs: 12 | update: 13 | name: Update Single Page 14 | runs-on: ubuntu-latest 15 | 16 | permissions: 17 | contents: write 18 | 19 | steps: 20 | - uses: actions/checkout@v2 21 | 22 | - name: Setup Python 23 | uses: actions/setup-python@v4 24 | with: 25 | python-version: '3.10' 26 | 27 | - name: Install Dependencies 28 | run: | 29 | pip install -r .github/requirements.txt 30 | 31 | - name: Setup git 32 | id: import-gpg 33 | uses: crazy-max/ghaction-import-gpg@v4 34 | with: 35 | gpg_private_key: ${{ secrets.BOT_GPG_PRIVATE_KEY }} 36 | passphrase: ${{ secrets.BOT_GPG_PASSPHRASE }} 37 | git_config_global: true 38 | git_user_signingkey: true 39 | git_commit_gpgsign: true 40 | 41 | - name: Download the pages 42 | shell: bash 43 | run: | 44 | python .github/main.py 45 | 46 | - name: Commit the changes 47 | run: | 48 | git add . 49 | git commit -m '♻️ Update Page' 50 | git push 51 | env: 52 | GITHUB_TOKEN: ${{ secrets.OSLASH_BOT_GITHUB_TOKEN }} 53 | GIT_AUTHOR_NAME: ${{ steps.import-gpg.outputs.name }} 54 | GIT_AUTHOR_EMAIL: ${{ steps.import-gpg.outputs.email }} 55 | GIT_COMMITTER_NAME: ${{ steps.import-gpg.outputs.name }} 56 | GIT_COMMITTER_EMAIL: ${{ steps.import-gpg.outputs.email }} -------------------------------------------------------------------------------- /.gitignore: -------------------------------------------------------------------------------- 1 | .idea -------------------------------------------------------------------------------- /README.md: -------------------------------------------------------------------------------- 1 | # Genp Reddit Backup 2 | 3 | You can download all the latest markdown files by [clicking here](https://github.com/Uranium2147/genp-reddit-backup/archive/refs/heads/main.zip) 4 | 5 | 6 | ## Structure 7 | 8 | - All the wiki posts are in the main directory. 9 | - All the wiki config files are in the `config` folder. 10 | - All the other posts are in the `posts` directory. 11 | 12 | You can ignore the `.github` folder and the `.gitignore` file. It contains github specific code. 13 | -------------------------------------------------------------------------------- /config/description.md: -------------------------------------------------------------------------------- 1 | We're a community that discusses GenP, our tool which is used to modify apps on Windows 10 and 11. If you're using macOS, r/AdobeZii can help you. ☠️ -------------------------------------------------------------------------------- /config/sidebar.md: -------------------------------------------------------------------------------- 1 | **We recommend taking a look at our [WIKI](https://www.reddit.com/r/GenP/wiki/index/) since all information, guides and download links can be found through there.** 2 | 3 | - First, take a look into the [Explanation for each Patching Methods](https://www.reddit.com/r/GenP/wiki/patchmethods/) to familiarize with the wording and get a brief idea of things. 4 | 5 | - Second, move into the [How-to-Guides & Downloads](https://www.reddit.com/r/GenP/wiki/redditgenpguides/) to your respective patching method, read everything first and then start the process. 6 | 7 | - If you encounter problems outside those mentioned in the respective guide, look at the [Troubleshoot Section](https://www.reddit.com/r/GenP/wiki/redditgenpguides/#wiki_.28....29_troubleshoot_section_.7C_unlicensed_popup) towards the bottom of the Guides page. 8 | 9 | We focus on the **[new reddit style only](https://new.reddit.com/r/GenP/)** -------------------------------------------------------------------------------- /config/stylesheet.md: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/genpguides/genp-reddit-backup/338dd4a047ac5fa550e6aa4cbeab83fee415606c/config/stylesheet.md -------------------------------------------------------------------------------- /config/submit_text.md: -------------------------------------------------------------------------------- 1 | asdasd -------------------------------------------------------------------------------- /config/welcome_message.md: -------------------------------------------------------------------------------- 1 | ☠️ ➜ Welcome aboard to r/Genp! 2 | 3 | **Please take a look at our [Wiki](https://www.reddit.com/r/GenP/wiki/index/)** 4 | 5 | Please read the information and guides available **before proceeding**, as the more you know before - the better prepared you will be! 6 | 7 | Also avoid using links or tutorials **outside** the ones provided in the guides, or approved by Mods since we cannot safeguard your safety of those. 8 | 9 | Cheers mate! 🍻 -------------------------------------------------------------------------------- /ignorethis.md: -------------------------------------------------------------------------------- 1 | ***Updated: XX-XX-2023*** 2 | 3 | [1]: 4 | >🔗 **[xxx][1]** 5 | 6 | --- 7 | 8 | # **ANATOMY OF A LIGHTSABER** 9 | 10 | So you bought your first lightsaber and don't know what is what. Don't know what's the safest way to charge your saber. Have this weird plug that the seller included but you don't know what to do with. Or even how to insert and secure the blade. 11 | 12 | This is a short guide to the anatomy of a saber. 13 | 14 | &nbsp; 15 | 16 | --- 17 | 18 | &nbsp; 19 | 20 | 21 | #⚔️ **TYPES OF SABERS** 22 | 23 | ###➜ **Baselit/in-hilt** 24 | 25 | ![](%%LATriCree%%) 26 | 27 | ![](%%LAECOBaselit%%) 28 | 29 | **Sabers have high power LEDs in the saber itself and shine the light into a hollow blade.** 30 | 31 | If you look in your blade holder and see a lens, either a single focusing lense or a triple focusing lense, then you have an in-hilt/baselit saber. Under those lenses are high powered RGB LEDs that shine into a hollow blade. 32 | 33 | &nbsp; 34 | 35 | Depending on the price you can have two variations: 36 | 37 | > **Stunt Saber**: Only one Single Color, no soundboard or speaker (light-stick basically). 38 | 39 | > **Typical RGB Saber**: Multiple colors that you can change, typically has a soundboard and speaker. 40 | 41 | &nbsp; 42 | 43 | &nbsp; 44 | 45 | ###➜ **Neopixel** 46 | 47 | ![](%%LANeopixelPCB%%) 48 | 49 | **Sabers power a string of LEDs in the blade for animated effects.** 50 | 51 | If you look in your blade holder and see gold pins and sometimes some mini LED chips, you have a Neopixel saber. These pins power the LED strips in the Neopixel blade. Those mini LEDs are enough to light up a blade plug and provide some light in the saber when a blade isn't inserted. But it's not enough to light up a full hollow blade. 52 | 53 | &nbsp; 54 | 55 | # **🦯 TYPES OF BLADES** 56 | 57 | ### **Baselit Blade** 58 | 59 | ![](%%LAHollowBlade%%) 60 | 61 | If your blade is hollow with a clear film inside you have a hollow in-hilt/baselit blade. The high powered LEDs from your in-hilt/baselit saber shine into this blade and the clear diffusion film/cellophane/transparent gift wrap helps diffuse the light so it's able to travel further up the blade before losing brightness. 62 | 63 | &nbsp; 64 | 65 | ### **Neopixel Blade** 66 | 67 | ![](%%LANeopixelBladePCB%%) 68 | 69 | If your blade has a flat circuit board at the bottom with 3 concentric rings, then you have a Neopixel blade. This circuit board touches the pins in the emitter of your Neopixel saber to transfer power and data to control the LED strips in the Neopixel blade. 70 | 71 | ### **Are blades cross compatible?** 72 | 73 | For the most part, yes! Blades of the same diameter **(1" or 7/8")** are cross compatible. For Neopixel, Neopixel sabers and Neopixel blades from different manufacturers are also cross compatible if they have the flat 3 ring PCB at the bottom. However some hilts may have a tighter emitter which may require you to sand down the blade near the base to reduce its diameter. 74 | 75 | &nbsp; 76 | 77 | --- 78 | 79 | &nbsp; 80 | 81 | #📟 **BOARDS FOR NEOPIXEL** 82 | 83 | ####➜ **Verso, Asteria** 84 | 85 | > **NOT AS COMMON** 86 | 87 | > *BlaBla* 88 | 89 | &nbsp; 90 | 91 | ####➜ **Xenopixel V2 / V3 / SN-V4** 92 | 93 | > **Standard Neopixel will have one of these boards** 94 | 95 | > *V2 - blabla* 96 | 97 | > *V3 - blabla* 98 | 99 | > *SN-V4 - blabla* 100 | 101 | &nbsp; 102 | 103 | ####➜ **Proffie** 104 | 105 | > **SMACK** 106 | 107 | > *BlaBla* 108 | 109 | &nbsp; 110 | 111 | ####➜ **Golden Harvest V3 (GHv3)** 112 | 113 | > **SMACK** 114 | 115 | > *BlaBla* 116 | 117 | &nbsp; 118 | 119 | ####➜ **Crystal Focus X (CFX)** 120 | 121 | > **SMACK** 122 | 123 | > *BlaBla* 124 | 125 | &nbsp; 126 | 127 | --- 128 | 129 | &nbsp; 130 | 131 | #🔋 **SABER CHARGING & BATTERY** 132 | 133 | ### **Type of Battery** 134 | 135 | **18650 3.7V Rechargeable battery** 3000mAh* (some may have higher/lower mAh) 136 | 137 | &nbsp; 138 | 139 | ### **How to charge it?** 140 | 141 | There are three variants: 142 | 143 | > **USB-C** 144 | 145 | > **Round charging port** 146 | 147 | > **No charging port** 148 | 149 | ![](%%LAUSBCRecharge%%) 150 | 151 | For the first two (USB-C and Round), the seller probably included a "charging cable" with your saber. This cable does not limit the charging input into your saber and plugging it into the wrong outlet can fry the saber electronics, becoming a light-less showpiece only. 152 | 153 | **The best recommended charging block would be one that limits the output to 5 Volts & 1 Amp charging current. 4.2V and 0.5A is ideal for longevity of the battery** 154 | 155 | You can also plug it into your computer's USB port as it usually outputs 5V and 0.5A, but double check to make sure before you fry your saber. 156 | 157 | ![](%%LARemovableBattery%%) 158 | 159 | Finally, some custom installed sabers don't have a charge port. That's a good thing. Instead you would **remove the battery and charge it in an external charger** which has a limited output or is smart enough to limit the charging output 160 | 161 | &nbsp; 162 | 163 | ### **Best way to charge?** 164 | 165 | ![](%%LAExternalCharger%%) 166 | 167 | The best way to charge your saber is to remove the battery and drop it into an external lithium-ion charger. Make sure that its output is limited to **5V and 1A (4.2V & 0.5A is ideal for longevity of the battery)**. Some more expensive chargers would have more battery slots and even detect what the optimal charging output is for the batteries. 168 | 169 | &nbsp; 170 | 171 | ### **If you remove the battery, how should you put it back?** 172 | 173 | If you remove your battery always make sure to insert it in the **correct orientation** or you risk frying your saber. Warranties are usually void if you do this. 174 | 175 | ![](%%LABatteryOrientation%%) 176 | 177 | **Some sabers will mark which side is the positive side and which side is the negative, pay attention to this and make sure it goes in the right way.** 178 | 179 | &nbsp; 180 | 181 | #🧿 **SABER PLUGS** 182 | 183 | ![](%%LABladePlug%%) 184 | 185 | That? Well that's a "blade plug". When you don't have a blade inserted you can insert the blade plug instead to block off the RGB LEDs so you don't stare straight into it and hurt your eyes. 186 | 187 | For a Neopixel saber these still serve the same purpose to a lesser degree. But they still look pretty cool if your Neopixel emitter has built-in LEDs. 188 | 189 | ![](%%LABladePlugInserted%%) 190 | 191 | &nbsp; 192 | 193 | --- 194 | 195 | &nbsp; 196 | 197 | # 🏠 ❮ Return to [r/lightsabers](https://www.reddit.com/r/lightsabers/) 198 | 199 | # 📖 ❮ Return to [Wiki](https://www.reddit.com/r/lightsabers/wiki/index/) -------------------------------------------------------------------------------- /index.md: -------------------------------------------------------------------------------- 1 | [1]: https://www.reddit.com/r/GenP/wiki/rules/ 2 | [2]: https://www.reddit.com/r/GenP/wiki/patchmethods 3 | [3]: https://www.reddit.com/r/GenP/wiki/redditgenpguides 4 | [4]: https://www.reddit.com/r/GenP/comments/164ew74/compatibility_list_2024_creative_suite/ 5 | [5]: https://www.reddit.com/r/GenP/wiki/faq 6 | 7 | [6]: https://www.reddit.com/r/GenP/comments/qpcnob/friendly_reminder_to_new_folks 8 | [7]: https://www.reddit.com/r/GenP/comments/ue47y6/possible_solution_to_unlicensed_app_popup_no/ 9 | [8]: https://genpguides.github.io/ 10 | [9]: https://github.com/genpguides/genp-reddit-backup 11 | [10]: https://www.reddit.com/r/Piracy/wiki/megathread/unsafe-sites/ 12 | 13 | --- 14 | 15 | ![](%%GenPBanner%%) 16 | 17 | #☠️ ➜ Welcome to the **WIKI** 18 | 19 | > From here, you will be able to find all the useful information for your journey! 20 | 21 | Beforehand, a long overdue brief... 22 | 23 | GenP was initially developed by uncia. Around the beginning of 2023, uncia announced their retirement from the scene in private forums but **released their last version, GenP 3.0.3 (known in Reddit as GenP 3.0)**, along with the source code. Due to this, a transition of responsibility to others capable of maintaining updates began to happen... 24 | 25 | For obvious reasons, this has been kept from being shared thinking in the program's longevity since this could mean it would be patched much faster due to the nature of easy sharing in Reddit vs hard-to-get in private forums... 26 | 27 | - *And no, the source code won't be shared because of what was stated above.* 28 | 29 | At the same time, this caused various versions to appear, some working, some not, and others straight malware, none of which was truly from the original Creator *[as per an old announcement made](https://www.reddit.com/r/GenP/comments/1513xj7/important_announcement/)*. 30 | 31 | Therefore, current versions and future versions are the efforts of individuals or groups who want to keep the program alive and safe for as long as possible. While there might be other versions around, we only support the one developed here (in case other collaborations happen for the greater good, we will be transparent about it). 32 | 33 | &nbsp; 34 | 35 | --- 36 | 37 | &nbsp; 38 | 39 | # **SYSTEM COMPATIBILITY - PC** # 40 | 41 | ### **GenP & M0nkrus only work on Windows 10 and 11.** ### 42 | 43 | ### **We do not support macOS, Linux or modified Windows versions.** 44 | 45 | > **macOS:** Go to [r/AdobeZii](https://www.reddit.com/r/AdobeZii) or use [Cmacked](https://cmacked.com/) 46 | 47 | > **Linux:** Ubuntu, Kali, Arch or any other Unix-based OS is not supported. 48 | 49 | &nbsp; 50 | 51 | ### **Regarding plugins, addon's or macOS** 52 | 53 | Check **r/Piracy:** They might have options worth exploring (we don't offer support to it, so stop asking for it) [Reddit megathread](https://www.reddit.com/r/Piracy/wiki/megathread/) or [Backup megathread](https://rentry.co/megathread) on the _**software category**_. 54 | 55 | &nbsp; 56 | 57 | 58 | #⛔ ➜ **GENERATIVE FILL IS GONE** 59 | 60 | > **⛔ Generative Fill or (AI) online features DO NOT WORK ANYMORE - stop asking about it** 61 | 62 | > Without a valid subscription or active trial (7 days), you can forget about it. It's been adapted into the monthly credits service for valid subscription users (pay-wall). Therefore, it's gone. **- Posts on the subject will be deleted.** 63 | 64 | &nbsp; 65 | 66 | ![](%%For-illiterates%%) 67 | 68 | &nbsp; 69 | 70 | --- 71 | 72 | &nbsp; 73 | 74 | #📝 ➜ **[FAQ][5]** 75 | 76 | - Frequently asked questions about the methods from the community and few other legacy questions 77 | 78 | [For basic knowledge](https://www.reddit.com/r/Piracy/wiki/faq/) 79 | 80 | [For ISP related](https://www.reddit.com/r/Piracy/wiki/faq/isp_complaints/) 81 | 82 | &nbsp; 83 | 84 | #📝 ➜ **[Rules][1]** 85 | 86 | - All the rules for the subreddit and legal disclaimer. 87 | 88 | &nbsp; 89 | 90 | --- 91 | 92 | # **EVERYTHING YOU WILL EVER NEED IS HERE** 93 | 94 | --- 95 | 96 | &nbsp; 97 | 98 | 99 | #📖 ➜ **[Explanation for each Patching Methods][2]** 100 | 101 | - RECOMMENDED TO READ BEFORE DOING ANYTHING 102 | 103 | - Brief overview of what each method is, what it does, possible issues, and update related questions. 104 | 105 | &nbsp; 106 | 107 | #⭐ ➜ **[HOW-TO-GUIDES & DOWNLOADS][3]** 108 | 109 | - All guides, programs and links for your adventures 110 | 111 | - Read the written guides or video tutorials, if available, for additional tips before you proceed 112 | 113 | - The main guides are: 114 | 115 | > **Method 1:** `Guide #2 - CC + GenP` 116 | 117 | > **Method 2:** `Guide #7 - Monkrus Individual` 118 | 119 | > `Troubleshoot section` - "Unlicensed popups, App will be disabled, Not loading or looping CC" 120 | 121 | > **Cleaning Method:** `Guide #4 - Fully Clean` 122 | 123 | - **Please use only the links and information in this subreddit alone, for your own safety and our sanity** 124 | 125 | &nbsp; 126 | 127 | #📝 ➜ **[Compatibility List][4]** 128 | 129 | - Self-explanatory (Pay attention to when it was last updated) 130 | 131 | &nbsp; 132 | 133 | --- 134 | 135 | &nbsp; 136 | 137 | #📝 ➜ **[Old Megathread][6]** 138 | 139 | - Post working as wiki and redirection to right places 140 | 141 | &nbsp; 142 | 143 | #☣️ ➜ **[Unsafe Sites][10]** 144 | 145 | - List of unsafe sites from the Piracy Subreddit 146 | 147 | &nbsp; 148 | 149 | #🦺 ➜ **[Fall-Back backup]** - *(Outdated)* 150 | 151 | *~~(Thanks voyager)~~* 152 | 153 | ~~The Subreddit guides will be the most updated, however in case the reddit goes down, the following links have all the information (Last update there was November 2023).~~ 154 | 155 | *~~[Github.io - Genp][8]~~ 156 | 157 | *~~[Github.com - Genp][9]~~ 158 | 159 | &nbsp; 160 | 161 | #🛟 ❮ Return to **[r/Genp](https://www.reddit.com/r/GenP/)** -------------------------------------------------------------------------------- /patchmethods.md: -------------------------------------------------------------------------------- 1 | [1]: https://www.reddit.com/r/GenP/wiki/redditgenpguides/#wiki_.1F921_guide_.232_-_dummy_guide_for_first_timers_genp_.28cc_.2B_genp.29 2 | [2]: https://www.reddit.com/r/GenP/wiki/redditgenpguides/#wiki_.1F412_guide_.237_-_monkrus_individual_.28easiest_method.29 3 | [3]: https://www.reddit.com/r/GenP/comments/164ew74/compatibility_list_2024_creative_suite/ 4 | 5 | --- 6 | 7 | #**Current methods of Patching + Brief info** 8 | 9 | > ⚠️ **ATTENTION** 10 | 11 | > ***Please do not try to mix files and patching methods.*** 12 | 13 | > ***That will work against you.*** 14 | 15 | &nbsp; 16 | 17 | #🤡 **Creative Cloud (CC) + GenP** *(Safest, but not Simplest to an extent)* 18 | 19 | ###❔**What does it do?** 20 | 21 | > Uses the official Adobe installer (Creative Cloud) to download the all of your selected programs *(using trials option)*, once installed you then patch those with GenP, which replaces some of the file settings to make the program think that its activated during an undetermined amount of time, possibly "forever". 22 | 23 | >> **It will install only the current latest versions, there's maybe possibility of roll-back option to older versions in case latest doesn't patch** 24 | 25 | > This includes trials, or coming from subscription model but want to cancel and patch to keep using it - only requirement is - programs must be installed in the computer. 26 | 27 | &nbsp; 28 | 29 | ###❌ **Issues** 30 | 31 | > Some cloud features / functions may refuse to work or malfunction due to needing contact to the servers, which the intention is to prevent said communication. However it should work well locally. 32 | 33 | > Due to evolution of ongoing updates both on CC and Apps, at any given point-in-time can break the patch or require unorthodox workarounds. 34 | 35 | > If you don't understand the minimum of what its talked in the guide or lack basic computer knowledge this might be a pain in the ass. 36 | 37 | **App Issues with GENP** 38 | 39 | * ❌ Lightroom is known to not always work 40 | * ❌ After Effects / Premiere HVEC - A1 have tendency to not work for some. 41 | 42 | &nbsp; 43 | 44 | ###📑 **How do you do it?** 45 | 46 | > It's a several steps Process, however sometimes there's a few issues with the patching not working as intended, but we can help if its not already mentioned in the guide or in old posts in reddit / discord. 47 | 48 | > 🔗 **[Guide #2 - CC+GenP][1]** 49 | 50 | &nbsp; 51 | 52 | ###➜ **For updates** 53 | 54 | > Yes, to a certain degree. To update the apps, simply open CC and see if there are updates to the programs, and choose update. 55 | 56 | > Once the update is done, close CC, open GenP and patch it again. **(new updates require repatching with GenP every time).** 57 | 58 | > However new updates can break the patch, we **RECOMMEND EXTREMELY to NOT UPDATE THE APPS IF THEY ARE WORKING in current installed version** (for yours and ours sanity). Please **[Check the Update Compatibility List][3].** 59 | 60 | &nbsp; 61 | 62 | --- 63 | 64 | &nbsp; 65 | 66 | #🐒 **Monkrus Individual** *(Simplest, but not "Safest" to an extent)* 67 | 68 | ###❔ **What does it do?** 69 | 70 | > It's a modified installer made by a Russian Re-Packer code-named "Monkrus", **a well regarded and trusted so far by the community**. 71 | 72 | > Uses a re-pack of the official adobe programs, already pre-patched, and requires **no Creative Cloud or any account signed in to work (offline use)** - It's similar to the previous method, but with all the work already done for you.. 73 | 74 | > Its as simple as downloading and installing like any other type of software. 75 | 76 | > ❗ **Recommendation: best if you don't ever sign it with any account, so you stay offline at all times.** 77 | 78 | >> Most of the unnecessary services that communicate to adobe servers are severed. 79 | 80 | > Don't sign-in, if you do problems may arise and may brick the install, in other words, you may need to uninstall and reinstall without sign in. 81 | 82 | &nbsp; 83 | 84 | ###❌ **Issues** 85 | 86 | > Don't really know specifically how its patched. 87 | 88 | > There has been some hacking related complaints towards the **Collection version specifically** *(accounts like google, instagram or facebook)*, but it's never clear since usually people download from other random sources, got it from youtube, use bunch of other crap, and so on. 89 | 90 | > At the same time, **there are those who use / used individual version or even the collection, and have never had any of those related issues at all.** 91 | 92 | > The amount of data leaks have been increasing, so certain accounts could've already been leaked a while back but just nothing happened until then. 93 | 94 | > There's a mix of opinions, those who trust and those who don't, since there's never a clear conclusive proof or replication of the same problem it's a gray area. 95 | 96 | > ❗ **The links in the reddit and suggestions are to the source, and not other random file hosts.** 97 | 98 | ⚠️ If going with Monkrus, please USE ONLY THE **INDIVIDUAL VERSIONS** (these should be alright) and **NEVER the Collection version** (has been dropped due to several correlations with malware, and malfunctions). - This has been said several times, but the majority skips on the reading, so it's your problem going forward. 99 | 100 | &nbsp; 101 | 102 | ###📑 **How do you do it?** 103 | 104 | **2 Ways:** 105 | 106 | 1. Individual apps (~2-5GB, dependent on the app) **Recommended** 107 | 108 | >> *Can install as many as you want and you can use the pre-searched links available to help find them, otherwise but you must look for them specifically by yourself* 109 | 110 | ~~2. Whole Adobe Collection (~22GB)~~ 111 | 112 | >> ~~*One-Installer-Package with the whole programs, which you can choose after to install either one, two, or several programs at once.*~~ 113 | 114 | 🔗 **[Guide #7 - Monkrus][2]** 115 | 116 | > For truly stand alone apps without CC (no online/cloud services) and other BS background apps, this is probably the only choice. 117 | 118 | &nbsp; 119 | 120 | ###➜ **For updates** 121 | 122 | > Individual apps, whenever a new version is available in the site, download it, install on top of the old one. 123 | 124 | > ~~M0nkrus Collection, you can only update when they release a new Collection Version. (And to update you just download the new collection, install on top of the old files)~~ 125 | 126 | > Sometimes, it can happen that you remain with 2 versions installed at the same time, if such happens just uninstall the old version after installing the new one and keep the preferences if asked. 127 | 128 | &nbsp; 129 | 130 | --- 131 | 132 | &nbsp; 133 | 134 | #🛟 ❮ Return to **[r/Genp](https://www.reddit.com/r/GenP/)** 135 | 136 | #☠️ ❮ Return to **[Wiki](https://www.reddit.com/r/GenP/wiki/index/)** -------------------------------------------------------------------------------- /posts/Friendly Reminder to new folks..md: -------------------------------------------------------------------------------- 1 | &#x200B; 2 | 3 | https://preview.redd.it/37ejpvagnh3b1.png?width=660&format=png&auto=webp&s=62aa3f8a17d5a9eabfd76ab33d2a987b35d6c2d4 4 | 5 | # ⚠️ PLEASE READ AND PAY ATTENTION TO THE RESPECTIVE GUIDES INSTRUCTIONS IN THIS SUBREDDIT. IT'S ALL THERE! 6 | 7 | [You can access all tips \/ guides \/ files through this top bar on New Reddit Style form.](https://preview.redd.it/m9teh0cfngjb1.png?width=1168&format=png&auto=webp&s=dd10e278507fa712eb237507907f9304200eec52) 8 | 9 | # Tips for new people: 10 | 11 | 1. **ALWAYS HAVE AN EXTERNAL BACK-UP OF ALL YOUR FILES** *- This is the most important rule.* 12 | 2. Read both [Patching Methods](https://www.reddit.com/r/GenP/wiki/index/#wiki_.1F4D6_.279C_patching_methods) and [WIKI](https://www.reddit.com/r/GenP/wiki/index/), so you know all the details between the methods. 13 | 3. The whole subreddit is in *New-Reddit-Style*, so all important links can only be found that way, however through the wiki you should be able to reach them (For folks using **old-reddit**). 14 | 4. Watch **OUR OWN** video tutorials *(if available)* on top section of each Guide as well reading the written guides for additional tips. - These will be 95% more up-to-date than your usual youtube search *"blablabla for free"* 15 | 16 | # Having a brain, attention to detail and some cognitive thinking is required. 17 | 18 | *Drink a cup of coffee or an energy drink and pay attention to all the information, folder locations and steps!* 19 | 20 | **⚠️ GENERATIVE FILL (AI) is behind a paywall / credits, forget about it and stop asking about it, in other words IT NO LONGER WORKS. - Posts on the subject will be deleted.** 21 | 22 | # 🛟 ❮ Return to [r/Genp](https://www.reddit.com/r/GenP/) 23 | 24 | # ☠️ ❮ Return to [Wiki](https://www.reddit.com/r/GenP/wiki/index/) -------------------------------------------------------------------------------- /posts/Possible solution to "Unlicensed App Popup" (No firewall needed).md: -------------------------------------------------------------------------------- 1 | The following has been imported into the Troubleshooting section in [Guides wiki](https://www.reddit.com/r/GenP/wiki/redditgenpguides/#wiki_.28....29_troubleshoot_section_.7C_unlicensed_popup) 2 | 3 | *Reddit made changes to UI which for some reason made it impossible or complicated to edit, therefore merged all information to the same location as everything else. They are the same, just in a different place* 4 | 5 | **Sorry about that, and hope you understand! 🙏** 6 | 7 | 🛟 ❮ Return to [**r/Genp**](https://www.reddit.com/r/GenP/) 8 | 9 | ☠️ ❮ Return to [**Wiki**](https://www.reddit.com/r/GenP/wiki/index/) -------------------------------------------------------------------------------- /posts/Update Compatibility List | 2023 Creative Suite.md: -------------------------------------------------------------------------------- 1 | # NOT WORKING (Multiple issues have been reported, no support provided) 2 | 3 | 4 | Photoshop Elements 2024 5 | 6 | Premiere Elements 2024 7 | 8 | Xd `V57.1.12` 9 | 10 | 11 | # MOSTLY WORKING (Some issues have been reported, and limited support will be provided. 12 | 13 | 14 | UXP Developer Tools `V1.9.0` 15 | 16 | Lightroom `V6.0` 17 | 18 | Lightroom Classic `V12.0` 19 | 20 | 21 | # WORKING (There are currently no reported issues) 22 | 23 | 24 | Acrobat `V2023` (Crack using Acropolis) 25 | 26 | Aero `V0.18.4` 27 | 28 | After Effects `V23.6` 29 | 30 | Animate `V23.0.2` 31 | 32 | Audition `V23.6` 33 | 34 | Bridge `V13.0.2 ` 35 | 36 | Camera Raw `V15.5` 37 | 38 | Character Animator `V23.6` 39 | 40 | Dimension `V3.4.10` 41 | 42 | Dreamweaver `V21.3` 43 | 44 | Fresco `V4.7.1` 45 | 46 | Illustrator `V27.8.1` 47 | 48 | InCopy `V18.5` 49 | 50 | InDesign `V18.5` 51 | 52 | Media Encoder `V23.6` 53 | 54 | Photoshop `V24.7` (Follow the guide for blocking .exe in the firewall) 55 | 56 | Photoshop Express `V3.9.0` 57 | 58 | Prelude `V22.1.1` 59 | 60 | Premiere Pro `V23.6` 61 | 62 | Premiere Rush `V2.9` 63 | 64 | Substance 3D Designer `V12.4.0` 65 | 66 | Substance 3D Modeler `V1.3.0` 67 | 68 | Substance 3D Painter `V9.0.0` 69 | 70 | Substance 3D Sampler `V4.1.2` 71 | 72 | Substance 3D Stager `V2.1.1` 73 | 74 | # 75 | 76 | 77 | >- This post will be edited when new updates come out until the 2024 suite releases. 78 | 79 | >- All beta apps should work correctly. 80 | 81 | >- Last updated: 2023-08-15 82 | 83 | >- Cracked on Creative Cloud `V5.11.0.522` 84 | 85 | >- If you're having issues updating apps, turn off "credit-card fix" through CCStopper. 86 | 87 | GenP `V3.0` 88 | CCStopper `V1.2.3 H1` 89 | Windows 11 `23H2` 90 | 91 | 92 | Please note that there is no warranty included with this software, whether expressed or implied. As the user, you assume all responsibility and risk for using this software. We cannot guarantee its functionality, security, or compatibility. Additionally, any modifications or attempts to crack this software will void any warranty that may have been present. By downloading and using this software, you acknowledge and accept these terms. -------------------------------------------------------------------------------- /redditgenpguides.md: -------------------------------------------------------------------------------- 1 | ***Updated: 26-June-2024*** 2 | 3 | [5]: https://www.reddit.com/r/GenP/comments/164ew74/compatibility_list_2024_creative_suite/ 4 | [6]: https://www.reddit.com/r/GenP/comments/mt9m4f/adobe_home_screen_fix_402 5 | [7]: https://github.com/eaaasun/CCStopper/releases 6 | [8]: xxx 7 | [9]: xxx 8 | [10]: xxx 9 | [12]: FullCleaningLINKS 10 | [13]: https://helpx.adobe.com/creative-cloud/kb/cc-cleaner-tool-installation-problems.html 11 | [14]: https://www.revouninstaller.com/ 12 | [15]: MonkrusIndividualLINKS 13 | [16]: https://www.qbittorrent.org/download.php 14 | [17]: https://w14.monkrus.ws/search?q=Adobe+Lightroom+Classic&max-results=20&by-date=true 15 | [18]: https://w14.monkrus.ws/search?q=Adobe+Photoshop&max-results=20&by-date=true 16 | [19]: https://w14.monkrus.ws/search?q=Adobe+Illustrator&max-results=20&by-date=true 17 | [20]: https://w14.monkrus.ws/search?q=Adobe+Premiere+Pro&max-results=20&by-date=true 18 | [21]: https://w14.monkrus.ws/search?q=Adobe+After+Effects&max-results=20&by-date=true 19 | [22]: https://w14.monkrus.ws/search?q=Adobe+Animate&max-results=20&by-date=true 20 | [23]: https://w14.monkrus.ws/search?q=Adobe+Character+Animator&max-results=20&by-date=true 21 | [24]: https://w14.monkrus.ws/search?q=Adobe+Acrobat+Pro&max-results=20&by-date=true 22 | [25]: https://w14.monkrus.ws/search?q=Adobe+Substance&max-results=20&by-date=true 23 | [26]: https://w14.monkrus.ws/search?q=Adobe+Audition&max-results=20&by-date=true 24 | [27]: https://w14.monkrus.ws/search?q=Adobe+XD&max-results=20&by-date=true 25 | [28]: https://w14.monkrus.ws/search?q=Adobe+InDesign&max-results=20&by-date=true 26 | [29]: https://w14.monkrus.ws/search?q=Adobe+Speech+to+Text&max-results=20&by-date=true 27 | [30]: https://w14.monkrus.ws/search?q=Adobe+Master+Collection&max-results=20&by-date=true 28 | [31]: https://w14.monkrus.ws/search?q=Adobe+Media+Encoder&max-results=20&by-date=true 29 | [32]: https://w14.monkrus.ws/search?q=Firefly+AI&max-results=20&by-date=true 30 | [33]: CC+GenPLINKS 31 | [11]: https://creativecloud.adobe.com/apps/download/creative-cloud 32 | [34]: https://www.mediafire.com/file/3lpsrxiz47mlhu2/Adobe-GenP-2.7.zip/file 33 | [35]: https://www.mediafire.com/file/jr0jqeynr4h21f9/Adobe_GenP_3.0.zip/file 34 | [36]: https://www.mediafire.com/file/xz64q94hsy71vgd/Adobe_GenP_3.4.9_%2528overall_fixes%2529.zip/file 35 | [37]: https://www.mediafire.com/file/200qofbd58tgc0u/Adobe_GenP_3.4.12.zip/file 36 | [38]: https://www.mediafire.com/file/rsdbnfi38eex4xv/Adobe_GenP_3.4.13_Beta_4.zip/file 37 | [39]: xxx 38 | 39 | &nbsp; 40 | 41 | --- 42 | 43 | &nbsp; 44 | 45 | # ❗ **EVERYTHING BELOW IS FOR WINDOWS SYSTEMS ONLY** 46 | 47 | > **Please, read the guides thoroughly before taking any action, as well posting repeated questions...** 48 | 49 | > *We simply aim to prolong your experimental phase a little longer than usual so you can practice more before you are professionally and financially capable of going the traditional route.* 50 | 51 | > *If you find any issues or areas for improvement in the information provided or the way the guides are presented, please [message the mods](https://www.reddit.com/message/compose?to=r/GenP) with specific details or constructive criticism!* 52 | 53 | &nbsp; 54 | 55 | --- 56 | 57 | &nbsp; 58 | 59 | # ⭐ **DOWNLOAD DIRECTORY** 60 | 61 | *Any link or text with ~~Strikethrough~~ is either (outdated) or dropped for security reasons (malware), recommended not to use.* 62 | 63 | **CC + Genp - (scroll to guide #2)** 64 | 65 | >🔗 **[Creative Cloud (CC)][11]** 66 | 67 | >🔗 ~~**[GenP 2.7][34]**~~ *(Outdated)* 68 | 69 | >🔗 ~~**[GenP 3.0][35]**~~ *(Outdated)* 70 | 71 | >🔗 ~~**[GenP 3.4.9][36]**~~ *(Outdated)* 72 | 73 | >🔗 ~~**[GenP 3.4.12][37]**~~ *(Outdated)* 74 | 75 | >🔗 **[GenP 3.4.13 Beta 4][38]** - Current Updated Version 76 | 77 | **NOTHING IS WORKING / FULL CLEANING - (scroll to guide #4)** 78 | 79 | >🔗 **[Creative Cloud CLEANER TOOL][13]** 80 | 81 | >🔗 **[Revo Uninstaller (Optional)][14]** 82 | 83 | **Monkrus Individual - (scroll to guide #7)** 84 | 85 | >🔗 **[qbittorrent][16]** 86 | 87 | >🔗 **[Monkrus Individual - Lightroom Classic][17]** 88 | 89 | >🔗 **[Monkrus Individual - Photoshop][18]** 90 | 91 | >🔗 ~~**[Monkrus Individual - Firefly AI Support][32]**~~ *(Doesn't work, needs paying subscription)* 92 | 93 | >🔗 **[Monkrus Individual - Illustrator][19]** 94 | 95 | >🔗 **[Monkrus Individual - Premiere Pro][20]** 96 | 97 | >🔗 **[Monkrus Individual - Media Encoder][31]** *(Must match same version of Premiere / After Effects to properly work)* 98 | 99 | >🔗 **[Monkrus Individual - After Effects][21]** 100 | 101 | >🔗 **[Monkrus Individual - Animate][22]** *(PRO version doesn't work)* 102 | 103 | >🔗 **[Monkrus Individual - Character Animator][23]** *(PRO version doesn't work)* 104 | 105 | >🔗 **[Monkrus Individual - Acrobat PRO][24]** *(get only x64 versions only)* 106 | 107 | >🔗 **[Monkrus Individual - Substance][25]** 108 | 109 | >🔗 **[Monkrus Individual - Audition][26]** 110 | 111 | >🔗 **[Monkrus Individual - XD][27]** 112 | 113 | >🔗 **[Monkrus Individual - InDesign][28]** 114 | 115 | >🔗 **[Monkrus Individual - Speech to Text Add-on for Premiere][29]** *(Must be compatible with the same version of Premiere, read description of Speech-to-Text in the forum, it mentions the version of premiere it got extracted from* 116 | 117 | >🔗 ~~**[Monkrus Collection][30]**~~ *(All Apps)* *(Specifically dropped due to Malware and performance concerns)* 118 | 119 | &nbsp; 120 | 121 | --- 122 | 123 | &nbsp; 124 | 125 | # ► **Guide #1 - How to whitelist files** 126 | 127 | * **On Windows Defender:** 128 | 129 | > **1. Click the windows key** 130 | 131 | > **2. Write "*[ Settings ]*"** 132 | 133 | > **3. Go to `Update & Security > Windows Security > Virus & Threat Protection`** 134 | 135 | > **4. Click "*[ Manage settings ]*"** 136 | 137 | > **5. Scroll Down and click on "*[ Add or remove exclusions ]*"** 138 | 139 | > **6. Click "*[ Add an exclusion and choose folder ]*"** 140 | 141 | > **7. Locate the folder and click "*[ Select folder ]*"** 142 | 143 | &nbsp; 144 | 145 | * **On Google-Chrome:** 146 | 147 | > **1. On an empty page press "*[ CTRL+J ]*"** 148 | 149 | > **2. Click "*[ Conserve ]*" on the blocked file** 150 | 151 | &nbsp; 152 | 153 | * **On Anti-Viruses (AV):** 154 | 155 | > **[Norton](https://youtu.be/os8gTlAZQxA)** 156 | 157 | > **[Avast](https://youtu.be/eoRSxbMPWRc)** 158 | 159 | > **[Malwarebytes](https://youtu.be/AJ4-IGnI8-A)** 160 | 161 | > **[Mcafee](https://youtu.be/Q7HH6g8nnsg)** 162 | 163 | > **[Bitdefender](https://youtu.be/byqL2jQA6D4)** 164 | 165 | &nbsp; 166 | 167 | --- 168 | 169 | &nbsp; 170 | 171 | # ☠️ **Guide #2 - Dummy Guide for First Timers GenP (CC + GenP)** 172 | 173 | > **[No Video Tutorial for Revamp 2024 yet]** 174 | 175 | **DOWNLOADS / TOOLS NEEDED** 176 | 177 | >🔗 **[Creative Cloud (CC)][11]** 178 | 179 | >🔗 **[GenP 3.4.13 Beta 4][38]** - Current Updated Version 180 | 181 | &nbsp; 182 | 183 | > ⛔ **Generative Fill or AI online features DO NOT WORK** 184 | 185 | > Without a valid subscription or valid active trial (7 days) you can forget about it. It's been adapted into the monthly credits service for valid subscription users (pay-wall). Therefore, its gone. 186 | 187 | &nbsp; 188 | 189 | > ⚠️ **Any ongoing new changes or fixes might not be immediately reflected in both the tools or the written guides (we're people and have lives too), but we will try to keep it updated ASAP.** 190 | 191 | &nbsp; 192 | 193 | **Instructions to CC + Genp** *pictures in the guides are only visible on full desktop mode, not on mobile* 194 | 195 | &nbsp; 196 | 197 | **1. Download & Install Creative Cloud** 198 | 199 | > You can Create a free account using your own email, using a temporary email *(search on google "temp mail" and any should work)*, or use an account you already have, preferably without any ongoing subscription *(to avoid problems)* 200 | 201 | > During setup, *if shown* do **NOT install AGS** (Adobe Genuine Service), *if not shown, continue anyway* 202 | 203 | ![](%%1-CC-Download-min%%) 204 | ![](%%3-CC-Sign-in-min%%) 205 | ![](%%4-CC-Sign-in-min%%) 206 | 207 | &nbsp; 208 | 209 | Once installed go to `Menu > File > Preferences` and in the "General" tab **disable the following:** 210 | 211 | > Launch at login 212 | 213 | > Sync files in the background after quitting 214 | 215 | > Automatically keep it updated 216 | 217 | **Once that is done go `Menu > File > Exit Creative Cloud`** 218 | 219 | ![](%%5-CC-Menu-min%%) 220 | 221 | &nbsp; 222 | 223 | **2. Download the latest Genp in the guide - Extract ALL contents from zip** 224 | 225 | > Once you have the `.zip` file, Right-click and "Extract All" contents. 226 | 227 | &nbsp; 228 | 229 | > ⚠️*Possible Problem & Solution - Step 2* 230 | 231 | > ⚠️ Antivirus may sometimes delete or move files into quarantine. You can either whitelist as safe or disable antivirus while extracting. This will fix the issue of **.exe** not showing in the folder after extracted. 232 | 233 | &nbsp; 234 | 235 | **3. Patch CreativeCloud with "Patch CC" button** 236 | 237 | > With current updated version of GenP opened, press the button that says "Patch CC" 238 | 239 | > The patch run automatically and perform all the necessary actions (do not touch anything until done) 240 | 241 | > You will know its finished when it switches to the log menu (this is only informational, continue with the guide) 242 | 243 | &nbsp; 244 | 245 | > ⚠️*Possible Problem & Solution - Step 3* 246 | 247 | > ⚠️ If you get "M2-Team NSUDO Launcher - Error: Failed to create a process", mouse gets stuck on loading or GenP doesn't open: 248 | 249 | > `CTRL+SHIFT+ESC`, in the "Processes" tab look for the GenP Process, Right-Click on it - "EndTask" 250 | 251 | > Then delete the NSUDO file from the extracted files, try opening GenP again - If working now, redo the proper step. 252 | 253 | &nbsp; 254 | 255 | > 💁‍♂️ *Every time CC gets updated, you must apply the "Patch CC" again.* 256 | 257 | ![](%%8-GenP-Menu-min2%%) 258 | ![](%%PatchingCCButton-min%%) 259 | 260 | &nbsp; 261 | 262 | **4. Open Creative Cloud > Apps > Install** 263 | 264 | **On the side menu, if you click on "Apps"** 265 | 266 | > You should now have the install button, install all the apps you want, wait until everything is installed and DON'T OPEN ANY YET. 267 | 268 | **Once once everything you want is installed go `Menu > File > Exit Creative Cloud`** 269 | 270 | ![](%%6-CC-Menu-Install-min%%) 271 | 272 | &nbsp; 273 | 274 | **5. Run GenP on the installed apps** 275 | 276 | > Open `GenP folder > Run "AdobeGenP.exe"` 277 | 278 | > Click on the button **"Search"** and wait. *(it will look at the default locations in `C:`)* - *(The "Path" is if apps were installed somewhere else, most likely you'll never need to use this option tho)* 279 | 280 | > In case you have any programs you don't want to patch, you can de-select the respective paths. 281 | 282 | > Finally click on the button **"PATCH"** to run the patch on the apps and wait until its done. 283 | 284 | &nbsp; 285 | 286 | > ⚠️*Possible Problem & Solution - Step 5* 287 | 288 | > ⚠️ If you're having issues opening it, turn AntiVirus OFF and try again, however **don't forget to turn it back ON after its patched**. 289 | 290 | &nbsp; 291 | 292 | > 💁‍♂️ *Every time the apps get updated, you must apply the "Patch" on the respective apps again.* 293 | 294 | ![](%%8-GenP-Menu-min2%%) 295 | ![](%%PatchingAppsButtons-min%%) 296 | 297 | &nbsp; 298 | 299 | **6. OPEN THE APPS THROUGH THEIR `.EXE` and NOT FROM Creative Cloud directly;** 300 | 301 | > Be aware you are free to pin the apps and open them from taskbar, start, .exe, shortcut, etc... The important part is: Don't open CC just to click OPEN on, for example, Photoshop... 302 | 303 | **Everything should be working now! End of Guide.** 304 | 305 | &nbsp; 306 | 307 | > ⚠️ **Installing/Updating - Possible Problem & Solution** 308 | 309 | > Always check the monthly **[Compatibility List][5]** before updating any apps, otherwise don't update. 310 | 311 | &nbsp; 312 | 313 | > **APPS: If you want to install more apps / update them**, hit "Install/Update" on said app, let it download, and then **run GenP** on them again, using the "Search" Button, and then the "Patch" Button. 314 | 315 | &nbsp; 316 | 317 | > **CC: If you update CC**, hit "Update", let it update, and then **run GenP** on it again, using the "Patch CC" Button. 318 | 319 | &nbsp; 320 | 321 | > If any other issues occur, Run GenP on compatibility mode to Windows 10/11. 322 | 323 | > If something ain't working properly or you get the Unlicensed Popup, check the **[TROUBLESHOOT SECTION | UNLICENSED POPUP]** towards the bottom of the guides page. 324 | 325 | &nbsp; 326 | 327 | --- 328 | 329 | &nbsp; 330 | 331 | # ☢️ **Guide #4 - NOTHING IS WORKING / FULL CLEANING** 332 | 333 | **[Video Tutorial](https://youtu.be/jezUElhqrRA)** *(0 to 7:20 only)* 334 | 335 | **DOWNLOADS / TOOLS NEEDED** 336 | 337 | >🔗 **[Creative Cloud CLEANER TOOL][13]** 338 | 339 | Another option (but not covered below) 340 | 341 | >🔗 **[Revo Uninstaller (Optional)][14]** 342 | 343 | &nbsp; 344 | 345 | > ⚠️ **Attention** - please read 346 | 347 | > If you been having, continue to have issues overall or simply want to restore to normal. We would advise to remove everything adobe related, and start all fresh. 348 | 349 | > Any brushes, patterns, plugins or other assets should be saved/exported to folders outside adobe main folders. 350 | 351 | >> Referring to master files where all edits are done such as `.psd`, `.ai`, `.ae`, etc... 352 | 353 | > Export and save them into a dedicated folder if you dont have it. 354 | 355 | &nbsp; 356 | 357 | **Instructions to Fully Clean:** 358 | 359 | **1. Remove any trace of ALL Adobe** 360 | 361 | > Run Adobe Cleaner Tool in **ALL** | *(E, Y, 1, Clean All, Y)* 362 | 363 | > Check Windows Control Panel > Uninstall, and see if the app was removed successfully, otherwise remove it there manually. 364 | 365 | &nbsp; 366 | 367 | **2. Delete Adobe folders from your disk drive** 368 | 369 | > `C:\Program files` 370 | 371 | > `C:\Program files\common files` 372 | 373 | > `C:\Program files x86` 374 | 375 | > `C:\Program files x86\common files` 376 | 377 | > `%appdata%\local` 378 | 379 | > `%appdata%\local\temp` 380 | 381 | > `%appdata%\roamming` 382 | 383 | &nbsp; 384 | 385 | **3. Registry Editor** 386 | 387 | > Windows key, write "registry editor" should show up 388 | 389 | > On *HKEY_CURRENT_USER* and *HKEY_LOCAL_MACHINE* 390 | 391 | > Look for **Software** and delete **Adobe**. 392 | 393 | &nbsp; 394 | 395 | **4. Remove Windows Firewall rules or Host File lines** 396 | 397 | > **For Windows Firewall** 398 | 399 | > Go to `Windows > Windows Firewall > Advanced Settings` 400 | 401 | > Check both in **Inbound** and **Outbound** 402 | 403 | > Remove or disable any rules blocking adobe processes or services, could be named with CCStopper or any other name you gave them. 404 | 405 | > If you created these in your AntiVirus, you'll have to do the same there. 406 | 407 | &nbsp; 408 | 409 | > **For Host File** 410 | 411 | > Go to `%WinDir%\System32\Drivers\Etc` 412 | 413 | > Right-click on "**hosts**" file, "Open with notepad" and remove all the lines related to "# BLOCK ADOBE #" in this post, save the file and reboot your system: 414 | 415 | &nbsp; 416 | 417 | > **DEFAULT HOST LINES - You can copy-and-paste it** 418 | 419 | > \# Copyright (c) 1993-2009 Microsoft Corp. 420 | 421 | > \# 422 | 423 | > \# This is a sample HOSTS file used by Microsoft TCP/IP for Windows. 424 | 425 | > \# 426 | 427 | > \# This file contains the mappings of IP addresses to host names. Each 428 | 429 | > \# entry should be kept on an individual line. The IP address should 430 | 431 | > \# be placed in the first column followed by the corresponding host name. 432 | 433 | > \# The IP address and the host name should be separated by at least one 434 | 435 | > \# space. 436 | 437 | > \# 438 | 439 | > \# Additionally, comments (such as these) may be inserted on individual 440 | 441 | > \# lines or following the machine name denoted by a '#' symbol. 442 | 443 | > \# 444 | 445 | > \# For example: 446 | 447 | > \# 448 | 449 | > \# 102.54.94.97 rhino.acme.com # source server 450 | 451 | > \# 38.25.63.10 x.acme.com # x client host 452 | 453 | > 454 | 455 | > \# localhost name resolution is handled within DNS itself. 456 | 457 | > \# 127.0.0.1 localhost 458 | 459 | > \# ::1 localhost 460 | 461 | &nbsp; 462 | 463 | **5. Restart the PC** 464 | 465 | > Adobe should not be in your system, and if you install it again it will behave normally 🙂 466 | 467 | &nbsp; 468 | 469 | --- 470 | 471 | &nbsp; 472 | 473 | # 🐒 **Guide #7 - Monkrus Individual (Easiest Method)** 474 | 475 | * **[Video Tutorial: Monkrus Individual / Collection Install](https://odysee.com/adobe-master-collection-free:c)** 476 | 477 | *- Thanks throwaway4rule34* 478 | 479 | **DOWNLOAD NEEDED** 480 | 481 | >🔗 **[Torrent Software - qbittorrent][16]** 482 | 483 | **ADDITIONAL DOWNLOAD OPTIONS** *(most recent sorted by release-date)* 484 | 485 | >🔗 **[Monkrus Individual - Lightroom Classic][17]** 486 | 487 | >🔗 **[Monkrus Individual - Photoshop][18]** 488 | 489 | >🔗 **[Monkrus Individual - Illustrator][19]** 490 | 491 | >🔗 **[Monkrus Individual - Premiere Pro][20]** 492 | 493 | >🔗 **[Monkrus Individual - Media Encoder][31]** *(Must match same version of Premiere / After Effects to properly work)* 494 | 495 | >🔗 **[Monkrus Individual - After Effects][21]** 496 | 497 | >🔗 **[Monkrus Individual - Animate][22]** *(PRO version doesn't work)* 498 | 499 | >🔗 **[Monkrus Individual - Character Animator][23]** *(PRO version doesn't work)* 500 | 501 | >🔗 **[Monkrus Individual - Acrobat PRO][24]** *(get only x64 versions only)* 502 | 503 | >🔗 **[Monkrus Individual - Substance][25]** 504 | 505 | >🔗 **[Monkrus Individual - Audition][26]** 506 | 507 | >🔗 **[Monkrus Individual - XD][27]** 508 | 509 | >🔗 **[Monkrus Individual - InDesign][28]** 510 | 511 | >🔗 **[Monkrus Individual - Speech to Text Add-on for Premiere][29]** *(Must be compatible with the same version of Premiere)* 512 | 513 | >> *Check description in tracker for compatibility with Premiere / After Effects versions - "extracted from ... version"* 514 | 515 | &nbsp; 516 | 517 | **Few details to pay attention to** 518 | 519 | > ⚠️ **Monkrus Collection is dropped due to malware concerns** - This has been mentioned for months but now its final. If you use it, its your problem. 520 | 521 | > ⚠️ **DO NOT RUN GENP ON MONKRUS** - If **switching completely** from CC+GenP to Monkrus, please run **GUIDE 4** to **clean everything**, as you want a clean slate to avoid problems with leftover files from the other method. 522 | 523 | > ⛔ **Generative Fill or AI online features DO NOT WORK ANYMORE - stop asking about it** 524 | 525 | > Without a valid subscription or active trial (7 days) you can forget about it. It's been adapted into the monthly credits service for valid subscription users (pay-wall). Therefore, its gone. 526 | 527 | &nbsp; 528 | 529 | **Instructions to Install Monkrus Individual:** 530 | 531 | **1. Download and Install the [Torrent Software - qbittorrent][16]** 532 | 533 | &nbsp; 534 | 535 | **2. Choose app of choice from Monkrus Individual on Download links above** 536 | 537 | > ⚠️ AntiVirus may have blacklisted the site causing it to not "load / could not reach url", if you disabled AV should load normally. 538 | 539 | > To translate the page to your language - on the top-right says "Translate with flags icons", 540 | 541 | ![](%%MonkTranslate%%) 542 | 543 | > Go down until you find "DOWNLOAD FROM THE TORRENT TRACKER OF YOUR CHOICE" 544 | 545 | &nbsp; 546 | 547 | > **On Rutracker:** 548 | 549 | > Requires an account registration for the magnet link to appear (temporary mail can be used). 550 | 551 | > Small **Magnet Icon** *(should be right in the middle of the page)* or download the .torrent file and then open it with Torrent Software to extract it. 552 | 553 | ![](%%Rutracker-location%%) 554 | 555 | &nbsp; 556 | 557 | > **On PB.WTF:** 558 | 559 | > Should not require registration 560 | 561 | > "Magnet ссылка" on the right (next to green and blue buttons) 562 | 563 | ![](%%PBWTF-location%%) 564 | 565 | &nbsp; 566 | 567 | > Once you click in said magnet, you should get these prompts or similar, which you'll want to allow and choose "Qbit" to open the link. 568 | 569 | ![](%%MonkPrompt-Magnet%%) 570 | 571 | &nbsp; 572 | 573 | > Now you should choose where you want the files to be downloaded to, make sure everything of the files is selected and click "OK" to start 574 | 575 | ![](%%qBit-Prompt%%) 576 | 577 | > Let it download. *(when it reaches 100% it changes from "Downloading" into "Seeding", the files have been downloaded, you can simply right click it and choose remove)* 578 | 579 | ![](%%qBit-Prompt-Complete%%) 580 | 581 | &nbsp; 582 | 583 | **3. Go to the downloaded folder, find the "disk or .iso file", double-click to open and run "autoplay.exe" as ADMINISTRATOR.** 584 | 585 | > For individual: Proceed with the install setup. 586 | 587 | > ~~For collection: Select the apps you want to install (you don't need all).~~ 588 | 589 | ⚠️ **Attention - Majority apps should work without any account signed in (cloud-based might need)** 590 | 591 | &nbsp; 592 | 593 | **If the install window doesn't show up or Errors (failed to...)** 594 | 595 | > Turn anti-virus OFF for the installation process - that may be preventing the window from showing up (may be windows defender or other AV you have). You may turn it back on after the install. 596 | 597 | &nbsp; 598 | 599 | **4. Once everything is installed and working properly you can EJECT the DVDdrive found at "MyComputer / This PC"** 600 | 601 | > The DVDdrive is created when you open the ".iso" file, which is in fact a virtual installation CD - It has no other purpose besides that. 602 | 603 | > You may also delete or not the files extracted from the torrent (installer). Up to you if you want to keep them. 604 | 605 | &nbsp; 606 | 607 | **🪙 To update Monkrus just install the newer version on top of the old one** 608 | 609 | > If something ain't working properly or you get the Unlicensed Popup, check the **[TROUBLESHOOT SECTION | UNLICENSED POPUP]** towards the bottom of the guides page. 610 | 611 | &nbsp; 612 | 613 | --- 614 | &nbsp; 615 | 616 | # ► **Guide #8 - Blocking unnecessary Adobe Background processes(PS/DC)** 617 | 618 | *- Thanks u/Verix-* 619 | 620 | **For Photoshop** 621 | 622 | All you have to do is rename these 4 exe-files. 623 | 624 | > 1. `C:\Program Files (x86)\Adobe\Adobe Sync\CoreSync\CoreSync.exe` 625 | 626 | > 2. `C:\Program Files\Adobe\Adobe Creative Cloud Experience\CCXProcess.exe` 627 | 628 | > 3. `C:\Program Files (x86)\Common Files\Adobe\Adobe Desktop Common\ADS\Adobe Desktop Service.exe` 629 | 630 | > 4. `C:\Program Files\Common Files\Adobe\Creative Cloud Libraries\CCLibrary.exe` 631 | 632 | 633 | --> Just add ".bak" after the ".exe". 634 | 635 | For example: "CoreSync.exe"-->"CoreSync.exe.bak" 636 | 637 | (If you dont see ".exe" in the file name, you need to make the file name extensions visible in your explorer) 638 | 639 | --- 640 | 641 | **For Acrobat DC** 642 | 643 | All you have to do is rename these exe-file. 644 | 645 | > 1. `C:\Program Files\Adobe\Acrobat DC\Acrobat\AdobeCollabSync.exe` 646 | 647 | --> Just add ".bak" after the ".exe". 648 | 649 | 650 | For example: "AdobeCollabSync.exe"-->"AdobeCollabSync.exe.bak" 651 | 652 | (If you dont see ".exe" in the file name, you need to make the file name extensions visible in your explorer) 653 | 654 | **FOR UPDATES ON ALL:** 655 | 656 | > In order to update Creative Cloud, its recommended reverting at least the name change of `C:\Program Files (x86)\Common Files\Adobe\Adobe Desktop Common\ADS\Adobe Desktop Service.exe`. 657 | 658 | > To update the other apps, you should undo all changes to be on the safe side. 659 | 660 | &nbsp; 661 | 662 | --- 663 | 664 | &nbsp; 665 | 666 | # ► **Guide #9 - Fix Neural filters not available in Photoshop** 667 | 668 | - Thanks u/Verix- , from GenP Discord. 669 | 670 | 1. Navigate to `C:\Users\"YourUsername"\AppData\Roaming\Adobe\UXP\` or hit Win+R and type in "%appdata%". 671 | 672 | 2. Delete the folder "PluginsStorage". 673 | 674 | 3. Restart Photoshop and run it as administrator. 675 | 676 | 4. Download the neural filters you need. 677 | 678 | &nbsp; 679 | 680 | * **If the button is greyed out, go on.** 681 | 682 | 5. Close Photoshop and Creative Cloud if they're open. 683 | 684 | 6. Open Task Manager and make sure that there are no Adobe-related processes running in the background. If there are, end those processes. 685 | 686 | 7. Open Creative Cloud and log out of your account. 687 | 688 | 8. Close Creative Cloud and make sure that it's no longer running in the background. 689 | 690 | 9. Open Creative Cloud again and log in to your account. 691 | 692 | 10. Close Creative Cloud and make sure that it's no longer running in the background. 693 | 694 | 11. Open Photoshop and check if the Neural Filters option is now available. If it's not, try loading an image and checking again. 695 | 696 | &nbsp; 697 | 698 | --- 699 | 700 | &nbsp; 701 | 702 | # (...) **TROUBLESHOOT SECTION | UNLICENSED POPUP** 703 | 704 | ![](%%Unlicensed-MergeFix%%) 705 | 706 | All following options are towards avoiding either credit card / unlicensed or disabled pop-ups. 707 | 708 | These can be used across the methods of GenP or Monkrus. 709 | 710 | - 1️⃣ Option - PowerShell Cmd / Manual Host File Block; 711 | 712 | - 2️⃣ Option - FIREWALL RULE on App-in-question.exe (disconnecting access to or from internet); 713 | 714 | - 3️⃣ Option - RESTORE (Reverse of option 1 and 2) (Fix CC not loading / loading continuously); 715 | 716 | 717 | &nbsp; 718 | 719 | ❗ 𝗣𝗟𝗘𝗔𝗦𝗘 𝗥𝗘𝗔𝗗 𝗔𝗡𝗗 𝗦𝗧𝗢𝗣 𝗔𝗦𝗞𝗜𝗡𝗚 𝗜𝗧 𝗢𝗩𝗘𝗥 𝗔𝗡𝗗 𝗢𝗩𝗘𝗥 𝗔𝗚𝗔𝗜𝗡 ❗ 720 | 721 | ⚠️ If your windows firewall is being managed by your antivirus (should say "firewall is being managed by third-party" or something similar) then all the changes below must be applied in said Antivirus firewall (that's on you to figure out all of them have different menus and places, however the paths to block are the same) - Also whichever is "the boss" it must remain ON. 722 | 723 | - If you still getting after all those without any mistake, honestly Run guide 4 completely and try again. Otherwise, out of options. 724 | 725 | &nbsp; 726 | 727 | # (...) 1️⃣ **HOST FILE BLOCK LIST (updated regularly)** 728 | 729 | **1. Use the following command in PowerShell (as admin) if your apps are warning you of unlicensed or non-genuine usage:** 730 | 731 | > `Stop-Process -Name "Adobe Desktop Service" -force` 732 | 733 | ![](%%Powershell%%) 734 | 735 | &nbsp; 736 | 737 | ⚠️ The Host Lines in the Genp "Pop-up" button option may not always be up-to-date (due to when a new line is found), therefore always check to see if the lines added matches the ones written below. If some lines are missing either wait for the update or add it manually afterwards. 738 | 739 | **2. Open Notepad (as admin)**, go to FILE > OPEN > `C:\Windows\System32\drivers\etc` <- Copy paste this directory to the file explorer bar, press enter and select the file "hosts" 740 | 741 | ⚠️ (If you do not see it, make sure you're looking for `"All file types (*.*)` and NOT `Text files (*.txt)`) 742 | 743 | ![](%%Host-location%%) 744 | 745 | &nbsp; 746 | 747 | **3. Copy the whole block of text from (https://a.dove.isdumb.one/list.txt) and paste into a blank line on your host file. After that is done, save it.** 748 | 749 | Done. 750 | 751 | > *You can learn how to find any new IPs to block using Fiddler Classic: [psnfoandhostblock (rentry.co)](https://rentry.co/psnfoandhostblock#information-on-getting-the-new-ips-as-they-change)* 752 | 753 | &nbsp; 754 | 755 | --- 756 | 757 | &nbsp; 758 | 759 | # (...) 2️⃣ **FIREWALL RULE on App-in-question.exe** 760 | 761 | If the Host lines (updated and correctly applied) aren't being enough to stop it, you can experiment with the following: 762 | 763 | > Go to `Windows Firewall > Advanced Settings` 764 | 765 | ⚠️ If you see this warning, All firewall rules must be done in your antivirus firewall settings, and not on windows defender firewall (otherwise they will have no effect) - But just in case, have in both lol 766 | 767 | ![](%%Firewall%%) 768 | 769 | Outbound Rules should be more than enough. Only do both if the first doesn't work. 770 | 771 | ![](%%Firewall-Outbound%%) 772 | 773 | &nbsp; 774 | 775 | > Create **Outbound** rule on each app with issues 776 | 777 | **Structure is the following:** 778 | 779 | > **File Type:** Program 780 | 781 | > **Program:** It's necessary to select the actual "program".exe inside the folder that was installed because the shortcut will not work. 782 | 783 | When looking for the program path, we want the Actual Program \".exe\" and not the shortcuts. How to distinct them - LEFT: SHORTCUT \".EXE\" | RIGHT: ACTUAL \".EXE\" 784 | 785 | ![](%%Shortcun-vs-Real-EXE%%) 786 | 787 | &nbsp; 788 | 789 | >> **Typical path example would be:** `C:\Program Files\Adobe\Adobe Photoshop 2023\Photoshop.exe` (Find the proper path for the app you need) 790 | 791 | > **Action:** Block Connection 792 | 793 | > **Profile:** All 794 | 795 | >> **Name:** Name it whatever you want to know what's blocking. 796 | 797 | ⚠️ **If the issue persist, you can create the same rules for "Inbound"** 798 | 799 | &nbsp; 800 | 801 | You will lose internet access going out from the application, at the same time, the license also wont be able to check if good or bad. 802 | 803 | Outside of that, unplug internet problem solved lol 804 | 805 | &nbsp; 806 | 807 | --- 808 | 809 | &nbsp; 810 | 811 | # (...) 3️⃣ **RESTORE (reverse of options 1 and 2)** 812 | 813 | Most probably because of Host file edits or Firewall rules (including outdated ones) that are either working against each other or blocking something that shouldnt be blocked. 814 | 815 | **Reverse Hosts File edit:** 816 | 817 | **1. Open Notepad (as admin)**, go to FILE > OPEN > `C:\Windows\System32\drivers\etc` <- Copy paste this directory to the file explorer bar, press enter and select the file "hosts" 818 | 819 | ⚠️ (If you do not see it, make sure you're looking for `"All file types (*.*)` and NOT `Text files (*.txt)`) 820 | 821 | &nbsp; 822 | 823 | **2. Remove all lines related to adobe stuff, save the file and reboot your system** 824 | 825 | > This should fix the looping and bring CC to its default behavior, but at the same time will be open to internet - which may cause issues for the apps currently installed. 826 | 827 | > If it happens, do **Option 2 and create an Outbound rule** for the programs `.exe` malfunctioning. 828 | 829 | &nbsp; 830 | 831 | **Reverse Firewall Rule:** 832 | 833 | > `Windows > Windows Firewall > Advanced Settings` 834 | 835 | > Check both **Inbound and Outbound** 836 | 837 | > **Disable** or remove any rules that are applied to AD0BE or other firewall rules you created or asked in the guides. 838 | 839 | &nbsp; 840 | 841 | **If neither of these have fixed the issue,** 842 | 843 | > Please uninstall everything to the max using [☢️ Guide #4 - NOTHING IS WORKING / FULL CLEANING](https://www.reddit.com/r/GenP/wiki/redditgenpguides/#wiki_.2622.FE0F_guide_.234_-_nothing_is_working_.2F_full_cleaning) and restart the respective guide you were doing from the beginning. This should ensure a clean slate. 844 | 845 | **If still not working let us know - but please be specific on:** 846 | 847 | > What method you have (genp or monkrus); 848 | 849 | > Which of these fixes didnt work; 850 | 851 | > What problem still happens; 852 | 853 | &nbsp; 854 | 855 | ➜ **Optional - Block AGS via Firewall** 856 | 857 | > Create **Outbound** rules on **Adobe Genuine Service** 858 | 859 | Path of AGS - `C:\Program Files (x86)\Common Files\Adobe\Adobe Desktop Common\AdobeGenuineClient\AGSService.exe` 860 | 861 | ⚠️ **If the issue persist, you can create the same rules for "Inbound"** 862 | 863 | &nbsp; 864 | 865 | ➜ **Optional - Uninstall AGS - Adobe Genuine Service** 866 | 867 | Open PowerShell, as admin, and enter: 868 | 869 | ```[System.Diagnostics.Process]::Start("C:\Program Files (x86)\Common Files\Adobe\AdobeGCClient\AdobeCleanUpUtility.exe")``` 870 | 871 | and follow the on-screen instructions. 872 | 873 | If that directory is absent then the service won’t be installed. 874 | 875 | &nbsp; 876 | 877 | ➜ **Restore AppsPannel (vanilla)** 878 | 879 | Only if you want to restore from the previously made backup and move into official paid functionality, use the following command: 880 | 881 | > ```cp "C:\Program Files (x86)\Common Files\Adobe\Adobe Desktop Common\AppsPanel\AppsPanelBL.dll.bak" "C:\Program Files (x86)\Common Files\Adobe\Adobe Desktop Common\AppsPanel\AppsPanelBL.dll"``` 882 | 883 | If no errors are printed to the console, restart your machine. Upon startup, Creative Cloud will be returned to normal functionality— 884 | 885 | ![](%%PowerShell-Restore%%) 886 | 887 | &nbsp; 888 | 889 | --- 890 | 891 | &nbsp; 892 | 893 | #🛟 ❮ Return to **[r/Genp](https://www.reddit.com/r/GenP/)** 894 | 895 | #☠️ ❮ Return to **[Wiki](https://www.reddit.com/r/GenP/wiki/index/)** -------------------------------------------------------------------------------- /rules.md: -------------------------------------------------------------------------------- 1 | #**🫅 ➜ Welcome to the Rules** 2 | 3 | Try to be respectful and help others in a clear and civil way just like you would in any other community. 4 | 5 | &nbsp; 6 | 7 | --- 8 | 9 | &nbsp; 10 | 11 | ##**📝 1. Don't be repetitious, spam, or submit poorly written posts** 12 | 13 | - Search the internet or this subreddit first, to reduce repetition. 14 | 15 | - Give Clear and Prevalent details on Method, Version, and the Issue. 16 | 17 | - Avoid spamming the same issues and misinformation. 18 | 19 | - Any posts that are not up to standards, lazy, or confusing will be taken down. 20 | 21 | &nbsp; 22 | 23 | --- 24 | 25 | &nbsp; 26 | 27 | 28 | ##**📝 2. Don't request or link to specific websites** 29 | 30 | - Do not encourage rule breaking by asking which specific title / website another person is looking for when they make a request. 31 | 32 | &nbsp; 33 | 34 | --- 35 | 36 | &nbsp; 37 | 38 | 39 | ##**📝 3. Don't request invites, trade, sell, or self-promote** 40 | 41 | - No pleading for invites to scene sites, private torrent trackers, DDL forums or other sites with closed registrations. 42 | 43 | - No asking for content downloads, activation keys etc. 44 | 45 | - No trading or selling content, especially not for monetary services. 46 | 47 | - No self-promotion of your own work is allowed unless you expressly receive permission from the moderators. 48 | 49 | &nbsp; 50 | 51 | --- 52 | 53 | &nbsp; 54 | 55 | #**❗➜ Disclaimer** 56 | 57 | > **Please read the guides completely before doing anything** 58 | 59 | > *We simply try to extend your experimental phase a little longer than the usual, before you are professionally and financially capable of going the traditional route.* 60 | 61 | &nbsp; 62 | 63 | The following disclaimer is intended to clarify the nature and purpose of any guides or files concerning piracy-related activities that may be shared or created by the community as a whole. 64 | 65 | > Please read this disclaimer carefully before engaging with or relying on any information contained in such guides or files. 66 | 67 | > **1. Informational Purpose:** 68 | 69 | > The guides or files shared or created by the community as a whole are provided for informational purposes only. They are not intended to encourage, endorse, or support such activities. The content shared or created should not be misconstrued as legal advice or an opinion on the legality of any actions related to such. 70 | 71 | > **2. Community-Based Nature:** The guides or files are the collective works of a community as a whole. They may be the result of individual contributions, discussions, and experiences shared among community members. As such, they may contain subjective opinions, varying perspectives, and evolving understandings of relevant laws and regulations. The accuracy, completeness, and currency of the information cannot be guaranteed, and users should exercise caution. 72 | 73 | > **3. Personal Responsibility:** 74 | 75 | > Users are solely responsible for their own actions and should exercise sound judgment when utilizing any information provided. The community, including any contributors or authors, does not assume any liability for the actions or consequences resulting from the use of such information. This disclaimer does not condone or promote any such activities but rather aims to clarify the nature of the shared information. 76 | 77 | > **4. No Warranty:** 78 | 79 | > The guides or information provided are offered "as is" without any warranties or representations, express or implied. The community, including any contributors or authors, disclaims any responsibility or liability for the accuracy, completeness, or reliability of the information provided. Users utilize the information at their own risk. 80 | 81 | > **5. Limitation of Liability:** 82 | 83 | > Neither the community as a whole nor any individual community member shall be liable for any direct, indirect, incidental, consequential, or special damages arising out of the use or reliance on the information contained in the guides or files. Users assume full responsibility for their actions and are advised to exercise caution and conduct independent research to obtain accurate and up-to-date advice. 84 | 85 | > **By accessing or utilizing any guides or information provided, you acknowledge that you have read, understood, and agreed to the terms of this disclaimer.** 86 | 87 | > You further acknowledge that the community, including any contributors or authors, shall not be held responsible or liable for any actions, consequences, or damages arising from the use of such information. 88 | 89 | > If you do not agree with this disclaimer, you should refrain from accessing or utilizing any guides or information provided. 90 | 91 | **From CHATGPT, the MOD team and all those who have contributed this far, please enjoy! 💋** 92 | 93 | &nbsp; 94 | 95 | --- 96 | 97 | &nbsp; 98 | 99 | #🛟 ❮ Return to **[r/Genp](https://www.reddit.com/r/GenP/)** 100 | 101 | #☠️ ❮ Return to **[Wiki](https://www.reddit.com/r/GenP/wiki/index/)** -------------------------------------------------------------------------------- /testingonly1111.md: -------------------------------------------------------------------------------- 1 | $bytes = [System.IO.File]::ReadAllBytes("C:\Program Files (x86)\Common Files\Adobe\Adobe Desktop Common\AppsPanel\AppsPanelBL.dll") 2 | $bytes[1116554] = 0xfe 3 | $bytes[1216383] = 0xfe 4 | $bytes[1987439] = 0xfe 5 | $bytes[2150557] = 0xfe 6 | $bytes[2151982] = 0xfe 7 | $bytes[2152497] = 0xfe 8 | $bytes[2153297] = 0xfe 9 | $bytes[2279801] = 0xc6 10 | $bytes[2279802] = 0x40 11 | $bytes[2279811] = 0xc6 12 | $bytes[2279812] = 0x40 13 | $bytes[2279821] = 0xc6 14 | $bytes[2279822] = 0x40 15 | [System.IO.File]::WriteAllBytes("C:\Program Files (x86)\Common Files\Adobe\Adobe Desktop Common\AppsPanel\AppsPanelBL.dll", $bytes) 16 | 17 | --- 18 | 19 | ``` 20 | $bytes = [System.IO.File]::ReadAllBytes("C:\Program Files (x86)\Common Files\Adobe\Adobe Desktop Common\AppsPanel\AppsPanelBL.dll") 21 | $bytes[1116554] = 0xfe 22 | $bytes[1216383] = 0xfe 23 | $bytes[1987439] = 0xfe 24 | $bytes[2150557] = 0xfe 25 | $bytes[2151982] = 0xfe 26 | $bytes[2152497] = 0xfe 27 | $bytes[2153297] = 0xfe 28 | $bytes[2279801] = 0xc6 29 | $bytes[2279802] = 0x40 30 | $bytes[2279811] = 0xc6 31 | $bytes[2279812] = 0x40 32 | $bytes[2279821] = 0xc6 33 | $bytes[2279822] = 0x40 34 | [System.IO.File]::WriteAllBytes("C:\Program Files (x86)\Common Files\Adobe\Adobe Desktop Common\AppsPanel\AppsPanelBL.dll", $bytes) 35 | ``` --------------------------------------------------------------------------------