mirror of
https://github.com/fmhy/edit.git
synced 2026-02-17 00:31:34 +11:00
Merge branch 'fmhy:main' into main
This commit is contained in:
commit
87adcd5c53
36 changed files with 1186 additions and 775 deletions
3
.mise.toml
Normal file
3
.mise.toml
Normal file
|
|
@ -0,0 +1,3 @@
|
||||||
|
# https://github.com/vitejs/vite/issues/17291
|
||||||
|
[tools]
|
||||||
|
node = "21"
|
||||||
|
|
@ -19,18 +19,54 @@ export const feedback = `<a href="/feedback" class="feedback-footer">Made with
|
||||||
export const search: DefaultTheme.Config['search'] = {
|
export const search: DefaultTheme.Config['search'] = {
|
||||||
options: {
|
options: {
|
||||||
miniSearch: {
|
miniSearch: {
|
||||||
|
options: {
|
||||||
|
tokenize: (text) => text.split(/[\n\r #%*,=/:;?[\]{}()&]+/u), // simplified charset: removed [-_.@] and non-english chars (diacritics etc.)
|
||||||
|
processTerm: (term, fieldName) => {
|
||||||
|
term = term
|
||||||
|
.trim()
|
||||||
|
.toLowerCase()
|
||||||
|
.replace(/^\.+/, '')
|
||||||
|
.replace(/\.+$/, '')
|
||||||
|
const stopWords = [
|
||||||
|
'frontmatter',
|
||||||
|
'$frontmatter.synopsis',
|
||||||
|
'and',
|
||||||
|
'about',
|
||||||
|
'but',
|
||||||
|
'now',
|
||||||
|
'the',
|
||||||
|
'with',
|
||||||
|
'you'
|
||||||
|
]
|
||||||
|
if (term.length < 2 || stopWords.includes(term)) return false
|
||||||
|
|
||||||
|
if (fieldName === 'text') {
|
||||||
|
const parts = term.split('.')
|
||||||
|
if (parts.length > 1) {
|
||||||
|
const newTerms = [term, ...parts]
|
||||||
|
.filter((t) => t.length >= 2)
|
||||||
|
.filter((t) => !stopWords.includes(t))
|
||||||
|
return newTerms
|
||||||
|
}
|
||||||
|
}
|
||||||
|
return term
|
||||||
|
}
|
||||||
|
},
|
||||||
searchOptions: {
|
searchOptions: {
|
||||||
combineWith: 'AND',
|
combineWith: 'AND',
|
||||||
fuzzy: false,
|
fuzzy: true,
|
||||||
// @ts-ignore
|
// @ts-ignore
|
||||||
boostDocument: (
|
boostDocument: (
|
||||||
_,
|
documentId,
|
||||||
term,
|
term,
|
||||||
storedFields: Record<string, string | string[]>
|
storedFields: Record<string, string | string[]>
|
||||||
) => {
|
) => {
|
||||||
const titles = (storedFields?.titles as string[])
|
const titles = (storedFields?.titles as string[])
|
||||||
.filter((t) => Boolean(t))
|
.filter((t) => Boolean(t))
|
||||||
.map((t) => t.toLowerCase())
|
.map((t) => t.toLowerCase())
|
||||||
|
// Downrank posts
|
||||||
|
if (documentId.match(/\/posts/)) return -5
|
||||||
|
|
||||||
// Uprate if term appears in titles. Add bonus for higher levels (i.e. lower index)
|
// Uprate if term appears in titles. Add bonus for higher levels (i.e. lower index)
|
||||||
const titleIndex =
|
const titleIndex =
|
||||||
titles
|
titles
|
||||||
|
|
|
||||||
|
|
@ -1,5 +1,18 @@
|
||||||
<script setup lang="ts">
|
<script setup lang="ts">
|
||||||
import { reactive, ref } from 'vue'
|
import { ref, reactive } from 'vue'
|
||||||
|
import {
|
||||||
|
TransitionRoot,
|
||||||
|
TransitionChild,
|
||||||
|
Dialog,
|
||||||
|
DialogPanel,
|
||||||
|
DialogTitle,
|
||||||
|
DialogDescription,
|
||||||
|
Listbox,
|
||||||
|
ListboxLabel,
|
||||||
|
ListboxButton,
|
||||||
|
ListboxOptions,
|
||||||
|
ListboxOption
|
||||||
|
} from '@headlessui/vue'
|
||||||
import { useRouter } from 'vitepress'
|
import { useRouter } from 'vitepress'
|
||||||
import {
|
import {
|
||||||
type FeedbackType,
|
type FeedbackType,
|
||||||
|
|
@ -12,16 +25,28 @@ const error = ref<unknown>(null)
|
||||||
const success = ref<boolean>(false)
|
const success = ref<boolean>(false)
|
||||||
|
|
||||||
const router = useRouter()
|
const router = useRouter()
|
||||||
|
|
||||||
const feedback = reactive<FeedbackType>({ message: '' })
|
const feedback = reactive<FeedbackType>({ message: '' })
|
||||||
|
|
||||||
async function handleSubmit(type?: FeedbackType['type']) {
|
const options = [
|
||||||
if (type) feedback.type = type
|
{
|
||||||
|
label: '💡 Suggestion',
|
||||||
|
value: 'suggestion'
|
||||||
|
},
|
||||||
|
{
|
||||||
|
label: '❤️ Appreciation',
|
||||||
|
value: 'appreciate'
|
||||||
|
},
|
||||||
|
{ label: '🐞 Bug', value: 'bug' },
|
||||||
|
{ label: '📂 Other', value: 'other' }
|
||||||
|
]
|
||||||
|
const selectedOption = ref(options[0])
|
||||||
|
|
||||||
|
async function handleSubmit() {
|
||||||
loading.value = true
|
loading.value = true
|
||||||
|
|
||||||
const body: FeedbackType = {
|
const body: FeedbackType = {
|
||||||
message: feedback.message,
|
message: feedback.message,
|
||||||
type: feedback.type,
|
type: selectedOption.value.value,
|
||||||
page: router.route.path
|
page: router.route.path
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
@ -49,45 +74,155 @@ async function handleSubmit(type?: FeedbackType['type']) {
|
||||||
loading.value = false
|
loading.value = false
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
const isOpen = ref(false)
|
||||||
|
|
||||||
|
function closeModal() {
|
||||||
|
isOpen.value = false
|
||||||
|
}
|
||||||
|
function openModal() {
|
||||||
|
isOpen.value = true
|
||||||
|
}
|
||||||
</script>
|
</script>
|
||||||
|
|
||||||
<template>
|
<template>
|
||||||
<div class="wrapper">
|
|
||||||
<Transition name="fade" mode="out-in">
|
|
||||||
<div v-if="!feedback.type" class="step">
|
|
||||||
<div>
|
|
||||||
<div>
|
|
||||||
<p class="heading">Feedback</p>
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
<div class="button-container">
|
|
||||||
<button
|
<button
|
||||||
v-for="item in feedbackOptions"
|
type="button"
|
||||||
:key="item.value"
|
class="p-[4px 8px] text-xl i-carbon:user-favorite-alt-filled"
|
||||||
class="btn"
|
@click="openModal"
|
||||||
@click="handleSubmit(item.value as FeedbackType['type'])"
|
/>
|
||||||
|
|
||||||
|
<Teleport to="body">
|
||||||
|
<TransitionRoot appear :show="isOpen" as="template">
|
||||||
|
<Dialog as="div" class="relative z-10" @close="closeModal">
|
||||||
|
<TransitionChild
|
||||||
|
as="template"
|
||||||
|
enter="duration-300 ease-out"
|
||||||
|
enter-from="opacity-0"
|
||||||
|
enter-to="opacity-100"
|
||||||
|
leave="duration-200 ease-in"
|
||||||
|
leave-from="opacity-100"
|
||||||
|
leave-to="opacity-0"
|
||||||
>
|
>
|
||||||
<span>{{ item.label }}</span>
|
<div class="fixed inset-0 bg-black/25" />
|
||||||
</button>
|
</TransitionChild>
|
||||||
</div>
|
|
||||||
</div>
|
<div class="fixed inset-0 overflow-y-auto">
|
||||||
<div v-else-if="feedback.type && !success" class="step">
|
<div
|
||||||
<div>
|
class="flex min-h-full items-center justify-center p-4 text-center"
|
||||||
<p class="desc">Page: {{ router.route.path }}</p>
|
|
||||||
<div>
|
|
||||||
<span>{{ getFeedbackOption(feedback.type)?.label }}</span>
|
|
||||||
<button
|
|
||||||
style="margin-left: 0.5rem"
|
|
||||||
class="btn"
|
|
||||||
@click="feedback.type = undefined"
|
|
||||||
>
|
>
|
||||||
<span class="i-carbon-close-large">close</span>
|
<TransitionChild
|
||||||
</button>
|
as="template"
|
||||||
|
enter="duration-300 ease-out"
|
||||||
|
enter-from="opacity-0 scale-95"
|
||||||
|
enter-to="opacity-100 scale-100"
|
||||||
|
leave="duration-200 ease-in"
|
||||||
|
leave-from="opacity-100 scale-100"
|
||||||
|
leave-to="opacity-0 scale-95"
|
||||||
|
>
|
||||||
|
<DialogPanel
|
||||||
|
class="w-full max-w-md transform overflow-hidden rounded-2xl bg-bg p-6 text-left align-middle shadow-xl transition-all"
|
||||||
|
>
|
||||||
|
<DialogTitle
|
||||||
|
as="h3"
|
||||||
|
class="text-lg font-medium leading-6 text-text"
|
||||||
|
>
|
||||||
|
Feedback
|
||||||
|
</DialogTitle>
|
||||||
|
|
||||||
|
<div class="mt-4 top-16 w-72" v-if="!success">
|
||||||
|
<Listbox v-model="selectedOption">
|
||||||
|
<div class="relative mt-1">
|
||||||
|
<ListboxButton
|
||||||
|
class="relative w-full cursor-default rounded-lg bg-bg-alt text-text py-2 pl-3 pr-10 text-left shadow-md focus:outline-none focus-visible:border-indigo-500 focus-visible:ring-2 focus-visible:ring-white/75 focus-visible:ring-offset-2 focus-visible:ring-offset-orange-300 sm:text-sm"
|
||||||
|
>
|
||||||
|
<span class="block truncate">
|
||||||
|
{{ selectedOption.label }}
|
||||||
|
</span>
|
||||||
|
<span
|
||||||
|
class="pointer-events-none absolute inset-y-0 right-0 flex items-center pr-2"
|
||||||
|
>
|
||||||
|
<div
|
||||||
|
class="i-heroicons-solid:chevron-up-down h-5 w-5 text-gray-400"
|
||||||
|
aria-hidden="true"
|
||||||
|
/>
|
||||||
|
</span>
|
||||||
|
</ListboxButton>
|
||||||
|
|
||||||
|
<transition
|
||||||
|
leave-active-class="transition duration-100 ease-in"
|
||||||
|
leave-from-class="opacity-100"
|
||||||
|
leave-to-class="opacity-0"
|
||||||
|
>
|
||||||
|
<ListboxOptions
|
||||||
|
class="absolute mt-1 max-h-60 w-full overflow-auto rounded-md bg-bg-alt py-1 text-base shadow-lg ring-1 ring-black/5 focus:outline-none sm:text-sm"
|
||||||
|
>
|
||||||
|
<ListboxOption
|
||||||
|
v-slot="{ active, selected }"
|
||||||
|
v-for="option in options"
|
||||||
|
:key="option.value"
|
||||||
|
:value="option"
|
||||||
|
as="template"
|
||||||
|
>
|
||||||
|
<li
|
||||||
|
:class="[
|
||||||
|
active ? 'text-primary' : 'text-gray-500',
|
||||||
|
'relative cursor-default select-none py-2 pl-10 pr-4'
|
||||||
|
]"
|
||||||
|
>
|
||||||
|
<span
|
||||||
|
:class="[
|
||||||
|
selected ? 'font-medium' : 'font-normal',
|
||||||
|
'block truncate'
|
||||||
|
]"
|
||||||
|
>
|
||||||
|
{{ option.label }}
|
||||||
|
</span>
|
||||||
|
<span
|
||||||
|
v-if="selected"
|
||||||
|
class="absolute inset-y-0 left-0 flex items-center pl-3 text-primary"
|
||||||
|
>
|
||||||
|
<div
|
||||||
|
class="i-heroicons-solid:check h-5 w-5"
|
||||||
|
aria-hidden="true"
|
||||||
|
/>
|
||||||
|
</span>
|
||||||
|
</li>
|
||||||
|
</ListboxOption>
|
||||||
|
</ListboxOptions>
|
||||||
|
</transition>
|
||||||
|
</div>
|
||||||
|
</Listbox>
|
||||||
|
|
||||||
|
<div class="mt-2">
|
||||||
|
<div>
|
||||||
|
<label class="field-label">Message</label>
|
||||||
|
<textarea
|
||||||
|
v-model="feedback.message"
|
||||||
|
class="mt-2 h-32"
|
||||||
|
placeholder="What a lovely wiki!"
|
||||||
|
rows="5"
|
||||||
|
/>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
<div v-if="feedback.type === 'suggestion'" class="text-sm mb-2">
|
<p class="text-sm text-gray-400 mb-2">
|
||||||
|
If you want a reply to your feedback, feel free to mention a
|
||||||
|
contact in the message or join our
|
||||||
|
<a
|
||||||
|
class="text-primary font-semibold text-underline"
|
||||||
|
href="https://discord.gg/Stz6y6NgNg"
|
||||||
|
>
|
||||||
|
Discord.
|
||||||
|
</a>
|
||||||
|
</p>
|
||||||
|
|
||||||
|
<details
|
||||||
|
v-if="selectedOption.value === 'suggestion'"
|
||||||
|
class="text-sm text-gray-400"
|
||||||
|
>
|
||||||
|
<summary class="mb-2">Submission Guidelines</summary>
|
||||||
<strong>🕹️ Emulators</strong>
|
<strong>🕹️ Emulators</strong>
|
||||||
<p class="desc">
|
<p>
|
||||||
They're already on the
|
They're already on the
|
||||||
<a
|
<a
|
||||||
class="text-primary font-bold text-underline"
|
class="text-primary font-bold text-underline"
|
||||||
|
|
@ -97,7 +232,7 @@ async function handleSubmit(type?: FeedbackType['type']) {
|
||||||
</a>
|
</a>
|
||||||
</p>
|
</p>
|
||||||
<strong>🔻 Leeches</strong>
|
<strong>🔻 Leeches</strong>
|
||||||
<p class="desc">
|
<p>
|
||||||
They're already on the
|
They're already on the
|
||||||
<a
|
<a
|
||||||
class="text-primary font-bold text-underline"
|
class="text-primary font-bold text-underline"
|
||||||
|
|
@ -107,7 +242,7 @@ async function handleSubmit(type?: FeedbackType['type']) {
|
||||||
</a>
|
</a>
|
||||||
</p>
|
</p>
|
||||||
<strong>🐧 Distros</strong>
|
<strong>🐧 Distros</strong>
|
||||||
<p class="desc">
|
<p>
|
||||||
They're already on
|
They're already on
|
||||||
<a
|
<a
|
||||||
class="text-primary font-bold text-underline"
|
class="text-primary font-bold text-underline"
|
||||||
|
|
@ -117,139 +252,76 @@ async function handleSubmit(type?: FeedbackType['type']) {
|
||||||
</a>
|
</a>
|
||||||
</p>
|
</p>
|
||||||
<strong>🎲 Mining / Betting Sites</strong>
|
<strong>🎲 Mining / Betting Sites</strong>
|
||||||
<p class="desc">
|
<p>
|
||||||
Don't post anything related to betting, mining, BINs, CCs, etc.
|
Don't post anything related to betting, mining, BINs, CCs,
|
||||||
|
etc.
|
||||||
</p>
|
</p>
|
||||||
<strong>🎮 Multiplayer Game Hacks</strong>
|
<strong>🎮 Multiplayer Game Hacks</strong>
|
||||||
<p class="desc">
|
<p>
|
||||||
Don't post any hacks/exploits that give unfair advantages in
|
Don't post any hacks/exploits that give unfair advantages
|
||||||
multiplayer games.
|
in multiplayer games.
|
||||||
</p>
|
|
||||||
</div>
|
|
||||||
<textarea
|
|
||||||
v-model="feedback.message"
|
|
||||||
autofocus
|
|
||||||
class="input"
|
|
||||||
placeholder="What a lovely wiki!"
|
|
||||||
/>
|
|
||||||
<p class="desc mb-2">
|
|
||||||
If you want a reply to your feedback, feel free to mention a contact
|
|
||||||
in the message or join our
|
|
||||||
<a
|
|
||||||
class="text-primary font-semibold text-underline"
|
|
||||||
href="https://discord.gg/Stz6y6NgNg"
|
|
||||||
>
|
|
||||||
Discord.
|
|
||||||
</a>
|
|
||||||
</p>
|
</p>
|
||||||
|
</details>
|
||||||
|
|
||||||
|
<div class="mt-4">
|
||||||
<button
|
<button
|
||||||
type="submit"
|
type="button"
|
||||||
class="btn btn-primary"
|
class="inline-flex justify-center rounded-md border border-transparent bg-blue-500 px-4 py-2 text-sm font-medium text-blue-100 hover:bg-blue-600 focus:outline-none focus-visible:ring-2 focus-visible:ring-blue-500 focus-visible:ring-offset-2 disabled:bg-blue-400"
|
||||||
:disabled="
|
:disabled="
|
||||||
feedback.message.length < 5 || feedback.message.length > 1000
|
feedback.message.length < 5 ||
|
||||||
|
feedback.message.length > 1000
|
||||||
"
|
"
|
||||||
@click="handleSubmit()"
|
@click="handleSubmit()"
|
||||||
>
|
>
|
||||||
Submit
|
Submit
|
||||||
</button>
|
</button>
|
||||||
|
|
||||||
|
<button
|
||||||
|
type="button"
|
||||||
|
class="ml-2 inline-flex justify-center rounded-md border border-transparent bg-red-500 px-4 py-2 text-sm font-medium text-red-100 hover:bg-red-600 focus:outline-none focus-visible:ring-2 focus-visible:ring-red-500 focus-visible:ring-offset-2"
|
||||||
|
@click="closeModal()"
|
||||||
|
>
|
||||||
|
Close
|
||||||
|
</button>
|
||||||
</div>
|
</div>
|
||||||
<div v-else class="step">
|
|
||||||
<p class="heading">Thanks for your feedback!</p>
|
|
||||||
</div>
|
</div>
|
||||||
</Transition>
|
<div v-else-if="error">
|
||||||
|
<div class="text-sm font-medium leading-6 text-text">
|
||||||
|
Error!
|
||||||
</div>
|
</div>
|
||||||
|
<details>{{ error }}</details>
|
||||||
|
</div>
|
||||||
|
<div v-else>
|
||||||
|
<TransitionRoot
|
||||||
|
enter="transition-opacity duration-75"
|
||||||
|
enter-from="opacity-0"
|
||||||
|
enter-to="opacity-100"
|
||||||
|
>
|
||||||
|
Thanks!
|
||||||
|
</TransitionRoot>
|
||||||
|
</div>
|
||||||
|
</DialogPanel>
|
||||||
|
</TransitionChild>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</Dialog>
|
||||||
|
</TransitionRoot>
|
||||||
|
</Teleport>
|
||||||
</template>
|
</template>
|
||||||
|
|
||||||
<style scoped>
|
<style scoped>
|
||||||
.step > * + * {
|
textarea,
|
||||||
margin-top: 1rem;
|
input {
|
||||||
}
|
font-family: var(--vp-font-family-base);
|
||||||
|
background: var(--vp-c-bg-soft);
|
||||||
.btn {
|
|
||||||
border: 1px solid var(--vp-c-divider);
|
|
||||||
background-color: var(--vp-c-bg);
|
|
||||||
border-radius: 8px;
|
|
||||||
transition:
|
|
||||||
border-color 0.25s,
|
|
||||||
background-color 0.25s;
|
|
||||||
display: inline-block;
|
|
||||||
font-size: 14px;
|
font-size: 14px;
|
||||||
font-weight: 500;
|
border-radius: 4px;
|
||||||
line-height: 1.5;
|
padding: 16px;
|
||||||
margin: 0;
|
|
||||||
padding: 0.375rem 0.75rem;
|
|
||||||
text-align: center;
|
|
||||||
vertical-align: middle;
|
|
||||||
white-space: nowrap;
|
|
||||||
}
|
|
||||||
|
|
||||||
.btn:disabled {
|
|
||||||
opacity: 0.5;
|
|
||||||
}
|
|
||||||
|
|
||||||
.btn:hover {
|
|
||||||
border-color: var(--vp-c-brand);
|
|
||||||
}
|
|
||||||
|
|
||||||
.btn-primary {
|
|
||||||
color: #fff;
|
|
||||||
background-color: var(--vp-c-brand);
|
|
||||||
border-color: var(--vp-c-brand);
|
|
||||||
}
|
|
||||||
|
|
||||||
.btn-primary:hover {
|
|
||||||
background-color: var(--vp-c-brand-darker);
|
|
||||||
border-color: var(--vp-c-brand-darker);
|
|
||||||
}
|
|
||||||
|
|
||||||
.heading {
|
|
||||||
font-size: 1.2rem;
|
|
||||||
font-weight: 700;
|
|
||||||
}
|
|
||||||
|
|
||||||
.button-container {
|
|
||||||
display: grid;
|
|
||||||
grid-gap: 0.5rem;
|
|
||||||
}
|
|
||||||
|
|
||||||
.wrapper {
|
|
||||||
margin: 2rem 0;
|
|
||||||
padding: 1.5rem;
|
|
||||||
border: 1px solid var(--vp-c-divider);
|
|
||||||
border-radius: 8px;
|
|
||||||
background: var(--vp-c-bg-alt);
|
|
||||||
}
|
|
||||||
|
|
||||||
.input {
|
|
||||||
width: 100%;
|
width: 100%;
|
||||||
height: 100px;
|
|
||||||
border: 1px solid #ccc;
|
|
||||||
border-radius: 4px;
|
|
||||||
padding: 0.375rem 0.75rem;
|
|
||||||
}
|
|
||||||
|
|
||||||
.contact-input {
|
&::placeholder {
|
||||||
height: 50px;
|
color: var(--vp-c-text-2) !important;
|
||||||
border: 1px solid #ccc;
|
opacity: 1;
|
||||||
border-radius: 4px;
|
|
||||||
padding: 0.375rem 0.75rem;
|
|
||||||
}
|
}
|
||||||
|
|
||||||
.desc {
|
|
||||||
display: block;
|
|
||||||
line-height: 20px;
|
|
||||||
font-size: 12px;
|
|
||||||
font-weight: 500;
|
|
||||||
color: var(--vp-c-text-2);
|
|
||||||
}
|
|
||||||
|
|
||||||
.fade-enter-active,
|
|
||||||
.fade-leave-active {
|
|
||||||
transition: opacity 0.25s ease;
|
|
||||||
}
|
|
||||||
|
|
||||||
.fade-enter-from,
|
|
||||||
.fade-leave-to {
|
|
||||||
opacity: 0;
|
|
||||||
}
|
}
|
||||||
</style>
|
</style>
|
||||||
|
|
|
||||||
|
|
@ -1,157 +0,0 @@
|
||||||
<script setup lang="ts">
|
|
||||||
import { ref } from 'vue'
|
|
||||||
import {
|
|
||||||
TransitionRoot,
|
|
||||||
TransitionChild,
|
|
||||||
Dialog,
|
|
||||||
DialogPanel,
|
|
||||||
DialogTitle,
|
|
||||||
DialogDescription
|
|
||||||
} from '@headlessui/vue'
|
|
||||||
|
|
||||||
const isOpen = ref(true)
|
|
||||||
|
|
||||||
const feedbackOptions = [
|
|
||||||
{
|
|
||||||
label: '💡 Suggestion',
|
|
||||||
value: 'suggestion'
|
|
||||||
},
|
|
||||||
{
|
|
||||||
label: '❤️ Appreciation',
|
|
||||||
value: 'appreciate'
|
|
||||||
},
|
|
||||||
{ label: '🐞 Bug', value: 'bug' },
|
|
||||||
{ label: '📂 Other', value: 'other' }
|
|
||||||
]
|
|
||||||
|
|
||||||
function closeModal() {
|
|
||||||
isOpen.value = false
|
|
||||||
}
|
|
||||||
function openModal() {
|
|
||||||
isOpen.value = true
|
|
||||||
}
|
|
||||||
</script>
|
|
||||||
|
|
||||||
<template>
|
|
||||||
<button
|
|
||||||
type="button"
|
|
||||||
class="p-[4px 8px] text-xl i-carbon:user-favorite-alt-filled"
|
|
||||||
@click="openModal"
|
|
||||||
/>
|
|
||||||
|
|
||||||
<TransitionRoot appear :show="isOpen" as="template">
|
|
||||||
<Dialog as="div" class="relative z-10" @close="closeModal">
|
|
||||||
<TransitionChild
|
|
||||||
as="template"
|
|
||||||
enter="duration-300 ease-out"
|
|
||||||
enter-from="opacity-0"
|
|
||||||
enter-to="opacity-100"
|
|
||||||
leave="duration-200 ease-in"
|
|
||||||
leave-from="opacity-100"
|
|
||||||
leave-to="opacity-0"
|
|
||||||
>
|
|
||||||
<div class="fixed inset-0 bg-black/25" />
|
|
||||||
</TransitionChild>
|
|
||||||
|
|
||||||
<div class="fixed inset-0 overflow-y-auto">
|
|
||||||
<div
|
|
||||||
class="flex min-h-full items-center justify-center p-4 text-center"
|
|
||||||
>
|
|
||||||
<TransitionChild
|
|
||||||
as="template"
|
|
||||||
enter="duration-300 ease-out"
|
|
||||||
enter-from="opacity-0 scale-95"
|
|
||||||
enter-to="opacity-100 scale-100"
|
|
||||||
leave="duration-200 ease-in"
|
|
||||||
leave-from="opacity-100 scale-100"
|
|
||||||
leave-to="opacity-0 scale-95"
|
|
||||||
>
|
|
||||||
<DialogPanel
|
|
||||||
class="w-full max-w-md transform overflow-hidden rounded-2xl bg-bg p-6 text-left align-middle shadow-xl transition-all"
|
|
||||||
>
|
|
||||||
<DialogTitle
|
|
||||||
as="h3"
|
|
||||||
class="text-lg font-medium leading-6 text-text"
|
|
||||||
>
|
|
||||||
Feedback
|
|
||||||
</DialogTitle>
|
|
||||||
|
|
||||||
<div class="mt-2">
|
|
||||||
<div class="grid gap-[0.5rem]">
|
|
||||||
<button
|
|
||||||
v-for="item in feedbackOptions"
|
|
||||||
:key="item.value"
|
|
||||||
class="inline-flex justify-center rounded-md border border-transparent bg-bg-alt px-4 py-2 text-sm font-medium text-text hover:border-primary focus-visible:ring-2 focus-visible:ring-primary focus-visible:ring-offset-2"
|
|
||||||
>
|
|
||||||
<span>{{ item.label }}</span>
|
|
||||||
</button>
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
|
|
||||||
<div class="mt-2">
|
|
||||||
<div>
|
|
||||||
<label class="field-label">Feedback*</label>
|
|
||||||
|
|
||||||
<textarea placeholder="meow" rows="5" />
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
|
|
||||||
<div class="mt-4">
|
|
||||||
<button
|
|
||||||
type="button"
|
|
||||||
class="inline-flex justify-center rounded-md border border-transparent bg-blue-100 px-4 py-2 text-sm font-medium text-blue-900 hover:bg-blue-200 focus:outline-none focus-visible:ring-2 focus-visible:ring-blue-500 focus-visible:ring-offset-2"
|
|
||||||
@click="closeModal"
|
|
||||||
>
|
|
||||||
Close
|
|
||||||
</button>
|
|
||||||
</div>
|
|
||||||
</DialogPanel>
|
|
||||||
</TransitionChild>
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
</Dialog>
|
|
||||||
</TransitionRoot>
|
|
||||||
</template>
|
|
||||||
|
|
||||||
<style scoped>
|
|
||||||
textarea,
|
|
||||||
input {
|
|
||||||
font-family: var(--vp-font-family-base);
|
|
||||||
background: var(--vp-c-bg-soft);
|
|
||||||
font-size: 14px;
|
|
||||||
border-radius: 4px;
|
|
||||||
padding: 16px;
|
|
||||||
width: 100%;
|
|
||||||
|
|
||||||
&::placeholder {
|
|
||||||
color: var(--vp-c-text-2) !important;
|
|
||||||
opacity: 1;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
.btn {
|
|
||||||
border: 1px solid var(--vp-c-divider);
|
|
||||||
background-color: var(--vp-c-bg);
|
|
||||||
border-radius: 8px;
|
|
||||||
transition:
|
|
||||||
border-color 0.25s,
|
|
||||||
background-color 0.25s;
|
|
||||||
display: inline-block;
|
|
||||||
font-size: 14px;
|
|
||||||
font-weight: 500;
|
|
||||||
line-height: 1.5;
|
|
||||||
margin: 0;
|
|
||||||
padding: 0.375rem 0.75rem;
|
|
||||||
text-align: center;
|
|
||||||
vertical-align: middle;
|
|
||||||
white-space: nowrap;
|
|
||||||
}
|
|
||||||
|
|
||||||
.btn:disabled {
|
|
||||||
opacity: 0.5;
|
|
||||||
}
|
|
||||||
|
|
||||||
.btn:hover {
|
|
||||||
border-color: var(--vp-c-brand);
|
|
||||||
}
|
|
||||||
</style>
|
|
||||||
|
|
@ -1,83 +0,0 @@
|
||||||
<script setup lang="ts">
|
|
||||||
import { ref } from 'vue'
|
|
||||||
import Feedback from './Feedback.vue'
|
|
||||||
|
|
||||||
const showModal = ref(false)
|
|
||||||
</script>
|
|
||||||
|
|
||||||
<template>
|
|
||||||
<button
|
|
||||||
class="p-[4px 8px] text-xl i-carbon:user-favorite-alt-filled"
|
|
||||||
@click="showModal = true"
|
|
||||||
/>
|
|
||||||
|
|
||||||
<Teleport to="body">
|
|
||||||
<Transition name="modal">
|
|
||||||
<div v-show="showModal" class="modal-mask">
|
|
||||||
<div class="modal-container">
|
|
||||||
<Feedback />
|
|
||||||
<div class="model-footer">
|
|
||||||
<button class="modal-button" @click="showModal = false">
|
|
||||||
Close
|
|
||||||
</button>
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
</Transition>
|
|
||||||
</Teleport>
|
|
||||||
</template>
|
|
||||||
|
|
||||||
<style scoped>
|
|
||||||
.modal-mask {
|
|
||||||
position: fixed;
|
|
||||||
z-index: 200;
|
|
||||||
top: 0;
|
|
||||||
left: 0;
|
|
||||||
width: 100%;
|
|
||||||
height: 100%;
|
|
||||||
background-color: rgba(0, 0, 0, 0.5);
|
|
||||||
display: flex;
|
|
||||||
align-items: center;
|
|
||||||
justify-content: center;
|
|
||||||
transition: opacity 0.3s ease;
|
|
||||||
}
|
|
||||||
|
|
||||||
.modal-container {
|
|
||||||
width: 300px;
|
|
||||||
margin: auto;
|
|
||||||
padding: 20px 30px;
|
|
||||||
background-color: var(--vp-c-bg);
|
|
||||||
border-radius: 2px;
|
|
||||||
box-shadow: 0 2px 8px rgba(0, 0, 0, 0.33);
|
|
||||||
transition: all 0.3s ease;
|
|
||||||
}
|
|
||||||
|
|
||||||
.model-footer {
|
|
||||||
margin-top: 8px;
|
|
||||||
text-align: right;
|
|
||||||
}
|
|
||||||
|
|
||||||
.modal-button {
|
|
||||||
padding: 4px 8px;
|
|
||||||
border-radius: 4px;
|
|
||||||
border-color: var(--vp-button-alt-border);
|
|
||||||
color: var(--vp-button-alt-text);
|
|
||||||
background-color: var(--vp-button-alt-bg);
|
|
||||||
}
|
|
||||||
|
|
||||||
.modal-button:hover {
|
|
||||||
border-color: var(--vp-button-alt-hover-border);
|
|
||||||
color: var(--vp-button-alt-hover-text);
|
|
||||||
background-color: var(--vp-button-alt-hover-bg);
|
|
||||||
}
|
|
||||||
|
|
||||||
.modal-enter-from,
|
|
||||||
.modal-leave-to {
|
|
||||||
opacity: 0;
|
|
||||||
}
|
|
||||||
|
|
||||||
.modal-enter-from .modal-container,
|
|
||||||
.modal-leave-to .modal-container {
|
|
||||||
transform: scale(1.1);
|
|
||||||
}
|
|
||||||
</style>
|
|
||||||
|
|
@ -1,6 +1,6 @@
|
||||||
<script setup lang="ts">
|
<script setup lang="ts">
|
||||||
import Field from './CardField.vue'
|
import Field from './CardField.vue'
|
||||||
import Modal from './Modal.vue'
|
import Feedback from './Feedback.vue'
|
||||||
import InputField from './InputField.vue'
|
import InputField from './InputField.vue'
|
||||||
import ToggleStarred from './ToggleStarred.vue'
|
import ToggleStarred from './ToggleStarred.vue'
|
||||||
</script>
|
</script>
|
||||||
|
|
@ -18,7 +18,7 @@ import ToggleStarred from './ToggleStarred.vue'
|
||||||
</div>
|
</div>
|
||||||
<InputField id="feedback" label="Feedback">
|
<InputField id="feedback" label="Feedback">
|
||||||
<template #display>
|
<template #display>
|
||||||
<Modal />
|
<Feedback />
|
||||||
</template>
|
</template>
|
||||||
</InputField>
|
</InputField>
|
||||||
<InputField id="toggle-starred" label="Toggle Starred">
|
<InputField id="toggle-starred" label="Toggle Starred">
|
||||||
|
|
|
||||||
|
|
@ -124,13 +124,17 @@
|
||||||
*/
|
*/
|
||||||
:root {
|
:root {
|
||||||
--vp-home-hero-name-color: transparent;
|
--vp-home-hero-name-color: transparent;
|
||||||
--vp-home-hero-name-background: -webkit-linear-gradient(120deg,
|
--vp-home-hero-name-background: -webkit-linear-gradient(
|
||||||
|
120deg,
|
||||||
#c4b5fd 30%,
|
#c4b5fd 30%,
|
||||||
#7bc5e4);
|
#7bc5e4
|
||||||
|
);
|
||||||
|
|
||||||
--vp-home-hero-image-background-image: linear-gradient(-45deg,
|
--vp-home-hero-image-background-image: linear-gradient(
|
||||||
|
-45deg,
|
||||||
#c4b5fd 50%,
|
#c4b5fd 50%,
|
||||||
#47caff 50%);
|
#47caff 50%
|
||||||
|
);
|
||||||
--vp-home-hero-image-filter: blur(44px);
|
--vp-home-hero-image-filter: blur(44px);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
|
||||||
13
AI.md
13
AI.md
|
|
@ -141,11 +141,11 @@
|
||||||
* 🌐 **[Awesome ChatGPT](https://github.com/uhub/awesome-chatgpt)** - ChatGPT Resources
|
* 🌐 **[Awesome ChatGPT](https://github.com/uhub/awesome-chatgpt)** - ChatGPT Resources
|
||||||
* 🌐 **[Awesome Free ChatGPT](https://github.com/LiLittleCat/awesome-free-chatgpt/blob/main/README_en.md)** or **[FOFA](https://en.fofa.info/result?qbase64=ImxvYWRpbmctd3JhcCIgJiYgImJhbGxzIiAmJiAiY2hhdCIgJiYgaXNfZG9tYWluPXRydWU%3D)** / [2](https://en.fofa.info/result?qbase64=dGl0bGU9PSJDaGF0R1BUIFdlYiI%3D) - ChatGPT WebUI Indexes
|
* 🌐 **[Awesome Free ChatGPT](https://github.com/LiLittleCat/awesome-free-chatgpt/blob/main/README_en.md)** or **[FOFA](https://en.fofa.info/result?qbase64=ImxvYWRpbmctd3JhcCIgJiYgImJhbGxzIiAmJiAiY2hhdCIgJiYgaXNfZG9tYWluPXRydWU%3D)** / [2](https://en.fofa.info/result?qbase64=dGl0bGU9PSJDaGF0R1BUIFdlYiI%3D) - ChatGPT WebUI Indexes
|
||||||
* 🌐 **[Every ChatGPT GUI](https://github.com/billmei/every-chatgpt-gui)** - ChatGPT GUI Index
|
* 🌐 **[Every ChatGPT GUI](https://github.com/billmei/every-chatgpt-gui)** - ChatGPT GUI Index
|
||||||
* ⭐ **[ChatHub](https://chathub.gg/)** - Compare AI Responses
|
* ⭐ **[ChatHub](https://chathub.gg/)**, [Harpa](https://harpa.ai/), [Merlin](https://www.getmerlin.in/) / [Unlimited](https://rentry.co/MerlinAI-Unlim) or [Glimpse](https://glimpse.surf/) - ChatGPT Chrome Extensions
|
||||||
* ⭐ **[ChatPDF](https://www.chatpdf.com/)** or [Ask Your PDF](https://askyourpdf.com/) - Turn PDFs into Chatbots
|
* ⭐ **[ChatPDF](https://www.chatpdf.com/)**, [BookAI](https://www.bookai.chat/ ) or [Ask Your PDF](https://askyourpdf.com/) - Turn Books into Chatbots
|
||||||
* ⭐ **[TypeSet](https://typeset.io/)** - Research Paper Chatbot
|
* ⭐ **[TypeSet](https://typeset.io/)** - Research Paper Chatbot
|
||||||
* [GPT Crawler](https://github.com/BuilderIO/gpt-crawler) - Turn Websites into Chatbots
|
* [GPT Crawler](https://github.com/BuilderIO/gpt-crawler) - Turn Websites into Chatbots
|
||||||
* [Lobe Chat](https://chat-preview.lobehub.com), [HemulGM](https://github.com/HemulGM/ChatGPT), [SmolAI](https://github.com/smol-ai/menubar/), [PandoraAI](https://github.com/Richard-Weiss/) or [Chatbot-UI](https://chatbotui.com) / [GitHub](https://github.com/mckaywrigley/chatbot-ui) - ChatGPT Desktop Apps / GUIs
|
* [Lobe Chat](https://chat-preview.lobehub.com), [HemulGM](https://github.com/HemulGM/ChatGPT), [SmolAI](https://github.com/smol-ai/menubar/), [PandoraAI](https://github.com/Richard-Weiss/), [Noi](https://noi.nofwl.com/) or [Chatbot-UI](https://chatbotui.com) / [GitHub](https://github.com/mckaywrigley/chatbot-ui) - ChatGPT Desktop Apps / GUIs
|
||||||
* [TGPT](https://github.com/aandrew-me/tgpt) or [Elia](https://github.com/darrenburns/elia) - ChatGPT TUIs
|
* [TGPT](https://github.com/aandrew-me/tgpt) or [Elia](https://github.com/darrenburns/elia) - ChatGPT TUIs
|
||||||
* [Vault AI](https://vault.pash.city/), [Humata](https://www.humata.ai/), [Unriddle](https://www.unriddle.ai/), [Sharly](https://app.sharly.ai/), [Docalysis](https://docalysis.com/), [DAnswer](https://docs.danswer.dev/), [DocsGPT](https://docsgpt.arc53.com/) or [ChatDOC](https://chatdoc.com/) - Turn Documents into Chatbots
|
* [Vault AI](https://vault.pash.city/), [Humata](https://www.humata.ai/), [Unriddle](https://www.unriddle.ai/), [Sharly](https://app.sharly.ai/), [Docalysis](https://docalysis.com/), [DAnswer](https://docs.danswer.dev/), [DocsGPT](https://docsgpt.arc53.com/) or [ChatDOC](https://chatdoc.com/) - Turn Documents into Chatbots
|
||||||
* [PrivateGPT](https://docs.privategpt.dev/) or [ChatDocs](https://github.com/marella/chatdocs) - Offline Document Chatbots
|
* [PrivateGPT](https://docs.privategpt.dev/) or [ChatDocs](https://github.com/marella/chatdocs) - Offline Document Chatbots
|
||||||
|
|
@ -156,7 +156,6 @@
|
||||||
* [ChatGPT Advanced](https://tools.zmo.ai/webchatgpt) - Add Search Results to ChatGPT
|
* [ChatGPT Advanced](https://tools.zmo.ai/webchatgpt) - Add Search Results to ChatGPT
|
||||||
* [SublimeGPT](https://chromewebstore.google.com/detail/sublimegpt-chatgpt-everyw/eecockeebhenbihmkaamjlgoehkngjea) or [GPTGO](https://gptgo.ai/) - Add ChatGPT to Search Results
|
* [SublimeGPT](https://chromewebstore.google.com/detail/sublimegpt-chatgpt-everyw/eecockeebhenbihmkaamjlgoehkngjea) or [GPTGO](https://gptgo.ai/) - Add ChatGPT to Search Results
|
||||||
* [ChatGPTBox](https://github.com/josStorer/chatGPTBox), [ChatGPT Apps](https://github.com/adamlui/chatgpt-apps), [KeepChatGPT](https://github.com/xcanwin/KeepChatGPT/blob/main/docs/README_EN.md) or [Walles](https://walles.ai/) - ChatGPT Extensions
|
* [ChatGPTBox](https://github.com/josStorer/chatGPTBox), [ChatGPT Apps](https://github.com/adamlui/chatgpt-apps), [KeepChatGPT](https://github.com/xcanwin/KeepChatGPT/blob/main/docs/README_EN.md) or [Walles](https://walles.ai/) - ChatGPT Extensions
|
||||||
* [Harpa](https://harpa.ai/), [Merlin](https://www.getmerlin.in/) / [Unlimited](https://rentry.co/MerlinAI-Unlim), [ChatHub](https://github.com/chathub-dev/chathub) or [Glimpse](https://glimpse.surf/) - ChatGPT Chrome Extensions
|
|
||||||
* [/r/ChatGPT](https://www.reddit.com/r/ChatGPT/) - ChatGPT Subreddit
|
* [/r/ChatGPT](https://www.reddit.com/r/ChatGPT/) - ChatGPT Subreddit
|
||||||
* [ChatGPT Exporter](https://greasyfork.org/en/scripts/456055) - Export Chats
|
* [ChatGPT Exporter](https://greasyfork.org/en/scripts/456055) - Export Chats
|
||||||
* [VizGPT](https://www.vizgpt.ai/) - Chat Data Visualization
|
* [VizGPT](https://www.vizgpt.ai/) - Chat Data Visualization
|
||||||
|
|
@ -194,9 +193,11 @@
|
||||||
* 🌐 **[Toolify](https://www.toolify.ai/)** - AI Directory
|
* 🌐 **[Toolify](https://www.toolify.ai/)** - AI Directory
|
||||||
* 🌐 **[Phygital Library](https://library.phygital.plus/)** - AI Directory / Workflow Builder
|
* 🌐 **[Phygital Library](https://library.phygital.plus/)** - AI Directory / Workflow Builder
|
||||||
* 🌐 **[LifeArchitect](https://lifearchitect.ai/models-table/)** - LLM Index
|
* 🌐 **[LifeArchitect](https://lifearchitect.ai/models-table/)** - LLM Index
|
||||||
* [What AI Can Do Today](https://whataicandotoday.com/) - AI Search
|
* [What AI Can Do Today](https://whataicandotoday.com/) or [FindAISites](https://findaisites.pro/) - AI Index Search
|
||||||
* [Awesome AI Tools](https://github.com/mahseema/awesome-ai-tools) - AI Directory
|
* [Awesome AI Tools](https://github.com/mahseema/awesome-ai-tools) - AI Directory
|
||||||
* [ToolDirectory](https://www.tooldirectory.ai/) - AI Directory
|
* [ToolDirectory](https://www.tooldirectory.ai/) - AI Directory
|
||||||
|
* [BasedTools](https://www.basedtools.ai/) - AI Directory / [Discord](https://discord.gg/D8wYxUvwTD)
|
||||||
|
* [It's Better With AI](https://itsbetterwithai.com/) - AI Directory
|
||||||
* [Futurepedia](https://www.futurepedia.io/) - AI Directory
|
* [Futurepedia](https://www.futurepedia.io/) - AI Directory
|
||||||
* [PowerUsers](https://powerusers.ai/) - AI Directory
|
* [PowerUsers](https://powerusers.ai/) - AI Directory
|
||||||
* [TheresAnAIForThat](https://theresanaiforthat.com/) - AI Directory
|
* [TheresAnAIForThat](https://theresanaiforthat.com/) - AI Directory
|
||||||
|
|
@ -349,6 +350,7 @@
|
||||||
* [Udio](https://www.udio.com/)
|
* [Udio](https://www.udio.com/)
|
||||||
* [audio visual generator](https://fredericbriolet.com/avg/)
|
* [audio visual generator](https://fredericbriolet.com/avg/)
|
||||||
* [Fake Music Generator](https://www.fakemusicgenerator.com/)
|
* [Fake Music Generator](https://www.fakemusicgenerator.com/)
|
||||||
|
* [Sonauto](https://sonauto.ai/) / [Discord](https://discord.gg/pfXar3ChH8)
|
||||||
* [Jingle](https://aidn.jp/jingle/)
|
* [Jingle](https://aidn.jp/jingle/)
|
||||||
* [BeatOven](https://www.beatoven.ai/)
|
* [BeatOven](https://www.beatoven.ai/)
|
||||||
* [Waveformer](https://waveformer.replicate.dev/)
|
* [Waveformer](https://waveformer.replicate.dev/)
|
||||||
|
|
@ -356,6 +358,7 @@
|
||||||
* [Aiva](https://aiva.ai/)
|
* [Aiva](https://aiva.ai/)
|
||||||
* [Boomy](https://boomy.com/)
|
* [Boomy](https://boomy.com/)
|
||||||
* [Melobytes](https://melobytes.com/en)
|
* [Melobytes](https://melobytes.com/en)
|
||||||
|
* [AI Jukebox](https://huggingface.co/spaces/enzostvs/ai-jukebox)
|
||||||
* [Drum Loop AI](https://www.drumloopai.com/) - Drum Loop Generator
|
* [Drum Loop AI](https://www.drumloopai.com/) - Drum Loop Generator
|
||||||
* [WOMBO](https://www.wombo.ai/) - AI Powered Lip Sync
|
* [WOMBO](https://www.wombo.ai/) - AI Powered Lip Sync
|
||||||
|
|
||||||
|
|
|
||||||
|
|
@ -226,6 +226,7 @@
|
||||||
# ► Web Privacy
|
# ► Web Privacy
|
||||||
|
|
||||||
* 🌐 **[Google Alt List](https://www.techspot.com/article/2752-all-google-alternatives/)**, [/r/DeGoogle](https://www.reddit.com/r/degoogle), [Degoogle](https://tycrek.github.io/degoogle/) or [No More Google](https://nomoregoogle.com/) - Google App Alternatives
|
* 🌐 **[Google Alt List](https://www.techspot.com/article/2752-all-google-alternatives/)**, [/r/DeGoogle](https://www.reddit.com/r/degoogle), [Degoogle](https://tycrek.github.io/degoogle/) or [No More Google](https://nomoregoogle.com/) - Google App Alternatives
|
||||||
|
* ↪️ **[Chat Service Comparisons](https://docs.google.com/spreadsheets/u/0/d/1-UlA4-tslROBDS9IqHalWVztqZo7uxlCeKPQ-8uoFOU)**
|
||||||
* ↪️ **[Encrypted Messaging Apps](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/storage#wiki_encrypted_messengers)** / [2](https://docs.google.com/spreadsheets/d/1-UlA4-tslROBDS9IqHalWVztqZo7uxlCeKPQ-8uoFOU) / [3](https://www.securemessagingapps.com/)
|
* ↪️ **[Encrypted Messaging Apps](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/storage#wiki_encrypted_messengers)** / [2](https://docs.google.com/spreadsheets/d/1-UlA4-tslROBDS9IqHalWVztqZo7uxlCeKPQ-8uoFOU) / [3](https://www.securemessagingapps.com/)
|
||||||
* ↪️ **[Encrypted XMPP Servers](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/storage#wiki_encrypted_xmpp_servers)**
|
* ↪️ **[Encrypted XMPP Servers](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/storage#wiki_encrypted_xmpp_servers)**
|
||||||
* ↪️ **[Encode / Decode URLs](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/text-tools#wiki_.25B7_encode_.2F_decode)**
|
* ↪️ **[Encode / Decode URLs](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/text-tools#wiki_.25B7_encode_.2F_decode)**
|
||||||
|
|
@ -420,8 +421,8 @@
|
||||||
* ⭐ **[AirVPN](https://airvpn.org/)**
|
* ⭐ **[AirVPN](https://airvpn.org/)**
|
||||||
* ⭐ **[Windscribe](https://windscribe.com)** - Free Version Available / [Relief Codes](https://blog.windscribe.com/tag/relief-codes/)
|
* ⭐ **[Windscribe](https://windscribe.com)** - Free Version Available / [Relief Codes](https://blog.windscribe.com/tag/relief-codes/)
|
||||||
* ⭐ **[Proton](https://protonvpn.com)** - No Torrenting with Free Version / [Config Generation](https://gist.github.com/fusetim/1a1ee1bdf821a45361f346e9c7f41e5a)
|
* ⭐ **[Proton](https://protonvpn.com)** - No Torrenting with Free Version / [Config Generation](https://gist.github.com/fusetim/1a1ee1bdf821a45361f346e9c7f41e5a)
|
||||||
* ⭐ **[Warp](https://one.one.one.one/)** - Traffic Encryption VPN / [Client](https://github.com/ViRb3/wgcf) / [Warp+ Data](https://t.me/warpplus), [2](https://github.com/nxvvvv/warp-plus), [3](https://github.com/totoroterror/warp-cloner), [4](https://t.me/generatewarpplusbot), [5](https://rentry.co/warp_plus_free) / [Warp+ Warning](https://rentry.co/warpwarning) / [WireGuard Guide](https://rentry.co/foss-warp)
|
* ⭐ **[Warp](https://one.one.one.one/)** - Traffic Encryption VPN / [Client](https://github.com/ViRb3/wgcf), [2](https://github.com/bepass-org/oblivion-desktop) / [Warp+ Data](https://t.me/warpplus), [2](https://github.com/nxvvvv/warp-plus), [3](https://github.com/totoroterror/warp-cloner), [4](https://t.me/generatewarpplusbot), [5](https://rentry.co/warp_plus_free) / [Warp+ Warning](https://rentry.co/warpwarning) / [WireGuard Guide](https://rentry.co/foss-warp)
|
||||||
* ⭐ **[Riseup](https://riseup.net/en/vpn)** - Free VPN
|
* ⭐ **[Riseup](https://riseup.net/en/vpn)** - Free VPN / [Config CLI Script](https://github.com/kmille/riseup-vpn-configurator)
|
||||||
* [Mullvad](https://mullvad.net/) - [No-Logging](https://mullvad.net/en/blog/2023/4/20/mullvad-vpn-was-subject-to-a-search-warrant-customer-data-not-compromised/) / [Port Warning](https://mullvad.net/en/blog/2023/5/29/removing-the-support-for-forwarded-ports/)
|
* [Mullvad](https://mullvad.net/) - [No-Logging](https://mullvad.net/en/blog/2023/4/20/mullvad-vpn-was-subject-to-a-search-warrant-customer-data-not-compromised/) / [Port Warning](https://mullvad.net/en/blog/2023/5/29/removing-the-support-for-forwarded-ports/)
|
||||||
* [IVPN](https://www.ivpn.net/) - [No Logging](https://www.ivpn.net/knowledgebase/privacy/how-do-we-react-when-requested-by-an-authority-for-information-relating-to-a-customer/) / [Port Warning](https://www.ivpn.net/blog/gradual-removal-of-port-forwarding/)
|
* [IVPN](https://www.ivpn.net/) - [No Logging](https://www.ivpn.net/knowledgebase/privacy/how-do-we-react-when-requested-by-an-authority-for-information-relating-to-a-customer/) / [Port Warning](https://www.ivpn.net/blog/gradual-removal-of-port-forwarding/)
|
||||||
* [OVPN](https://www.ovpn.com/) - [No Logging](https://www.ovpn.com/en/blog/ovpn-wins-court-order)
|
* [OVPN](https://www.ovpn.com/) - [No Logging](https://www.ovpn.com/en/blog/ovpn-wins-court-order)
|
||||||
|
|
|
||||||
|
|
@ -96,6 +96,7 @@
|
||||||
* [Pixel Launcher](https://github.com/saitamasahil/Pixel-Launcher-Extended) - Pixel-Based Launcher / Root
|
* [Pixel Launcher](https://github.com/saitamasahil/Pixel-Launcher-Extended) - Pixel-Based Launcher / Root
|
||||||
* [Olauncher](https://play.google.com/store/apps/details?id=app.olauncher) / [GitHub](https://github.com/tanujnotes/Olauncher) - Minimalist / Clean Launcher
|
* [Olauncher](https://play.google.com/store/apps/details?id=app.olauncher) / [GitHub](https://github.com/tanujnotes/Olauncher) - Minimalist / Clean Launcher
|
||||||
* [ReZ Launcher](https://play.google.com/store/apps/details?id=com.perryoncrack.rez) - Minimalist / Clean Launcher
|
* [ReZ Launcher](https://play.google.com/store/apps/details?id=com.perryoncrack.rez) - Minimalist / Clean Launcher
|
||||||
|
* [mLauncher](https://github.com/DroidWorksStudio/mLauncher) - Minimalist / Clean Launcher
|
||||||
* [Inure](https://github.com/Hamza417/Inure) - Feature-Rich Launcher
|
* [Inure](https://github.com/Hamza417/Inure) - Feature-Rich Launcher
|
||||||
* [KISS](https://kisslauncher.com/) or [TBLauncher](https://tbog.github.io/TBLauncher/) - Low-Memory Usage Launcher
|
* [KISS](https://kisslauncher.com/) or [TBLauncher](https://tbog.github.io/TBLauncher/) - Low-Memory Usage Launcher
|
||||||
* [NeoLauncher](https://github.com/NeoApplications/Neo-Launcher) - Customizable Launcher
|
* [NeoLauncher](https://github.com/NeoApplications/Neo-Launcher) - Customizable Launcher
|
||||||
|
|
@ -136,11 +137,11 @@
|
||||||
|
|
||||||
## ▷ ReVanced Tools
|
## ▷ ReVanced Tools
|
||||||
|
|
||||||
* ⭐ **[ReVanced Manager](https://revanced.app/)** - Android App Patcher / [Discord](https://discord.com/invite/rF2YcEjcrT)
|
* ⭐ **[ReVanced Manager](https://revanced.app/)** - Android App Patcher / [Discord](https://discord.com/invite/rF2YcEjcrT) / [GitHub](https://github.com/inotia00/revanced-manager)
|
||||||
* ⭐ **[ReVanced MMT](https://kazimmt.github.io/)** / [TG](https://t.me/ReVanced_MMT/242) or [ReVanced Troubleshooting Guide](https://sodawithoutsparkles.github.io/revanced-troubleshooting-guide/) - Unofficial ReVanced Docs, Guides, and Troubleshooting
|
* ⭐ **[ReVanced MMT](https://kazimmt.github.io/)** / [TG](https://t.me/ReVanced_MMT/242) or [ReVanced Troubleshooting Guide](https://sodawithoutsparkles.github.io/revanced-troubleshooting-guide/) - Unofficial ReVanced Docs, Guides, and Troubleshooting
|
||||||
* [ReVanced Auto-Update](https://rentry.co/revanced-auto-update) - Update ReVanced Apps Automatically
|
* [ReVanced Auto-Update](https://rentry.co/revanced-auto-update) - Update ReVanced Apps Automatically
|
||||||
* [ReVanced APKs](https://revanced-apks.pages.dev/) / [GitHub](https://github.com/revanced-apks/build-apps) or [ReVanced Magisk Module](https://github.com/j-hc/revanced-magisk-module) / [Telegram](https://t.me/rvc_magisk) - Pre-built ReVanced APKs
|
* [ReVanced APKs](https://revanced-apks.pages.dev/) / [GitHub](https://github.com/revanced-apks/build-apps) or [ReVanced Magisk Module](https://github.com/j-hc/revanced-magisk-module) / [Telegram](https://t.me/rvc_magisk) - Pre-built ReVanced APKs
|
||||||
* [Docker-Py-ReVanced](https://nikhilbadyal.github.io/docker-py-revanced/) - Build APKs with Python
|
* [Docker-Py-ReVanced](https://github.com/nikhilbadyal/docker-py-revanced/) - Build APKs with Python
|
||||||
* [ReVanced CLI](https://github.com/ReVanced/revanced-cli) / [Automated](https://github.com/taku-nm/auto-cli/), [2](https://github.com/XDream8/revanced-creator) - CLI Patcher
|
* [ReVanced CLI](https://github.com/ReVanced/revanced-cli) / [Automated](https://github.com/taku-nm/auto-cli/), [2](https://github.com/XDream8/revanced-creator) - CLI Patcher
|
||||||
* [Revancify](https://github.com/decipher3114/Revancify) - Termux-compatible CLI Patcher
|
* [Revancify](https://github.com/decipher3114/Revancify) - Termux-compatible CLI Patcher
|
||||||
|
|
||||||
|
|
@ -149,7 +150,7 @@
|
||||||
# ► Android Device
|
# ► Android Device
|
||||||
|
|
||||||
* 🌐 **[Manufacturer Specific](https://rentry.org/ekrw4)** - Manufacturer Specific Mobile Tools
|
* 🌐 **[Manufacturer Specific](https://rentry.org/ekrw4)** - Manufacturer Specific Mobile Tools
|
||||||
* ↪️ **[Device Comparisons](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/misc#wiki_.25BA_shopping)**
|
* ↪️ **[Device Comparisons](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/misc#wiki_.25B7_electronics)**
|
||||||
* ⭐ **[XDA](https://forum.xda-developers.com/)** - Android Discussion Forum
|
* ⭐ **[XDA](https://forum.xda-developers.com/)** - Android Discussion Forum
|
||||||
* ⭐ **[ADBAppControl](https://adbappcontrol.com/en/)** - Android Device Manager / Root Tool
|
* ⭐ **[ADBAppControl](https://adbappcontrol.com/en/)** - Android Device Manager / Root Tool
|
||||||
* ⭐ **[Gadget Bridge](https://gadgetbridge.org/)** - Bluetooth Device Manager
|
* ⭐ **[Gadget Bridge](https://gadgetbridge.org/)** - Bluetooth Device Manager
|
||||||
|
|
@ -161,12 +162,13 @@
|
||||||
* [ApkShellExt2](https://www.apkshellext.com/) - Desktop App Manager
|
* [ApkShellExt2](https://www.apkshellext.com/) - Desktop App Manager
|
||||||
* [VMOS](https://www.vmos.com/) - Android on Android Virtual Machines
|
* [VMOS](https://www.vmos.com/) - Android on Android Virtual Machines
|
||||||
* [EtchDroid](https://etchdroid.app/) - Write OS Images to USB Drive
|
* [EtchDroid](https://etchdroid.app/) - Write OS Images to USB Drive
|
||||||
* [Fire Toolbox](https://forum.xda-developers.com/t/windows-tool-fire-toolbox-v12-0.3889604/) - Fire Tablet Tools
|
* [ADB101](https://rentry.co/adb101) - Android Debug Bridge Setup Guide
|
||||||
* [G-CPU](https://play.google.com/store/apps/details?id=com.insideinc.gcpu) - Hardware Monitor
|
* [G-CPU](https://play.google.com/store/apps/details?id=com.insideinc.gcpu) - Hardware Monitor
|
||||||
* [Castro](https://play.google.com/store/apps/details?id=com.itemstudio.castro), [Device Info HW](https://play.google.com/store/apps/details?id=ru.andr7e.deviceinfohw) or [SysLog](https://github.com/Tortel/SysLog) - View System Information
|
* [Castro](https://play.google.com/store/apps/details?id=com.itemstudio.castro), [Device Info HW](https://play.google.com/store/apps/details?id=ru.andr7e.deviceinfohw) or [SysLog](https://github.com/Tortel/SysLog) - View System Information
|
||||||
* [Swappa](https://swappa.com/imei) or [SickW](https://www.sickw.com/) - IMEI, MEID, ESN Checker
|
* [Swappa](https://swappa.com/imei) or [SickW](https://www.sickw.com/) - IMEI, MEID, ESN Checker
|
||||||
* [Fix My Speakers](https://fixmyspeakers.com/) - Eject Water from Phone Speakers
|
* [Fix My Speakers](https://fixmyspeakers.com/) - Eject Water from Phone Speakers
|
||||||
* [FlashDim](https://github.com/cyb3rko/flashdim) - Adjust Flashlight Brightness
|
* [FlashDim](https://github.com/cyb3rko/flashdim) - Adjust Flashlight Brightness
|
||||||
|
* [Fire Toolbox](https://forum.xda-developers.com/t/windows-tool-fire-toolbox-v12-0.3889604/) - Fire Tablet Tools
|
||||||
|
|
||||||
***
|
***
|
||||||
|
|
||||||
|
|
@ -290,13 +292,14 @@
|
||||||
* [Caffeine](https://lab.zhs.moe/caffeine/) - Keep Screen On
|
* [Caffeine](https://lab.zhs.moe/caffeine/) - Keep Screen On
|
||||||
* [FakeStandby](https://fakestandby.jonasbernard.de/) - Turn Off the Screen While App is Running
|
* [FakeStandby](https://fakestandby.jonasbernard.de/) - Turn Off the Screen While App is Running
|
||||||
* [WaveUp](https://gitlab.com/juanitobananas/wave-up) - Turn On Display via Waving
|
* [WaveUp](https://gitlab.com/juanitobananas/wave-up) - Turn On Display via Waving
|
||||||
* [Gesture Suite](https://play.google.com/store/apps/details?id=com.gesture.suite - Android Gestures
|
* [Gesture Suite](https://play.google.com/store/apps/details?id=com.gesture.suite) - Android Gestures
|
||||||
* [Tap Tap Double Tap](https://forum.xda-developers.com/t/app-beta-0-10-1-tap-tap-double-tap-on-back-of-device-gesture-from-android-11-port.4140573/) or [TapTap](https://github.com/KieronQuinn/TapTap) - Android Back Gesture Controls / Needs Root
|
* [Tap Tap Double Tap](https://forum.xda-developers.com/t/app-beta-0-10-1-tap-tap-double-tap-on-back-of-device-gesture-from-android-11-port.4140573/) or [TapTap](https://github.com/KieronQuinn/TapTap) - Android Back Gesture Controls / Needs Root
|
||||||
|
|
||||||
***
|
***
|
||||||
|
|
||||||
## ▷ Number / SMS
|
## ▷ Number / SMS
|
||||||
|
|
||||||
|
* [Quik](https://github.com/octoshrimpy/quik) - Stock Messaging App Replacement
|
||||||
* [ConnectYou](https://github.com/you-apps/ConnectYou) - Contacts App
|
* [ConnectYou](https://github.com/you-apps/ConnectYou) - Contacts App
|
||||||
* [OpenContacts](https://gitlab.com/sultanahamer/OpenContacts) - Save Contacts to Separate Database
|
* [OpenContacts](https://gitlab.com/sultanahamer/OpenContacts) - Save Contacts to Separate Database
|
||||||
* [android-call-recorder](https://gitlab.com/axet/android-call-recorder) - Call Recorder
|
* [android-call-recorder](https://gitlab.com/axet/android-call-recorder) - Call Recorder
|
||||||
|
|
@ -313,7 +316,7 @@
|
||||||
|
|
||||||
## ▷ Root / Flash
|
## ▷ Root / Flash
|
||||||
|
|
||||||
* ⭐ **[Magisk](https://github.com/topjohnwu/Magisk)**, [KernelSU](https://kernelsu.org/), [MagiskOnWSALocal](https://github.com/LSPosed/MagiskOnWSALocal) or [Mtk Easy Su](https://github.com/JunioJsv/mtk-easy-su) - Android Root Tools
|
* ⭐ **[Magisk](https://github.com/topjohnwu/Magisk)**, [KernelSU](https://kernelsu.org/), [MagiskOnWSALocal](https://github.com/LSPosed/MagiskOnWSALocal), [APatch](https://github.com/bmax121/APatch) or [Mtk Easy Su](https://github.com/JunioJsv/mtk-easy-su) - Android Root Tools
|
||||||
* ⭐ **Magisk Tools** - [Module Manager](https://github.com/DerGoogler/MMRL), [2](https://github.com/MRepoApp/MRepo/) / [Mods](https://t.me/magiskmod_update) / [Support Layer](https://github.com/axonasif/rusty-magisk) / [PlayIntegrity Fix](https://xdaforums.com/t/module-play-integrity-fix-safetynet-fix.4607985/), [2](https://github.com/osm0sis/PlayIntegrityFork) / [Fix Guide](https://xdaforums.com/t/module-play-integrity-fix-safetynet-fix.4607985/page-177#post-89189572) / [Modules](https://www.androidacy.com/magisk-modules-repository/) / [Alt Repo](https://github.com/Magisk-Modules-Alt-Repo)
|
* ⭐ **Magisk Tools** - [Module Manager](https://github.com/DerGoogler/MMRL), [2](https://github.com/MRepoApp/MRepo/) / [Mods](https://t.me/magiskmod_update) / [Support Layer](https://github.com/axonasif/rusty-magisk) / [PlayIntegrity Fix](https://xdaforums.com/t/module-play-integrity-fix-safetynet-fix.4607985/), [2](https://github.com/osm0sis/PlayIntegrityFork) / [Fix Guide](https://xdaforums.com/t/module-play-integrity-fix-safetynet-fix.4607985/page-177#post-89189572) / [Modules](https://www.androidacy.com/magisk-modules-repository/) / [Alt Repo](https://github.com/Magisk-Modules-Alt-Repo)
|
||||||
* ⭐ **[Android Docker](https://gist.github.com/FreddieOliveira/efe850df7ff3951cb62d74bd770dce27)** - Run Docker on Android
|
* ⭐ **[Android Docker](https://gist.github.com/FreddieOliveira/efe850df7ff3951cb62d74bd770dce27)** - Run Docker on Android
|
||||||
* [Root Checker](https://play.google.com/store/apps/details?id=com.joeykrim.rootcheck) - Root Checker
|
* [Root Checker](https://play.google.com/store/apps/details?id=com.joeykrim.rootcheck) - Root Checker
|
||||||
|
|
@ -351,6 +354,7 @@
|
||||||
## ▷ Android Utilities
|
## ▷ Android Utilities
|
||||||
|
|
||||||
* ⭐ **[OpenCalc](https://github.com/Darkempire78/OpenCalc)**, [Calculator++](https://play.google.com/store/apps/details?id=org.solovyev.android.calculator), [microMathematics](https://github.com/mkulesh/microMathematics), [yetCalc](https://github.com/Yet-Zio/yetCalc) or [Calculator-inator](https://github.com/prathameshmm02/Calculator-inator) - Calculators
|
* ⭐ **[OpenCalc](https://github.com/Darkempire78/OpenCalc)**, [Calculator++](https://play.google.com/store/apps/details?id=org.solovyev.android.calculator), [microMathematics](https://github.com/mkulesh/microMathematics), [yetCalc](https://github.com/Yet-Zio/yetCalc) or [Calculator-inator](https://github.com/prathameshmm02/Calculator-inator) - Calculators
|
||||||
|
* [The Tool App](https://play.google.com/store/apps/details?id=com.yousx.thetoolsapp) - Multi-Tool App
|
||||||
* [LightCut](https://play.google.com/store/apps/details?id=com.lightcut.videoeditor), [open-video-editor](https://github.com/devhyper/open-video-editor) or [Vaux](https://play.google.com/store/apps/details?id=com.vaux.vaux_editor) - Video Editors
|
* [LightCut](https://play.google.com/store/apps/details?id=com.lightcut.videoeditor), [open-video-editor](https://github.com/devhyper/open-video-editor) or [Vaux](https://play.google.com/store/apps/details?id=com.vaux.vaux_editor) - Video Editors
|
||||||
* [auto-auto-rotate](https://gitlab.com/juanitobananas/auto-auto-rotate) - Per App Rotation Settings
|
* [auto-auto-rotate](https://gitlab.com/juanitobananas/auto-auto-rotate) - Per App Rotation Settings
|
||||||
* [Catima](https://catima.app/) - Loyalty Card Managers
|
* [Catima](https://catima.app/) - Loyalty Card Managers
|
||||||
|
|
@ -508,10 +512,10 @@
|
||||||
* [TikTokModCloud](https://t.me/TikTokModCloud) - Modded TikTok Client
|
* [TikTokModCloud](https://t.me/TikTokModCloud) - Modded TikTok Client
|
||||||
* [LC_Reborn](https://t.me/s/Facebook_LC_Reborn) - Facebook Clients
|
* [LC_Reborn](https://t.me/s/Facebook_LC_Reborn) - Facebook Clients
|
||||||
* [MessengerPro](https://rentry.co/FMHYBase64#messengerpro) - Modded Facebook Messenger
|
* [MessengerPro](https://rentry.co/FMHYBase64#messengerpro) - Modded Facebook Messenger
|
||||||
* [Nekogram](https://nekogram.app/), [AyuGram](https://t.me/ayugramchat), [NekoX](https://github.com/dic1911/NekoX), [TelegramAndroid](https://github.com/Forkgram/TelegramAndroid), [Nagram](https://github.com/nextalone/nagram), [exteraGram](https://exteragram.app/), [Cherrygram](https://github.com/arsLan4k1390/Cherrygram), [Nullgram](https://github.com/qwq233/Nullgram/), [Octogram](https://octogram.site/) or [Telegram-FOSS](https://github.com/Telegram-FOSS-Team/Telegram-FOSS) - Telegram Clients
|
* [Nekogram](https://nekogram.app/), [AyuGram](https://t.me/ayugramchat), [NekoX](https://github.com/dic1911/NekoX), [TelegramAndroid](https://github.com/Forkgram/TelegramAndroid), [Nagram](https://github.com/nextalone/nagram), [exteraGram](https://exteragram.app/), [Cherrygram](https://github.com/arsLan4k1390/Cherrygram), [TurboTel](https://t.me/s/TurboTel), [Nullgram](https://github.com/qwq233/Nullgram/), [Octogram](https://octogram.site/) or [Telegram-FOSS](https://github.com/Telegram-FOSS-Team/Telegram-FOSS) - Telegram Clients
|
||||||
* [Telegram-Themer](https://github.com/therxmv/Telegram-Themer) or [Telegram Monet](https://github.com/mi-g-alex/Telegram-Monet) / [Telegram](https://t.me/tgmonet) - Telegram Theme Creators
|
* [Telegram-Themer](https://github.com/therxmv/Telegram-Themer) or [Telegram Monet](https://github.com/mi-g-alex/Telegram-Monet) / [Telegram](https://t.me/tgmonet) - Telegram Theme Creators
|
||||||
* [FouadMODS](https://t.me/FouadMODS) - Modded WhatsApp
|
* [FouadMODS](https://t.me/FouadMODS) - Modded WhatsApp
|
||||||
* [Tellurium](https://play.google.com/store/apps/details?id=com.quadren.tellurium) - Numberless WhatsApp Chat
|
* [Tellurium](https://play.google.com/store/apps/details?id=com.quadren.tellurium) or [WhatsAppNoContact](https://github.com/theolm/WhatsAppNoContact) - Numbe-Free WhatsApp Chat
|
||||||
* [WhatsappWebToGo](https://github.com/92lleo/WhatsappWebToGo) - Mobile WhatsApp Web Client
|
* [WhatsappWebToGo](https://github.com/92lleo/WhatsappWebToGo) - Mobile WhatsApp Web Client
|
||||||
* [WhatsAppPatcher](https://github.com/Schwartzblat/WhatsAppPatcher) or [WaEnhancer](https://github.com/Dev4Mod/WaEnhancer) - WhatsApp Patchers
|
* [WhatsAppPatcher](https://github.com/Schwartzblat/WhatsAppPatcher) or [WaEnhancer](https://github.com/Dev4Mod/WaEnhancer) - WhatsApp Patchers
|
||||||
* [MdgWa](https://github.com/ItsMadruga/MdgWa) - WhatsApp Customization
|
* [MdgWa](https://github.com/ItsMadruga/MdgWa) - WhatsApp Customization
|
||||||
|
|
@ -612,8 +616,8 @@
|
||||||
|
|
||||||
## ▷ Weather Apps
|
## ▷ Weather Apps
|
||||||
|
|
||||||
|
* ⭐ **[Breezy Weather](https://github.com/breezy-weather/breezy-weather)**
|
||||||
* ⭐ **[AccuWeather](https://app.accuweather.com/app-download)** / [Premium](https://forum.mobilism.org/search.php?keywords=accuweather&fid%5B%5D=398&sr=topics&sf=titleonly)
|
* ⭐ **[AccuWeather](https://app.accuweather.com/app-download)** / [Premium](https://forum.mobilism.org/search.php?keywords=accuweather&fid%5B%5D=398&sr=topics&sf=titleonly)
|
||||||
* [Breezy Weather](https://github.com/breezy-weather/breezy-weather)
|
|
||||||
* [OSS Weather](https://github.com/Akylas/oss-weather)
|
* [OSS Weather](https://github.com/Akylas/oss-weather)
|
||||||
* [Clima](https://codeberg.org/Lacerte/clima)
|
* [Clima](https://codeberg.org/Lacerte/clima)
|
||||||
* [Rain](https://github.com/DarkMooNight/Rain)
|
* [Rain](https://github.com/DarkMooNight/Rain)
|
||||||
|
|
@ -787,7 +791,7 @@
|
||||||
* ⭐ **[AntennaPod](https://antennapod.org/)** / [GitHub](https://github.com/AntennaPod/AntennaPod), [Snipd](https://www.snipd.com/) or [AudioAnchor](https://github.com/flackbash/AudioAnchor) - Podcast Players
|
* ⭐ **[AntennaPod](https://antennapod.org/)** / [GitHub](https://github.com/AntennaPod/AntennaPod), [Snipd](https://www.snipd.com/) or [AudioAnchor](https://github.com/flackbash/AudioAnchor) - Podcast Players
|
||||||
* [Escapepod](https://codeberg.org/y20k/escapepod), [Podbean](https://play.google.com/store/apps/details?id=com.podbean.app.podcast), [PocketCasts](https://www.pocketcasts.com/) or [Podcast Addict](https://play.google.com/store/apps/details?id=com.bambuna.podcastaddict) - Podcasts
|
* [Escapepod](https://codeberg.org/y20k/escapepod), [Podbean](https://play.google.com/store/apps/details?id=com.podbean.app.podcast), [PocketCasts](https://www.pocketcasts.com/) or [Podcast Addict](https://play.google.com/store/apps/details?id=com.bambuna.podcastaddict) - Podcasts
|
||||||
* [IHeartRadio](https://play.google.com/store/apps/details?id=com.clearchannel.iheartradio.controller), [MixCloud](https://play.google.com/store/apps/details?id=com.mixcloud.player&hl=en) or [TuneIn](https://play.google.com/store/apps/details?id=tunein.player&hl=en) - Podcasts / Radio
|
* [IHeartRadio](https://play.google.com/store/apps/details?id=com.clearchannel.iheartradio.controller), [MixCloud](https://play.google.com/store/apps/details?id=com.mixcloud.player&hl=en) or [TuneIn](https://play.google.com/store/apps/details?id=tunein.player&hl=en) - Podcasts / Radio
|
||||||
* [Transistor](https://codeberg.org/y20k/transistor), [RadioTime](https://radiotimeapp.com/), [RadioUpnp](https://play.google.com/store/apps/details?id=com.watea.radio_upnp) or [RadioTime](https://play.google.com/store/apps/details?id=com.radiotime.app) - Radio
|
* [Transistor](https://codeberg.org/y20k/transistor), [RadioTime](https://radiotimeapp.com/), [SiriusXM](https://rentry.co/FMHYBase64#siriusxm), [RadioUpnp](https://play.google.com/store/apps/details?id=com.watea.radio_upnp) or [RadioTime](https://play.google.com/store/apps/details?id=com.radiotime.app) - Radio
|
||||||
* [SpiritF](https://www.apkmirror.com/apk/xiaomi-inc/miui-fm-radio/miui-fm-radio-1-0-478-release/) - FM Radio
|
* [SpiritF](https://www.apkmirror.com/apk/xiaomi-inc/miui-fm-radio/miui-fm-radio-1-0-478-release/) - FM Radio
|
||||||
* [DI.FM](https://play.google.com/store/apps/details?id=com.audioaddict.di) - Electronic Radio
|
* [DI.FM](https://play.google.com/store/apps/details?id=com.audioaddict.di) - Electronic Radio
|
||||||
* [Nightwave Plaza](https://play.google.com/store/apps/details?id=one.plaza.nightwaveplaza) - Nightwave Radio
|
* [Nightwave Plaza](https://play.google.com/store/apps/details?id=one.plaza.nightwaveplaza) - Nightwave Radio
|
||||||
|
|
@ -875,9 +879,10 @@
|
||||||
* [GrayJay](https://grayjay.app/) - YouTube, Twitch, Rumble etc / [Gitlab](https://gitlab.futo.org/videostreaming/grayjay) / [Plugins](https://gitlab.futo.org/videostreaming/plugins)
|
* [GrayJay](https://grayjay.app/) - YouTube, Twitch, Rumble etc / [Gitlab](https://gitlab.futo.org/videostreaming/grayjay) / [Plugins](https://gitlab.futo.org/videostreaming/plugins)
|
||||||
* [Clipious](https://github.com/lamarios/clipious) - Android Invidious Client
|
* [Clipious](https://github.com/lamarios/clipious) - Android Invidious Client
|
||||||
* [Hyperion](https://github.com/zt64/Hyperion) - YouTube Frontend
|
* [Hyperion](https://github.com/zt64/Hyperion) - YouTube Frontend
|
||||||
* [SkyTube](https://github.com/SkyTubeTeam/SkyTube) - Youtube Player
|
* [SkyTube](https://github.com/SkyTubeTeam/SkyTube) - YouTube Player
|
||||||
* [FreeTube Android](https://github.com/MarmadileManteater/FreeTubeCordova) - Youtube Player
|
* [FreeTube Android](https://github.com/MarmadileManteater/FreeTubeCordova) - YouTube Player
|
||||||
* [Float Tube](https://play.google.com/store/apps/details?id=com.xpp.tubeAssistant) - Floating YouTube Player
|
* [Float Tube](https://play.google.com/store/apps/details?id=com.xpp.tubeAssistant) - Floating YouTube Player
|
||||||
|
* [Video Summarizer](https://play.google.com/store/apps/details?id=com.emote.youtube_summarizer) - YouTube Video Summarizer
|
||||||
|
|
||||||
***
|
***
|
||||||
|
|
||||||
|
|
@ -886,13 +891,14 @@
|
||||||
* ⭐ **[Smart TV Guide](https://redd.it/xa0aya)** - Smart TV Piracy Guide
|
* ⭐ **[Smart TV Guide](https://redd.it/xa0aya)** - Smart TV Piracy Guide
|
||||||
* ⭐ **[Android TV Guide](https://www.androidtv-guide.com/)** - Android TV Piracy Guide / [Spreadsheet](https://docs.google.com/spreadsheets/d/1kdnHLt673EjoAJisOal2uIpcmVS2Defbgk1ntWRLY3E/)
|
* ⭐ **[Android TV Guide](https://www.androidtv-guide.com/)** - Android TV Piracy Guide / [Spreadsheet](https://docs.google.com/spreadsheets/d/1kdnHLt673EjoAJisOal2uIpcmVS2Defbgk1ntWRLY3E/)
|
||||||
* ⭐ **[SmartTube](https://smarttubeapp.github.io/)** - Ad Free Android TV YouTube Player / [GitHub](https://github.com/yuliskov/SmartTubeNext)
|
* ⭐ **[SmartTube](https://smarttubeapp.github.io/)** - Ad Free Android TV YouTube Player / [GitHub](https://github.com/yuliskov/SmartTubeNext)
|
||||||
|
* [Android TV Tools v3](https://xdaforums.com/t/tool-all-in-one-tool-for-windows-android-tv-tools-v3.4648239/) - Multiple Android TV Tools
|
||||||
|
* [Dejavuln](https://github.com/throwaway96/dejavuln-autoroot) - LG TV Root / Homebrew Installer
|
||||||
|
* [Dev Manager Desktop](https://github.com/webosbrew/dev-manager-desktop) - Webos Desktop Dev Mode Manager / Homebrew Installer
|
||||||
* [Samsung Smart TV Adblock](https://redd.it/gn7fw5) - Block Smart TV Ads
|
* [Samsung Smart TV Adblock](https://redd.it/gn7fw5) - Block Smart TV Ads
|
||||||
* [TCL Browser](https://play.google.com/store/apps/details?id=com.tcl.browser) or [TV Bro](https://github.com/truefedex/tv-bro) - Ad Free Android TV Browsers
|
* [TCL Browser](https://play.google.com/store/apps/details?id=com.tcl.browser) or [TV Bro](https://github.com/truefedex/tv-bro) - Ad Free Android TV Browsers
|
||||||
* [YTCast](https://github.com/MarcoLucidi01/ytcast) - Cast YouTube Videos to Smart TV
|
* [YTCast](https://github.com/MarcoLucidi01/ytcast) - Cast YouTube Videos to Smart TV
|
||||||
* [iSponsorBlockTV](https://github.com/dmunozv04/iSponsorBlockTV) - SponsorBlock App
|
* [iSponsorBlockTV](https://github.com/dmunozv04/iSponsorBlockTV) - SponsorBlock App
|
||||||
* [Dejavuln](https://github.com/throwaway96/dejavuln-autoroot) - Root LG TVs / Install Homebrew
|
* [WebOS Youtube](https://github.com/webosbrew/youtube-webos) - Ad-Free YouTube for LG TVs / [Guide](https://youtu.be/Zoc9Bt9TuZA), [2](https://redd.it/wzs6hg) - Guide for Ad-Free YouTube on LG TVs
|
||||||
* [WebOS Youtube](https://github.com/webosbrew/youtube-webos) - Ad-Free YouTube for LG TVs
|
|
||||||
* [YouTube AdFree](https://youtu.be/Zoc9Bt9TuZA), [2](https://redd.it/wzs6hg) - Guide for Ad-Free YouTube on LG TVs
|
|
||||||
* [med4web](https://rentry.org/med4web) - Guide for streaming torrents on LG TVs
|
* [med4web](https://rentry.org/med4web) - Guide for streaming torrents on LG TVs
|
||||||
* [Playlet](https://channelstore.roku.com/en-ca/details/840aec36f51bfe6d96cf6db9055a372a/playlet) - Ad-Free YouTube Roku Client
|
* [Playlet](https://channelstore.roku.com/en-ca/details/840aec36f51bfe6d96cf6db9055a372a/playlet) - Ad-Free YouTube Roku Client
|
||||||
* [LG SmartShare](https://www.lg.com/support/smart-share) - Share files to LGTV
|
* [LG SmartShare](https://www.lg.com/support/smart-share) - Share files to LGTV
|
||||||
|
|
@ -916,6 +922,7 @@
|
||||||
* ⭐ **[Bitwarden](https://apps.apple.com/app/bitwarden-free-password-manager/id1137397744)**, [Keepassium](https://keepassium.com/), [AuthPass](https://authpass.app/), [Strongbox](https://strongboxsafe.com/) or [PasswordStore](https://passwordstore.app/) - Password Managers
|
* ⭐ **[Bitwarden](https://apps.apple.com/app/bitwarden-free-password-manager/id1137397744)**, [Keepassium](https://keepassium.com/), [AuthPass](https://authpass.app/), [Strongbox](https://strongboxsafe.com/) or [PasswordStore](https://passwordstore.app/) - Password Managers
|
||||||
* ⭐ **[PairVPN Hotspot](https://pairvpn.com/hotspot)** - Create Mobile Hotspots
|
* ⭐ **[PairVPN Hotspot](https://pairvpn.com/hotspot)** - Create Mobile Hotspots
|
||||||
* [Gear4](https://gear4.app/) - Browser w/ Userscript Support
|
* [Gear4](https://gear4.app/) - Browser w/ Userscript Support
|
||||||
|
* [Arc](https://apps.apple.com/us/app/arc-search-find-it-faster/id6472513080) - Feature-Rich iOS Adblock Browser
|
||||||
* [iOS Settings URLs](https://github.com/FifiTheBulldog/ios-settings-urls) - iOS Settings URL List
|
* [iOS Settings URLs](https://github.com/FifiTheBulldog/ios-settings-urls) - iOS Settings URL List
|
||||||
* [Das Image](https://apps.apple.com/ca/app/das-image-search-and-explore/id1464079804), [iPhone11papers](https://iphone11papers.com/), [FreshWalls](https://apps.apple.com/in/app/freshwalls-4k-hd-wallpapers/id1627085956) or [iOS Wallpapers](https://goo.gl/photos/ZVpabTtcezd35XBa9/) - iOS Wallpapers
|
* [Das Image](https://apps.apple.com/ca/app/das-image-search-and-explore/id1464079804), [iPhone11papers](https://iphone11papers.com/), [FreshWalls](https://apps.apple.com/in/app/freshwalls-4k-hd-wallpapers/id1627085956) or [iOS Wallpapers](https://goo.gl/photos/ZVpabTtcezd35XBa9/) - iOS Wallpapers
|
||||||
* [wrtn](https://apps.apple.com/us/app/%EB%A4%BC%ED%8A%BC-%EB%AA%A8%EB%91%90%EB%A5%BC-%EC%9C%84%ED%95%9C-ai-%ED%8F%AC%ED%84%B8/id6448556170), [OpenAI-ChatGPT](https://apps.apple.com/us/app/openai-chatgpt/id6448311069) or [Kai](https://trykai.app/) - ChatGPT Apps
|
* [wrtn](https://apps.apple.com/us/app/%EB%A4%BC%ED%8A%BC-%EB%AA%A8%EB%91%90%EB%A5%BC-%EC%9C%84%ED%95%9C-ai-%ED%8F%AC%ED%84%B8/id6448556170), [OpenAI-ChatGPT](https://apps.apple.com/us/app/openai-chatgpt/id6448311069) or [Kai](https://trykai.app/) - ChatGPT Apps
|
||||||
|
|
@ -1091,7 +1098,7 @@
|
||||||
* 🌐 **[Open-Source iOS Apps](https://github.com/dkhamsing/open-source-ios-apps)** - Open-Source Apps
|
* 🌐 **[Open-Source iOS Apps](https://github.com/dkhamsing/open-source-ios-apps)** - Open-Source Apps
|
||||||
* 🌐 **[Awesome TestFlight](https://github.com/pluwen/awesome-testflight-link)** or [TestFlight Spreadsheet](https://docs.google.com/spreadsheets/d/1Uej3AQPxRcLRXnmthUXR-7oGkNV_GsMFgCoNnuPtSwI/) - TesFlight App Indexes
|
* 🌐 **[Awesome TestFlight](https://github.com/pluwen/awesome-testflight-link)** or [TestFlight Spreadsheet](https://docs.google.com/spreadsheets/d/1Uej3AQPxRcLRXnmthUXR-7oGkNV_GsMFgCoNnuPtSwI/) - TesFlight App Indexes
|
||||||
* ⭐ **[TrollStore](https://github.com/opa334/TrollStore)** or [TrollApps](https://github.com/TheResonanceTeam/TrollApps/) / [Discord](https://discord.gg/PrF6XqpGgX) - Non-Appstore Apps / No-Jailbreak / 14.0-17.0 / [IPAs](https://github.com/swaggyP36000/TrollStore-IPAs) / [Decrypt](https://github.com/donato-fiore/TrollDecrypt)
|
* ⭐ **[TrollStore](https://github.com/opa334/TrollStore)** or [TrollApps](https://github.com/TheResonanceTeam/TrollApps/) / [Discord](https://discord.gg/PrF6XqpGgX) - Non-Appstore Apps / No-Jailbreak / 14.0-17.0 / [IPAs](https://github.com/swaggyP36000/TrollStore-IPAs) / [Decrypt](https://github.com/donato-fiore/TrollDecrypt)
|
||||||
* [Sideloadly](https://sideloadly.io/), [FlekSt0re](https://flekstore.com/), [AltStore](https://altstore.io/) / [Repo Viewer](https://altsource.by.lao.sb/browse/) / [Alt Server](https://github.com/NyaMisty/AltServer-Linux), [SideStore](https://github.com/SideStore/SideStore) or [SignTools](https://github.com/SignTools/SignTools) - Non-Jailbreak App Sideloading
|
* ⭐ **[Sideloadly](https://sideloadly.io/)**, [FlekSt0re](https://flekstore.com/), [AltStore](https://altstore.io/) / [Repo Viewer](https://altsource.by.lao.sb/browse/) / [Alt Server](https://github.com/NyaMisty/AltServer-Linux), [SideStore](https://github.com/SideStore/SideStore) or [SignTools](https://github.com/SignTools/SignTools) - Non-Jailbreak App Sideloading
|
||||||
* [AppSnake](https://appsnake.cypwn.xyz/) - IAP Database
|
* [AppSnake](https://appsnake.cypwn.xyz/) - IAP Database
|
||||||
* [Streamiza](https://t.me/streamiza) - Tweaked Apps / Telegram / [Discord](https://linktr.ee/Streamiza)
|
* [Streamiza](https://t.me/streamiza) - Tweaked Apps / Telegram / [Discord](https://linktr.ee/Streamiza)
|
||||||
* [You Are Finished Mods](https://t.me/youarefinished_mods) - Tweaked Apps / Telegram
|
* [You Are Finished Mods](https://t.me/youarefinished_mods) - Tweaked Apps / Telegram
|
||||||
|
|
@ -1114,6 +1121,7 @@
|
||||||
|
|
||||||
# ► iOS Audio
|
# ► iOS Audio
|
||||||
|
|
||||||
|
* ⭐ **[EeveeSpotify](https://github.com/whoeevee/EeveeSpotify)** - Ad-free Spotify / Sideloaded
|
||||||
* ⭐ **[Spotify++](https://rentry.co/FMHYBase64#spotify)** - Ad-free Spotify / Sideloaded
|
* ⭐ **[Spotify++](https://rentry.co/FMHYBase64#spotify)** - Ad-free Spotify / Sideloaded
|
||||||
* ⭐ **[SpotC++](https://github.com/SpotCompiled/SpotC-Plus-Plus)** - Ad-free Spotify / Sideloaded
|
* ⭐ **[SpotC++](https://github.com/SpotCompiled/SpotC-Plus-Plus)** - Ad-free Spotify / Sideloaded
|
||||||
* ⭐ **[YT Tweaked](https://rentry.co/FMHYBase64#yt-tweaked-ipas)**, [YTMusilife](https://rentry.co/FMHYBase64#ytmusilife) or [YTMusicUltimate](https://github.com/ginsudev/YTMusicUltimate), [Trebel](https://home.trebel.io/), [Soundcloud](https://apps.apple.com/us/app/soundcloud/id336353151), [eSound](https://apps.apple.com/ca/app/esound-music-player-app-mp3/id1224933860), [Musi](https://feelthemusi.com/), [iMusic](https://apps.apple.com/us/app/imusic-offline-music-player/id1535124961) or [Audiomack](https://apps.apple.com/ca/app/audiomack-download-new-music/id921765888) - Streaming
|
* ⭐ **[YT Tweaked](https://rentry.co/FMHYBase64#yt-tweaked-ipas)**, [YTMusilife](https://rentry.co/FMHYBase64#ytmusilife) or [YTMusicUltimate](https://github.com/ginsudev/YTMusicUltimate), [Trebel](https://home.trebel.io/), [Soundcloud](https://apps.apple.com/us/app/soundcloud/id336353151), [eSound](https://apps.apple.com/ca/app/esound-music-player-app-mp3/id1224933860), [Musi](https://feelthemusi.com/), [iMusic](https://apps.apple.com/us/app/imusic-offline-music-player/id1535124961) or [Audiomack](https://apps.apple.com/ca/app/audiomack-download-new-music/id921765888) - Streaming
|
||||||
|
|
|
||||||
|
|
@ -9,7 +9,7 @@
|
||||||
* [Lofi Rocks](https://www.lofi.rocks/) - Tiny / Minimal Client
|
* [Lofi Rocks](https://www.lofi.rocks/) - Tiny / Minimal Client
|
||||||
* [MooSync](https://moosync.app/) - Feature-Rich Client
|
* [MooSync](https://moosync.app/) - Feature-Rich Client
|
||||||
* [Spotify Web Client](https://open.spotify.com/)
|
* [Spotify Web Client](https://open.spotify.com/)
|
||||||
* Web Client Tools - [Enhanced UI](https://senpaihunters.github.io/SpotOn/) / [Customize](https://github.com/Darkempire78/Spotify-Customizer) / [Lyrics](https://github.com/mantou132/Spotify-Lyrics)
|
* Web Client Tools - [Enhanced UI](https://senpaihunters.github.io/SpotOn/) / [Customize](https://github.com/Darkempire78/Spotify-Customizer) / [Lyrics](https://github.com/mantou132/Spotify-Lyrics), [2](https://greasyfork.org/en/scripts/377439)
|
||||||
|
|
||||||
***
|
***
|
||||||
|
|
||||||
|
|
@ -32,6 +32,7 @@
|
||||||
* [Playlist Randomizer](https://stevenaleong.com/tools/spotifyplaylistrandomizer) - Playlist Randomizer
|
* [Playlist Randomizer](https://stevenaleong.com/tools/spotifyplaylistrandomizer) - Playlist Randomizer
|
||||||
* [Playlist Sorter](https://www.playlistsorter.com/) - Sort Playlists
|
* [Playlist Sorter](https://www.playlistsorter.com/) - Sort Playlists
|
||||||
* [Timelineify](https://www.timelineify.com/) - Sort Playlists by Release
|
* [Timelineify](https://www.timelineify.com/) - Sort Playlists by Release
|
||||||
|
* [Tagify](https://tagify.me/) - Use Playlists as Tags
|
||||||
* [Trikatuka](http://trikatuka.aknakn.eu/) or [playlists.cloud](https://playlists.cloud/) - Playlist Transfer Tools
|
* [Trikatuka](http://trikatuka.aknakn.eu/) or [playlists.cloud](https://playlists.cloud/) - Playlist Transfer Tools
|
||||||
* [Skiley](https://skiley.net/) - Playlist Manager
|
* [Skiley](https://skiley.net/) - Playlist Manager
|
||||||
* [Kotify](https://github.com/dzirbel/kotify) - Organize Spotify Music
|
* [Kotify](https://github.com/dzirbel/kotify) - Organize Spotify Music
|
||||||
|
|
@ -104,6 +105,7 @@
|
||||||
* [Audius](https://audius.co/) - User Made Music Platform
|
* [Audius](https://audius.co/) - User Made Music Platform
|
||||||
* [AudionautiX](https://audionautix.com/) - Mood-Based Streaming
|
* [AudionautiX](https://audionautix.com/) - Mood-Based Streaming
|
||||||
* [Neko Network](https://live.neko-network.net/) - Anime Music Videos
|
* [Neko Network](https://live.neko-network.net/) - Anime Music Videos
|
||||||
|
* [Youtaite](https://www.youtaite.com/) - Youtaite Resources / Songs
|
||||||
* [Musicmap](https://musicmap.info/) - Genealogy / History of Music Genres
|
* [Musicmap](https://musicmap.info/) - Genealogy / History of Music Genres
|
||||||
* [Samplette](https://samplette.io/) - Random Songs
|
* [Samplette](https://samplette.io/) - Random Songs
|
||||||
* [Map of Metal](https://mapofmetal.com/) - Interactive Map of Metal History
|
* [Map of Metal](https://mapofmetal.com/) - Interactive Map of Metal History
|
||||||
|
|
@ -244,7 +246,7 @@
|
||||||
|
|
||||||
* ⭐ **[DoubleDouble](https://doubledouble.top/)** - [Multi-Site](https://pastebin.com/dPT8aE0R) / 320kb / MP3 / FLAC / [Telegram](https://t.me/+AuKfQGOOLrFlOTZk)
|
* ⭐ **[DoubleDouble](https://doubledouble.top/)** - [Multi-Site](https://pastebin.com/dPT8aE0R) / 320kb / MP3 / FLAC / [Telegram](https://t.me/+AuKfQGOOLrFlOTZk)
|
||||||
* ⭐ **[squid.wtf](https://squid.wtf/)** - Deezer / FLAC / [Discord](https://discord.gg/ATjPbzR) / [Note](https://pastebin.com/eWErQNmN)
|
* ⭐ **[squid.wtf](https://squid.wtf/)** - Deezer / FLAC / [Discord](https://discord.gg/ATjPbzR) / [Note](https://pastebin.com/eWErQNmN)
|
||||||
* ⭐ **[yet another music server](https://yetanothermusicserver.top/)** - Deezer / Tidal / Qobuz / Spotify / FLAC
|
* ⭐ **[yet another music server](https://yams.tf/)** - Deezer / Tidal / Qobuz / Spotify / FLAC
|
||||||
* ⭐ **[MP3 Daddy](https://mp3-daddy.com/)** - Deezer / 320kb / MP3 / FLAC
|
* ⭐ **[MP3 Daddy](https://mp3-daddy.com/)** - Deezer / 320kb / MP3 / FLAC
|
||||||
* [EzMP3](https://ezmp3.cc/) - YouTube / 320kb / MP3 / Ad-Free / [Subreddit](https://www.reddit.com/r/EzMP3/)
|
* [EzMP3](https://ezmp3.cc/) - YouTube / 320kb / MP3 / Ad-Free / [Subreddit](https://www.reddit.com/r/EzMP3/)
|
||||||
* [YTiz](https://ytiz.xyz/) - YouTube / SoundCloud / Bandcamp / 128kb / AAC / [GitHub](https://github.com/tizerk/ytiz)
|
* [YTiz](https://ytiz.xyz/) - YouTube / SoundCloud / Bandcamp / 128kb / AAC / [GitHub](https://github.com/tizerk/ytiz)
|
||||||
|
|
@ -391,6 +393,7 @@
|
||||||
* [loa2k](https://loa2k.neocities.org/), [nu guide](https://nuvaporwave.neocities.org/mirrors.html) or [Vaporware.ivan](https://vaporwave.ivan.moe/list/) - Vaporwave
|
* [loa2k](https://loa2k.neocities.org/), [nu guide](https://nuvaporwave.neocities.org/mirrors.html) or [Vaporware.ivan](https://vaporwave.ivan.moe/list/) - Vaporwave
|
||||||
* [inconstant sol](https://inconstantsol.blogspot.com/), [David W. Niven Collection](https://archive.org/details/davidwnivenjazz) or [JazznBlues](https://jazznblues.club/) - Jazz / MP3
|
* [inconstant sol](https://inconstantsol.blogspot.com/), [David W. Niven Collection](https://archive.org/details/davidwnivenjazz) or [JazznBlues](https://jazznblues.club/) - Jazz / MP3
|
||||||
* [EssentialHouse](https://essentialhouse.club/) - House / MP3
|
* [EssentialHouse](https://essentialhouse.club/) - House / MP3
|
||||||
|
* [Bluegrass Archive](https://rentry.co/FMHYBase64#bluegrass-archive) - Bluegrass/ FLAC
|
||||||
* [BurningTheGround](https://burningtheground.net/) - 80s / 90s / FLAC
|
* [BurningTheGround](https://burningtheground.net/) - 80s / 90s / FLAC
|
||||||
* [aboutdisco](https://aboutdiscowithlove.blogspot.com/) - Disco / MP3
|
* [aboutdisco](https://aboutdiscowithlove.blogspot.com/) - Disco / MP3
|
||||||
* [ProgRockVintage](https://www.progrockvintage.com/) - Classic Rock / MP3
|
* [ProgRockVintage](https://www.progrockvintage.com/) - Classic Rock / MP3
|
||||||
|
|
@ -496,7 +499,7 @@
|
||||||
* ⭐ **Last.fm Tools** - [Manual Scrobble](https://openscrobbler.com/) / [Web Scrobble](https://web-scrobbler.com/) / [Album Collages](https://www.chartmymusic.com/), [2](https://www.tapmusic.net/) / [Artist Iceberg](https://lastfm-iceberg.dawdle.space/) / [Tag Cloud](https://tagcloud.joshuarainbow.co.uk/) / [Now Playing](https://descent.live/now)
|
* ⭐ **Last.fm Tools** - [Manual Scrobble](https://openscrobbler.com/) / [Web Scrobble](https://web-scrobbler.com/) / [Album Collages](https://www.chartmymusic.com/), [2](https://www.tapmusic.net/) / [Artist Iceberg](https://lastfm-iceberg.dawdle.space/) / [Tag Cloud](https://tagcloud.joshuarainbow.co.uk/) / [Now Playing](https://descent.live/now)
|
||||||
* ⭐ **[Has it leaked](https://hasitleaked.com/)** or [LEAKED](https://leaked.cx/) - Album Leak Tracker
|
* ⭐ **[Has it leaked](https://hasitleaked.com/)** or [LEAKED](https://leaked.cx/) - Album Leak Tracker
|
||||||
* ⭐ **[Muspy](https://muspy.com/)**, [MusicButler](https://www.musicbutler.io/) or [Brew.fm](https://www.brew.fm/) - Get Album Release Updates
|
* ⭐ **[Muspy](https://muspy.com/)**, [MusicButler](https://www.musicbutler.io/) or [Brew.fm](https://www.brew.fm/) - Get Album Release Updates
|
||||||
* ⭐ **[RateYourMusic](https://rateyourmusic.com/)**, **[Sputnik](https://www.sputnikmusic.com/)**, [Discogs](https://www.discogs.com/) / [Scout](https://greasyfork.org/en/scripts/439452-discogs-scout), [AlbumOfTheYear](https://www.albumoftheyear.org/), [AllMusic](https://www.allmusic.com/) or [MusicBrainz](https://musicbrainz.org/) / [Insights](https://listenbrainz.org/) - Ratings / Reviews
|
* ⭐ **[RateYourMusic](https://rateyourmusic.com/)**, **[Sputnik](https://www.sputnikmusic.com/)**, [Discogs](https://www.discogs.com/) / [Scout](https://greasyfork.org/en/scripts/439452-discogs-scout) / [Timestamps](https://martinbarker.me/tagger), [AlbumOfTheYear](https://www.albumoftheyear.org/), [AllMusic](https://www.allmusic.com/) or [MusicBrainz](https://musicbrainz.org/) / [Insights](https://listenbrainz.org/) - Ratings / Reviews
|
||||||
* ⭐ **[AnyDecentMusic](http://www.anydecentmusic.com/)** - Album Review Aggregator
|
* ⭐ **[AnyDecentMusic](http://www.anydecentmusic.com/)** - Album Review Aggregator
|
||||||
* ⭐ **[RYM Ultimate Box Set](https://rateyourmusic.com/list/TheScientist/rym-ultimate-box-set/)** - Artist Recommendations by Genre
|
* ⭐ **[RYM Ultimate Box Set](https://rateyourmusic.com/list/TheScientist/rym-ultimate-box-set/)** - Artist Recommendations by Genre
|
||||||
* ⭐ **[/r/ifyoulikeblank](https://www.reddit.com/r/ifyoulikeblank/)** - Artist Recommendations
|
* ⭐ **[/r/ifyoulikeblank](https://www.reddit.com/r/ifyoulikeblank/)** - Artist Recommendations
|
||||||
|
|
@ -735,7 +738,7 @@
|
||||||
|
|
||||||
* ⭐ **[G-MEH](https://g-meh.com/)** - Audio Editors / [Discord](https://discord.com/invite/xqPBaXUg7p) / [Premium Bypass](https://gmehpremium.pages.dev/)
|
* ⭐ **[G-MEH](https://g-meh.com/)** - Audio Editors / [Discord](https://discord.com/invite/xqPBaXUg7p) / [Premium Bypass](https://gmehpremium.pages.dev/)
|
||||||
* ⭐ **[Tenacity](https://tenacityaudio.org/)**, [Sneedacity](https://github.com/Sneeds-Feed-and-Seed/sneedacity) or [Audacity](https://www.audacityteam.org/) - Audio Editor
|
* ⭐ **[Tenacity](https://tenacityaudio.org/)**, [Sneedacity](https://github.com/Sneeds-Feed-and-Seed/sneedacity) or [Audacity](https://www.audacityteam.org/) - Audio Editor
|
||||||
* ⭐ **[Team V.R releases](https://codec.kiev.ua/Audi0.htm)** - Audio Editors, Adobe Software, Plugins etc.
|
* ⭐ **[Team V.R releases](https://codec.kyiv.ua/Audi0.htm)** - Audio Editors, Adobe Software, Plugins etc.
|
||||||
* ⭐ **[Moises](https://moises.ai/)** - Live Music Mixer
|
* ⭐ **[Moises](https://moises.ai/)** - Live Music Mixer
|
||||||
* ⭐ **[OpenMPT](https://openmpt.org/)**, [Schism Tracker](https://schismtracker.org/) or [MilkyTracker](https://milkytracker.org/) - Music Trackers
|
* ⭐ **[OpenMPT](https://openmpt.org/)**, [Schism Tracker](https://schismtracker.org/) or [MilkyTracker](https://milkytracker.org/) - Music Trackers
|
||||||
* [Zrythm](https://www.zrythm.org/en/index.html) or [LMMS](https://lmms.io/) - Digital Audio Workstations
|
* [Zrythm](https://www.zrythm.org/en/index.html) or [LMMS](https://lmms.io/) - Digital Audio Workstations
|
||||||
|
|
|
||||||
|
|
@ -113,7 +113,7 @@ Use this [browser extension](https://github.com/bpc-clone/bpc_updates/releases)
|
||||||
|
|
||||||
### Streaming
|
### Streaming
|
||||||
|
|
||||||
**[movie-web](https://erynith.github.io/movie-web-instances/) + [Add Sources](https://docs.sudo-flix.lol/extension) / [Binged](https://binged.live/) / [Braflix](https://www.braflix.so/) / [watch.lonelil](https://watch.lonelil.ru/) / [FMovies](https://fmovies24.to/)** - Fast movie / TV streaming
|
**[movie-web](https://erynith.github.io/movie-web-instances/) + [Add Sources](https://docs.sudo-flix.lol/extension) / [Braflix](https://www.braflix.so/) / [Binged](https://binged.live/) / [watch.lonelil](https://watch.lonelil.ru/) / [FMovies](https://fmovies24.to/)** - Fast movie / TV streaming
|
||||||
**[HiAnime](https://hianime.to/)** - Fast anime streaming
|
**[HiAnime](https://hianime.to/)** - Fast anime streaming
|
||||||
**[Dramacool](https://dramacool.cy/)** - Fast Asian drama streaming
|
**[Dramacool](https://dramacool.cy/)** - Fast Asian drama streaming
|
||||||
**[SportsSurge](https://sportsurge.net/)** - Live sports streaming
|
**[SportsSurge](https://sportsurge.net/)** - Live sports streaming
|
||||||
|
|
@ -130,7 +130,6 @@ Use this [browser extension](https://github.com/bpc-clone/bpc_updates/releases)
|
||||||
**[LRepacks](https://lrepacks.net/) / [CRACKSurl](https://cracksurl.com/) / [M0nkrus](https://w14.monkrus.ws/)** - Trusted software sites
|
**[LRepacks](https://lrepacks.net/) / [CRACKSurl](https://cracksurl.com/) / [M0nkrus](https://w14.monkrus.ws/)** - Trusted software sites
|
||||||
**[Pahe](https://pahe.ink/)** - Fast video downloads
|
**[Pahe](https://pahe.ink/)** - Fast video downloads
|
||||||
**[FitGirl Repacks](https://fitgirl-repacks.site/)** / [Discord](https://discord.gg/Up3YARe4RW) / **[SteamRIP](https://steamrip.com/)** - Game download sites
|
**[FitGirl Repacks](https://fitgirl-repacks.site/)** / [Discord](https://discord.gg/Up3YARe4RW) / **[SteamRIP](https://steamrip.com/)** - Game download sites
|
||||||
**[Vimms Lair](https://vimm.net/) / [No-Intro](https://rentry.co/FMHYBase64#no-intro)** - ROM download sites / [Emulators](https://emulation.gametechwiki.com/)
|
|
||||||
**[Firehawk52](https://rentry.org/firehawk52)** - Music ripping guide
|
**[Firehawk52](https://rentry.org/firehawk52)** - Music ripping guide
|
||||||
**[DoubleDouble](https://doubledouble.top/)** - Multi-Site audio download
|
**[DoubleDouble](https://doubledouble.top/)** - Multi-Site audio download
|
||||||
**[Soulseek](https://slsknet.org/)** or [Nicotine+](https://nicotine-plus.org/) - Audio download app
|
**[Soulseek](https://slsknet.org/)** or [Nicotine+](https://nicotine-plus.org/) - Audio download app
|
||||||
|
|
@ -163,7 +162,7 @@ Use this [browser extension](https://github.com/bpc-clone/bpc_updates/releases)
|
||||||
### Reading
|
### Reading
|
||||||
|
|
||||||
**[Mobilism](https://forum.mobilism.org) / [Library Genesis](https://libgen.rs/) / [Z-Library](https://singlelogin.re/) / [Annas Archive](https://annas-archive.org/)** - Books, audiobooks, comics & more
|
**[Mobilism](https://forum.mobilism.org) / [Library Genesis](https://libgen.rs/) / [Z-Library](https://singlelogin.re/) / [Annas Archive](https://annas-archive.org/)** - Books, audiobooks, comics & more
|
||||||
**[Audiobook Bay](https://audiobookbay.is/)** - Audiobook torrents / Avoid fake DL links, use [Torrents / Magnets](https://i.ibb.co/8sV2061/0fa8159b11bb.png)
|
**[Audiobook Bay](https://audiobookbay.is/)** - Audiobook torrents / **Avoid fake DL links, use [Torrents / Magnets](https://i.ibb.co/8sV2061/0fa8159b11bb.png)**
|
||||||
**[ReadComicsOnline](https://readcomiconline.li/)** - Read comics online
|
**[ReadComicsOnline](https://readcomiconline.li/)** - Read comics online
|
||||||
**[MangaReader](https://mangareader.to/)** - Read manga online
|
**[MangaReader](https://mangareader.to/)** - Read manga online
|
||||||
**[Reading CSE](https://cse.google.com/cse?cx=006516753008110874046:s9ddesylrm8) / [2](https://cse.google.com/cse?cx=006516753008110874046:rc855wetniu) / [3](https://cse.google.com/cse?cx=e9657e69c76480cb8) / [4](https://cse.google.com/cse?cx=c46414ccb6a943e39) / [5](https://ravebooksearch.com/)** - Multi-site book search
|
**[Reading CSE](https://cse.google.com/cse?cx=006516753008110874046:s9ddesylrm8) / [2](https://cse.google.com/cse?cx=006516753008110874046:rc855wetniu) / [3](https://cse.google.com/cse?cx=e9657e69c76480cb8) / [4](https://cse.google.com/cse?cx=c46414ccb6a943e39) / [5](https://ravebooksearch.com/)** - Multi-site book search
|
||||||
|
|
|
||||||
|
|
@ -229,6 +229,7 @@
|
||||||
* ↪️ **[Game Development Assets](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/storage/#wiki_game_development_assets)**
|
* ↪️ **[Game Development Assets](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/storage/#wiki_game_development_assets)**
|
||||||
* ⭐ **[SpriteFusion](https://www.spritefusion.com/)** - Tilemap Editor / [Discord](https://discord.gg/8sCEAspmBV)
|
* ⭐ **[SpriteFusion](https://www.spritefusion.com/)** - Tilemap Editor / [Discord](https://discord.gg/8sCEAspmBV)
|
||||||
* [PICO-8](https://mboffin.itch.io/pico8-educational-toolset) - Basic Game Development Concepts / [Web Version](https://www.pico-8-edu.com/)
|
* [PICO-8](https://mboffin.itch.io/pico8-educational-toolset) - Basic Game Development Concepts / [Web Version](https://www.pico-8-edu.com/)
|
||||||
|
* [From Zero To Hero](https://therealpenaz91.itch.io/2dgd-f0th) - 2D Game Development Book
|
||||||
* [SebastianLague](https://www.youtube.com/c/SebastianLague/playlists?view=50&sort=dd&shelf_id=4) - Game Development Tutorials
|
* [SebastianLague](https://www.youtube.com/c/SebastianLague/playlists?view=50&sort=dd&shelf_id=4) - Game Development Tutorials
|
||||||
* [Trig for Games](https://demoman.net/?a=trig-for-games) - Trigonometry Lessons for Games
|
* [Trig for Games](https://demoman.net/?a=trig-for-games) - Trigonometry Lessons for Games
|
||||||
* [Game Math](https://gamemath.com/book/intro.html) - Mathematics Lessons for Game Devs
|
* [Game Math](https://gamemath.com/book/intro.html) - Mathematics Lessons for Game Devs
|
||||||
|
|
@ -507,6 +508,7 @@
|
||||||
* [Machine Learning Roadmap](https://rentry.org/machine-learning-roadmap), [SAAYN](https://spreadsheets-are-all-you-need.ai/), [machine-learning-zoomcamp](https://github.com/DataTalksClub/machine-learning-zoomcamp) or [LLM Course](https://github.com/mlabonne/llm-course) - Learn Machine Learning
|
* [Machine Learning Roadmap](https://rentry.org/machine-learning-roadmap), [SAAYN](https://spreadsheets-are-all-you-need.ai/), [machine-learning-zoomcamp](https://github.com/DataTalksClub/machine-learning-zoomcamp) or [LLM Course](https://github.com/mlabonne/llm-course) - Learn Machine Learning
|
||||||
* [LLM Training](https://rentry.org/llm-training) - LLM Training Guide
|
* [LLM Training](https://rentry.org/llm-training) - LLM Training Guide
|
||||||
* [TeachableMachine](https://teachablemachine.withgoogle.com/) or [TensorFlow](https://www.tensorflow.org/) - Create Machine Learning Models
|
* [TeachableMachine](https://teachablemachine.withgoogle.com/) or [TensorFlow](https://www.tensorflow.org/) - Create Machine Learning Models
|
||||||
|
* [Google AI Studio](https://aistudio.google.com/) - Generative Model Prototyping
|
||||||
* [DVC](https://dvc.org/) - Machine Learning Version Control
|
* [DVC](https://dvc.org/) - Machine Learning Version Control
|
||||||
* [DeepSpeed](https://www.deepspeed.ai/) - Deep Learning Optimization Library
|
* [DeepSpeed](https://www.deepspeed.ai/) - Deep Learning Optimization Library
|
||||||
* [FlowiseAI](https://flowiseai.com/) - LLM Flow Visualization
|
* [FlowiseAI](https://flowiseai.com/) - LLM Flow Visualization
|
||||||
|
|
@ -577,6 +579,7 @@
|
||||||
* [Package Control](https://packagecontrol.io/) - Sublime Text Package Manager
|
* [Package Control](https://packagecontrol.io/) - Sublime Text Package Manager
|
||||||
* [editorcornfig](https://editorconfig.org/) - Maintain Code Styles Across Editors
|
* [editorcornfig](https://editorconfig.org/) - Maintain Code Styles Across Editors
|
||||||
* [ThemesElection](https://themeselection.com/), [NordTheme](https://www.nordtheme.com/) or [Dracula](https://draculatheme.com/) - Code Editor Themes
|
* [ThemesElection](https://themeselection.com/), [NordTheme](https://www.nordtheme.com/) or [Dracula](https://draculatheme.com/) - Code Editor Themes
|
||||||
|
* [Freeze](https://github.com/charmbracelet/freeze) - Generate Images of Code / Terminal Output
|
||||||
|
|
||||||
***
|
***
|
||||||
|
|
||||||
|
|
@ -686,7 +689,7 @@
|
||||||
* [Beej's Guides](https://www.beej.us/guide/) or [LearnByExample](https://learnbyexample.github.io/) - Programming Guides
|
* [Beej's Guides](https://www.beej.us/guide/) or [LearnByExample](https://learnbyexample.github.io/) - Programming Guides
|
||||||
* [HelloWorldCollection](http://helloworldcollection.de/) - Hello World Programming Collection
|
* [HelloWorldCollection](http://helloworldcollection.de/) - Hello World Programming Collection
|
||||||
* [CodeTriage](https://www.codetriage.com/) - Learn Coding by Building Projects
|
* [CodeTriage](https://www.codetriage.com/) - Learn Coding by Building Projects
|
||||||
* [Codecademy](https://www.codecademy.com/) - Coding Lessons
|
* [Codecademy](https://www.codecademy.com/) or [Coddy](https://coddy.tech/) - Coding Lessons
|
||||||
* [CodinGame](https://www.codingame.com/) - Games to Practice Coding / Programming
|
* [CodinGame](https://www.codingame.com/) - Games to Practice Coding / Programming
|
||||||
* [Advent of Code](https://adventofcode.com/) - Programming Puzzles
|
* [Advent of Code](https://adventofcode.com/) - Programming Puzzles
|
||||||
* [Karel The Robot](https://github.com/fredoverflow/karel) - Basic Programming Teaching Environment
|
* [Karel The Robot](https://github.com/fredoverflow/karel) - Basic Programming Teaching Environment
|
||||||
|
|
@ -1018,6 +1021,7 @@
|
||||||
* [OpenChakra](https://openchakra.app/) or [Plate](https://platejs.org/) - React Code Editors
|
* [OpenChakra](https://openchakra.app/) or [Plate](https://platejs.org/) - React Code Editors
|
||||||
* [React Suite](https://rsuitejs.com/) - React Components
|
* [React Suite](https://rsuitejs.com/) - React Components
|
||||||
* [Bulletproof React](https://github.com/alan2207/bulletproof-react) - React App Architecture
|
* [Bulletproof React](https://github.com/alan2207/bulletproof-react) - React App Architecture
|
||||||
|
* [React Native Apps](https://github.com/ReactNativeNews/React-Native-Apps/) - React App Examples
|
||||||
* [Aspect](https://sample-code.aspect.app/) - Copy React Code from Any Site
|
* [Aspect](https://sample-code.aspect.app/) - Copy React Code from Any Site
|
||||||
* [Refine](https://refine.dev/) or [GitWit](https://gitwit.dev/) - React App Builders
|
* [Refine](https://refine.dev/) or [GitWit](https://gitwit.dev/) - React App Builders
|
||||||
* [Alright](https://github.com/DoneDeal0/alright-react-app) - Generate React Apps
|
* [Alright](https://github.com/DoneDeal0/alright-react-app) - Generate React Apps
|
||||||
|
|
@ -1079,6 +1083,7 @@
|
||||||
* [Typeculator](https://typeculator.alexpaul.me/) - Type Scale Calculator
|
* [Typeculator](https://typeculator.alexpaul.me/) - Type Scale Calculator
|
||||||
* [WireFlow](https://wireflow.co/) - Flow Prototype Maker
|
* [WireFlow](https://wireflow.co/) - Flow Prototype Maker
|
||||||
* [Lenis](https://lenis.studiofreight.com/) - Smooth Scroll Library
|
* [Lenis](https://lenis.studiofreight.com/) - Smooth Scroll Library
|
||||||
|
* [AOS](https://michalsnik.github.io/aos/) - Animeate on Scroll Library
|
||||||
* [Open Source Guides](https://opensource.guide/) - Open Source Software Tips / [GitHub](https://github.com/github/opensource.guide)
|
* [Open Source Guides](https://opensource.guide/) - Open Source Software Tips / [GitHub](https://github.com/github/opensource.guide)
|
||||||
* [free-website-translation](http://free-website-translation.com/), [transdict](http://transdict.com/meta/website.html) or [conveythis](https://www.conveythis.com/) - Website Translators
|
* [free-website-translation](http://free-website-translation.com/), [transdict](http://transdict.com/meta/website.html) or [conveythis](https://www.conveythis.com/) - Website Translators
|
||||||
* [Statically](https://statically.io/) - Load Websites Faster
|
* [Statically](https://statically.io/) - Load Websites Faster
|
||||||
|
|
|
||||||
|
|
@ -95,6 +95,7 @@
|
||||||
* ⭐ **[FilePursuit](https://filepursuit.com)** - [Discord](https://discord.gg/xRfFd8h)
|
* ⭐ **[FilePursuit](https://filepursuit.com)** - [Discord](https://discord.gg/xRfFd8h)
|
||||||
* ⭐ **[4Shared](https://www.4shared.com/)**
|
* ⭐ **[4Shared](https://www.4shared.com/)**
|
||||||
* ⭐ **[Hatt](https://github.com/FrenchGithubUser/Hatt)** - File Search App
|
* ⭐ **[Hatt](https://github.com/FrenchGithubUser/Hatt)** - File Search App
|
||||||
|
* [Meawfy](https://meawfy.com/) - Mega.nz Search
|
||||||
* [File Host Search](https://cse.google.com/cse?cx=90a35b59cee2a42e1)
|
* [File Host Search](https://cse.google.com/cse?cx=90a35b59cee2a42e1)
|
||||||
* [scnlog](https://scnlog.me/)
|
* [scnlog](https://scnlog.me/)
|
||||||
* [filesearch.link](https://filesearch.link/)
|
* [filesearch.link](https://filesearch.link/)
|
||||||
|
|
@ -154,7 +155,7 @@
|
||||||
* [Rarewares](https://www.rarewares.org/) - Rare Software
|
* [Rarewares](https://www.rarewares.org/) - Rare Software
|
||||||
* [PLC4Me](https://plc4me.com/) - Automation Software
|
* [PLC4Me](https://plc4me.com/) - Automation Software
|
||||||
* [Software Heritage](https://www.softwareheritage.org/) - Software Source Code Archive
|
* [Software Heritage](https://www.softwareheritage.org/) - Software Source Code Archive
|
||||||
* [Team V.R releases](https://codec.kiev.ua/releases.html) - Professional Video, Audio & Adobe Software / Plugins
|
* [Team V.R releases](https://codec.kyiv.ua/releases.html) - Professional Video, Audio & Adobe Software / Plugins
|
||||||
* [WLSetup-All](https://rentry.co/FMHYBase64#wlsetup-all) - Windows Live Essentials 2012 Archive
|
* [WLSetup-All](https://rentry.co/FMHYBase64#wlsetup-all) - Windows Live Essentials 2012 Archive
|
||||||
* [GenP](https://www.reddit.com/r/GenP/wiki/index), [2](https://genpguides.github.io/) - Adobe Software Patcher / [Discord](https://discord.gg/BVBh2XVn9s)
|
* [GenP](https://www.reddit.com/r/GenP/wiki/index), [2](https://genpguides.github.io/) - Adobe Software Patcher / [Discord](https://discord.gg/BVBh2XVn9s)
|
||||||
* [ZXPInstaller](https://zxpinstaller.com/) - Adobe Extension Installer
|
* [ZXPInstaller](https://zxpinstaller.com/) - Adobe Extension Installer
|
||||||
|
|
@ -166,6 +167,7 @@
|
||||||
* 🌐 **[Awesome Open Source](https://awesomeopensource.com/)**, [OpenAlternative](https://openalternative.co/), [Opensource Builders](https://opensource.builders/), [OSSSoftware](https://osssoftware.org/), [Awesome OSS](https://github.com/RunaCapital/awesome-oss-alternatives), [Gadgeteer](https://gadgeteer.co.za/opensourcesoftware/) or [FossHub](https://www.fosshub.com/) - FOSS Indexes
|
* 🌐 **[Awesome Open Source](https://awesomeopensource.com/)**, [OpenAlternative](https://openalternative.co/), [Opensource Builders](https://opensource.builders/), [OSSSoftware](https://osssoftware.org/), [Awesome OSS](https://github.com/RunaCapital/awesome-oss-alternatives), [Gadgeteer](https://gadgeteer.co.za/opensourcesoftware/) or [FossHub](https://www.fosshub.com/) - FOSS Indexes
|
||||||
* 🌐 **[Awesome Free Software](https://github.com/johnjago/awesome-free-software)**, [Windows Ultimate Collection](https://xdaforums.com/t/windows-ultimate-collection-guides.4507867/), [Free Lunch](https://github.com/auctors/free-lunch), [MajorGeeks](https://www.majorgeeks.com/content/page/top_freeware_picks.html) or [TinyApps](https://tinyapps.org/) - Freeware Indexes
|
* 🌐 **[Awesome Free Software](https://github.com/johnjago/awesome-free-software)**, [Windows Ultimate Collection](https://xdaforums.com/t/windows-ultimate-collection-guides.4507867/), [Free Lunch](https://github.com/auctors/free-lunch), [MajorGeeks](https://www.majorgeeks.com/content/page/top_freeware_picks.html) or [TinyApps](https://tinyapps.org/) - Freeware Indexes
|
||||||
* 🌐 **[Awesome Selfhosted](https://awesome-selfhosted.net/)**, [2](https://gitlab.com/awesome-selfhosted/awesome-selfhosted) or [Selfh.st](https://selfh.st/apps/) - Selfhosted Software Indexes
|
* 🌐 **[Awesome Selfhosted](https://awesome-selfhosted.net/)**, [2](https://gitlab.com/awesome-selfhosted/awesome-selfhosted) or [Selfh.st](https://selfh.st/apps/) - Selfhosted Software Indexes
|
||||||
|
* 🌐 **[Adobe Alternatives](https://github.com/KenneyNL/Adobe-Alternatives)** - Adobe Software Alternative Index
|
||||||
* 🌐 **[Awesome Python Applications](https://github.com/mahmoud/awesome-python-applications)** - Python App Index
|
* 🌐 **[Awesome Python Applications](https://github.com/mahmoud/awesome-python-applications)** - Python App Index
|
||||||
* ↪️ **[Git Project Indexes](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/storage#wiki_git_projects)**
|
* ↪️ **[Git Project Indexes](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/storage#wiki_git_projects)**
|
||||||
* ↪️ **[Software Package Managers](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/system-tools#wiki_.25B7_package_managers)**
|
* ↪️ **[Software Package Managers](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/system-tools#wiki_.25B7_package_managers)**
|
||||||
|
|
|
||||||
|
|
@ -121,7 +121,7 @@
|
||||||
|
|
||||||
# ► Learning Sites
|
# ► Learning Sites
|
||||||
|
|
||||||
* 🌐 **[The Free Learning List](https://freelearninglist.org/)**, **[LearnAwesome](https://learnawesome.org/)**, [Learning Lab](https://learn.uno/), [Quester](https://quester.io/), [AFAIK](https://afaik.io/) / [Discord](https://discord.gg/mMNwRvWM8s), [TutorAI](https://www.tutorai.me/), [Learney](https://maps.joindeltaacademy.com/) or [WISC](https://www.wisc-online.com/) - Learning Resources
|
* 🌐 **[The Free Learning List](https://freelearninglist.org/)**, **[LearnAwesome](https://learnawesome.org/)**, [Learning Lab](https://learn.uno/), [Quester](https://quester.io/), [AFAIK](https://afaik.io/) / [Discord](https://discord.gg/mMNwRvWM8s), [TutorAI](https://www.tutorai.me/), [Learney](https://maps.joindeltaacademy.com/), [Learn Anything](https://learn-anything.xyz/) / [Free Method](https://rentry.co/FMHYBase64#learn-anything) or [WISC](https://www.wisc-online.com/) - Learning Resources
|
||||||
* 🌐 **[Awesome Educational Games](https://github.com/yrgo/awesome-educational-games)** - Educational Games Index
|
* 🌐 **[Awesome Educational Games](https://github.com/yrgo/awesome-educational-games)** - Educational Games Index
|
||||||
* ↪️ **[Ebook Sites](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/reading#wiki_.25BA_educational_books)**
|
* ↪️ **[Ebook Sites](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/reading#wiki_.25BA_educational_books)**
|
||||||
* ↪️ **[Typing Tests / Games](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/text-tools#wiki_.25B7_typing_lessons)**
|
* ↪️ **[Typing Tests / Games](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/text-tools#wiki_.25B7_typing_lessons)**
|
||||||
|
|
@ -338,6 +338,32 @@
|
||||||
|
|
||||||
***
|
***
|
||||||
|
|
||||||
|
## ▷ Chess
|
||||||
|
|
||||||
|
* 🌐 **[Awesome Chess](https://github.com/hkirat/awesome-chess)**, [ImmortalChess101](https://t.me/immortalchess101), [Chess Domi](https://t.me/Chess_Domi) or [Chess Resources](https://redd.it/u43nrc) - Chess Resources
|
||||||
|
* 🌐 **[/m/Chess](https://www.reddit.com/user/korfor/m/chess/)** or [/r/Chess](https://reddit.com/r/chess) - Chess Subreddits
|
||||||
|
* 🌐 **[/r/Chess Books](https://reddit.com/r/chess/wiki/books)** - Recommended Chess Books
|
||||||
|
* ⭐ **[Scid vs. PC](https://scidvspc.sourceforge.net/)** - Learn / Practice Chess
|
||||||
|
* [ChessLab](https://chesslab.me/) - Chess Lessons / [Discord](https://discord.com/invite/AA5G5f9wKC)
|
||||||
|
* [Chess Factor](https://www.chessfactor.com/) - Chess Lessons
|
||||||
|
* [List Study](https://listudy.org/en) - Chess Lessons
|
||||||
|
* [Chessable](https://www.chessable.com/) - Chess Lessons
|
||||||
|
* [TheChessWebsite](https://www.thechesswebsite.com/) - Learn / Practice Chess
|
||||||
|
* [Chess Tempo](https://chesstempo.com/) - Chess Practice
|
||||||
|
* [Lucas Chess](https://lucaschess.pythonanywhere.com/) - Chess Practice
|
||||||
|
* [Chess Coach](https://rentry.co/FMHYBase64#chess-coach) - Chess Coaching App
|
||||||
|
* [Chessercise](https://www.chessercise.xyz/) - Chess Game / Move Analysis
|
||||||
|
* [Game Report](https://chess.wintrcat.uk/) - Chess Game / Move Analysis
|
||||||
|
* [Decode Chess](https://app.decodechess.com/) - Chess Game / Move Analysis
|
||||||
|
* [En Croissant](https://encroissant.org/) - Chess Game / Move Analysis
|
||||||
|
* [Chess Vision](https://chessvision.ai/) - Chess Game / Move Analysis
|
||||||
|
* [OpeningTree](https://www.openingtree.com/) - Download / Visualize Chess Games
|
||||||
|
* [Chess Monitor](https://www.chessmonitor.com/) - Track Chess Analytics
|
||||||
|
* [2700chess](https://2700chess.com/) - Live Chess Player Ratings
|
||||||
|
* [Bill Wall's Chess Page](http://billwall.phpwebhosting.com/) or [365Chess](https://www.365chess.com/) - Chess History / Lessons
|
||||||
|
|
||||||
|
***
|
||||||
|
|
||||||
## ▷ Quote Indexes
|
## ▷ Quote Indexes
|
||||||
|
|
||||||
* ⭐ **[Wikiquote](https://en.wikiquote.org)**
|
* ⭐ **[Wikiquote](https://en.wikiquote.org)**
|
||||||
|
|
@ -616,10 +642,13 @@
|
||||||
* [Emergency Medicine Cases](https://emergencymedicinecases.com/) - EM Case Index
|
* [Emergency Medicine Cases](https://emergencymedicinecases.com/) - EM Case Index
|
||||||
* [EMCrit](https://emcrit.org/) - Emergency Medicine Information
|
* [EMCrit](https://emcrit.org/) - Emergency Medicine Information
|
||||||
* [EMRap](https://www.emrap.org/hd) - Emergency Medicine Videos
|
* [EMRap](https://www.emrap.org/hd) - Emergency Medicine Videos
|
||||||
|
* [Calgary Guide](https://calgaryguide.ucalgary.ca/) - Disease Pathophysiology / Manifestation Flow-Charts
|
||||||
* [Radiopaedia](https://radiopaedia.org/), [Radiology Assistant.nl](https://radiologyassistant.nl/) or [Radiology Education](https://www.radiologyeducation.com/) - Radiology Resources
|
* [Radiopaedia](https://radiopaedia.org/), [Radiology Assistant.nl](https://radiologyassistant.nl/) or [Radiology Education](https://www.radiologyeducation.com/) - Radiology Resources
|
||||||
* [Pathology Outlines](https://www.pathologyoutlines.com/) - Pathology Info
|
* [Pathology Outlines](https://www.pathologyoutlines.com/) - Pathology Info
|
||||||
* [University of Utah Pathology](https://webpath.med.utah.edu/webpath.html) - Pathology Guide
|
* [University of Utah Pathology](https://webpath.med.utah.edu/webpath.html) - Pathology Guide
|
||||||
* [The Iowa Virtual Slidebox](https://www.mbfbioscience.com/iowavirtualslidebox) - Pathology Atlas Software
|
* [The Iowa Virtual Slidebox](https://www.mbfbioscience.com/iowavirtualslidebox) - Pathology Atlas Software
|
||||||
|
* [Passmedicine](https://www.passmedicine.com/ucat/) - UCAT Practice Questions
|
||||||
|
* [UCAT Score](https://codepen.io/souramoo/full/OJMQzVm) - UCAT Score Converter
|
||||||
* [/r/medicalschoolanki](https://www.reddit.com/r/medicalschoolanki/) - Community for Medical Anki Cards
|
* [/r/medicalschoolanki](https://www.reddit.com/r/medicalschoolanki/) - Community for Medical Anki Cards
|
||||||
* [CRAM.com](https://www.cram.com/medical) - Medical Flashcards
|
* [CRAM.com](https://www.cram.com/medical) - Medical Flashcards
|
||||||
|
|
||||||
|
|
@ -932,3 +961,4 @@
|
||||||
* [Synonym.com](https://www.synonym.com/) - Synonyms
|
* [Synonym.com](https://www.synonym.com/) - Synonyms
|
||||||
* [Feeels](https://feelu.vercel.app/) - Emotion Synonym Chart
|
* [Feeels](https://feelu.vercel.app/) - Emotion Synonym Chart
|
||||||
* [KnowYourMeme](https://knowyourmeme.com/) - Meme Database
|
* [KnowYourMeme](https://knowyourmeme.com/) - Meme Database
|
||||||
|
* [Pronouns List](https://pronounslist.com/) - List of Prefferred Pronouns
|
||||||
|
|
|
||||||
|
|
@ -36,13 +36,13 @@
|
||||||
|
|
||||||
## ▷ Download Managers
|
## ▷ Download Managers
|
||||||
|
|
||||||
|
* ⭐ **[IDM](https://rentry.co/FMHYBase64#idm)** - Download Manager
|
||||||
* ⭐ **[JDownloader](https://jdownloader.org/jdownloader2)** - Download Manager / [Debloat](https://rentry.org/jdownloader2) / [Captcha Solver](https://github.com/cracker0dks/CaptchaSolver) / [Dark Theme](https://redd.it/q3xrgj) / [Dracula Theme](https://draculatheme.com/jdownloader2)
|
* ⭐ **[JDownloader](https://jdownloader.org/jdownloader2)** - Download Manager / [Debloat](https://rentry.org/jdownloader2) / [Captcha Solver](https://github.com/cracker0dks/CaptchaSolver) / [Dark Theme](https://redd.it/q3xrgj) / [Dracula Theme](https://draculatheme.com/jdownloader2)
|
||||||
* ⭐ **[XDM](https://xtremedownloadmanager.com/)** - Download Manager / [GitHub](https://github.com/subhra74/xdm)
|
* ⭐ **[XDM](https://xtremedownloadmanager.com/)** - Download Manager / [GitHub](https://github.com/subhra74/xdm)
|
||||||
* ⭐ **[Motrix](https://www.motrix.app/)** - Download Manager / [GitHub](https://github.com/agalwood/Motrix)
|
* ⭐ **[Motrix](https://www.motrix.app/)** - Download Manager / [GitHub](https://github.com/agalwood/Motrix)
|
||||||
* ⭐ **[Gopeed](https://gopeed.com/)** - Download Manager / [GitHub](https://github.com/GopeedLab/gopeed) / [Extension](https://github.com/GopeedLab/browser-extension) / [Plugins](https://github.com/search?q=topic%3Agopeed-extension&type=repositories)
|
* ⭐ **[Gopeed](https://gopeed.com/)** - Download Manager / [GitHub](https://github.com/GopeedLab/gopeed) / [Extension](https://github.com/GopeedLab/browser-extension) / [Plugins](https://github.com/search?q=topic%3Agopeed-extension&type=repositories)
|
||||||
* [aria2](https://aria2.github.io/) - Terminal Download Manager / [Screenshot](https://i.ibb.co/SmsxmW3/3e213c54b148.png) / [GitHub](https://github.com/aria2/aria2) / [Download Bot](https://github.com/gaowanliang/DownloadBot) / [GUI](https://github.com/persepolisdm/persepolis) / [Frontend](https://ariang.mayswind.net/) / [WebUI](https://github.com/ziahamza/webui-aria2) / [GUI](https://persepolisdm.github.io/)
|
* [aria2](https://aria2.github.io/) - Terminal Download Manager / [Screenshot](https://i.ibb.co/SmsxmW3/3e213c54b148.png) / [GitHub](https://github.com/aria2/aria2) / [Download Bot](https://github.com/gaowanliang/DownloadBot) / [GUI](https://github.com/persepolisdm/persepolis) / [Frontend](https://ariang.mayswind.net/) / [WebUI](https://github.com/ziahamza/webui-aria2) / [GUI](https://persepolisdm.github.io/)
|
||||||
* [FDM](https://www.freedownloadmanager.org/) - Download Manager / [YTDL Addon](https://github.com/meowcateatrat/elephant) / [Note](https://pastebin.com/Vgwf3avH)
|
* [FDM](https://www.freedownloadmanager.org/) - Download Manager / [YTDL Addon](https://github.com/meowcateatrat/elephant) / [Note](https://pastebin.com/Vgwf3avH)
|
||||||
* [IDM](https://rentry.co/FMHYBase64#idm) - Download Manager
|
|
||||||
* [pyLoad](https://pyload.net/) - Lightweight Download Manager
|
* [pyLoad](https://pyload.net/) - Lightweight Download Manager
|
||||||
* [File Centipede](https://filecxx.com/) - Upload / Download Manager
|
* [File Centipede](https://filecxx.com/) - Upload / Download Manager
|
||||||
* [DownThemAll](https://www.downthemall.org/) or [Turbo Download Manager](https://add0n.com/turbo-download-manager-v2.html) / [GitHub](https://github.com/inbasic/turbo-download-manager-v2/) - Download Management Extensions
|
* [DownThemAll](https://www.downthemall.org/) or [Turbo Download Manager](https://add0n.com/turbo-download-manager-v2.html) / [GitHub](https://github.com/inbasic/turbo-download-manager-v2/) - Download Management Extensions
|
||||||
|
|
|
||||||
|
|
@ -35,13 +35,14 @@
|
||||||
* [GamePCFull](https://gamepcfull.com/) - Download
|
* [GamePCFull](https://gamepcfull.com/) - Download
|
||||||
* [AWTDG](https://awtdg.site/) - Download / [Discord](https://discord.gg/kApRXRjJ7A)
|
* [AWTDG](https://awtdg.site/) - Download / [Discord](https://discord.gg/kApRXRjJ7A)
|
||||||
* [IRC Games](https://redd.it/x804wg) - Download Games via IRC
|
* [IRC Games](https://redd.it/x804wg) - Download Games via IRC
|
||||||
* [itch.io](https://itch.io/games/new-and-popular/featured/free), [Gamdie](https://gamdie.com/), [DigiPen](https://games.digipen.edu/) or [Game Jolt](https://gamejolt.com/games?price=free) - Indie Games
|
* [itch.io](https://itch.io/games/new-and-popular/featured/free), [Killed By A Pixel](https://frankforce.com/all-games/), [Gamdie](https://gamdie.com/), [DigiPen](https://games.digipen.edu/) or [Game Jolt](https://gamejolt.com/games?price=free) - Indie Games
|
||||||
* itch.io Tools - [Downloader](https://github.com/Emersont1/itchio) / [Desktop](https://github.com/itchio/itch) / [Auto-Claim](https://github.com/Smart123s/ItchClaim)
|
* itch.io Tools - [Downloader](https://github.com/Emersont1/itchio) / [Desktop](https://github.com/itchio/itch) / [Auto-Claim](https://github.com/Smart123s/ItchClaim)
|
||||||
* [Alpha Beta Gamer](https://alphabetagamer.com/) - Play Games in Alpha / Beta Testing
|
* [Alpha Beta Gamer](https://alphabetagamer.com/) - Play Games in Alpha / Beta Testing
|
||||||
* [RPG Maker Games](https://rpgmaker.net/games/?name_filter=&engine=&status=&rating=&commercial=exclude&sort=&portal=None) - Games made via RPG Maker
|
* [RPG Maker Games](https://rpgmaker.net/games/?name_filter=&engine=&status=&rating=&commercial=exclude&sort=&portal=None) - Games made via RPG Maker
|
||||||
* [Locomalito](https://locomalito.com/) - Classic Game Remakes
|
* [Locomalito](https://locomalito.com/) - Classic Game Remakes
|
||||||
* [Necromanthus](https://necromanthus.com/) - 3D Shockwave Games
|
* [Necromanthus](https://necromanthus.com/) - 3D Shockwave Games
|
||||||
* [VGPErson](https://vgperson.com/games/) - Simple Japanese Games
|
* [VGPErson](https://vgperson.com/games/) - Simple Japanese Games
|
||||||
|
* [Clone Hero](https://clonehero.net/) - Guitar Hero Clone / [Setlists](https://rentry.co/FMHYBase64#setlists), [2](https://customsongscentral.com/), [3](https://rentry.co/FMHYBase64#frif-drive) / [Wii Controller Support](https://github.com/Meowmaritus/WiitarThing) / [Custom Client](https://clonehero.scorespy.online)
|
||||||
* [DoujinStyle](https://doujinstyle.com) - Doujin Games / [Discord](https://discord.com/invite/z2QDFdA)
|
* [DoujinStyle](https://doujinstyle.com) - Doujin Games / [Discord](https://discord.com/invite/z2QDFdA)
|
||||||
* [MoriyaShrine](https://moriyashrine.org/) - Touhou Games
|
* [MoriyaShrine](https://moriyashrine.org/) - Touhou Games
|
||||||
* [GrimReaper's Scene ISO Collection](https://archive.org/details/@waffess) - ISO Collection
|
* [GrimReaper's Scene ISO Collection](https://archive.org/details/@waffess) - ISO Collection
|
||||||
|
|
@ -106,7 +107,7 @@
|
||||||
* [ECWolf](https://maniacsvault.net/ecwolf/) - Wolfenstein 3D, Spear of Destiny & Super 3D Noah's Ark Port
|
* [ECWolf](https://maniacsvault.net/ecwolf/) - Wolfenstein 3D, Spear of Destiny & Super 3D Noah's Ark Port
|
||||||
* [IOQuake3](https://ioquake3.org/) - Quake 3 Source Port / [GitHub](https://github.com/ioquake/ioq3)
|
* [IOQuake3](https://ioquake3.org/) - Quake 3 Source Port / [GitHub](https://github.com/ioquake/ioq3)
|
||||||
* [YQuake2](https://www.yamagi.org/quake2/) - Quake 2 Source Port / [GitHub](https://github.com/yquake2/yquake2)
|
* [YQuake2](https://www.yamagi.org/quake2/) - Quake 2 Source Port / [GitHub](https://github.com/yquake2/yquake2)
|
||||||
* [Xonotic](https://xonotic.org/) - Open-source modified Quake engine FPS
|
* [Xonotic](https://xonotic.org/) - Open-source Modified Quake Engine FPS
|
||||||
* [Silent Hill 2: Enhanced Edition](https://enhanced.townofsilenthill.com/SH2/) - Silent Hill 2 Mod Project
|
* [Silent Hill 2: Enhanced Edition](https://enhanced.townofsilenthill.com/SH2/) - Silent Hill 2 Mod Project
|
||||||
* [Aleph One](https://alephone.lhowon.org/) - Open-Source Marathon Continuation
|
* [Aleph One](https://alephone.lhowon.org/) - Open-Source Marathon Continuation
|
||||||
* [REDRIVER2](https://github.com/OpenDriver2/REDRIVER2) - Driver 2 PC Port
|
* [REDRIVER2](https://github.com/OpenDriver2/REDRIVER2) - Driver 2 PC Port
|
||||||
|
|
@ -128,7 +129,6 @@
|
||||||
* [Pac-Man](https://github.com/masonicGIT/pacman) - Pac-Man w/ Added Features
|
* [Pac-Man](https://github.com/masonicGIT/pacman) - Pac-Man w/ Added Features
|
||||||
* [SpaceCadetPinball](https://github.com/k4zmu2a/SpaceCadetPinball) - Space Cadet Pinball / [Android](https://github.com/fexed/Pinball-on-Android)
|
* [SpaceCadetPinball](https://github.com/k4zmu2a/SpaceCadetPinball) - Space Cadet Pinball / [Android](https://github.com/fexed/Pinball-on-Android)
|
||||||
* [Visual Pinball](https://github.com/vpinball/vpinball) - Pinball Table Editor / Simulator / [Tables](https://www.vpforums.org/)
|
* [Visual Pinball](https://github.com/vpinball/vpinball) - Pinball Table Editor / Simulator / [Tables](https://www.vpforums.org/)
|
||||||
* [Clone Hero](https://clonehero.net/) - Guitar Hero Clone / [Setlists](https://rentry.co/FMHYBase64#setlists), [2](https://customsongscentral.com/), [3](https://rentry.co/FMHYBase64#frif-drive) / [Wii Controller Support](https://github.com/Meowmaritus/WiitarThing) / [Custom Client](https://clonehero.scorespy.online)
|
|
||||||
* [YARC-Official](https://github.com/YARC-Official) - Rock Band Clone / [Launcher](https://github.com/YARC-Official/YARC-Launcher/releases)
|
* [YARC-Official](https://github.com/YARC-Official) - Rock Band Clone / [Launcher](https://github.com/YARC-Official/YARC-Launcher/releases)
|
||||||
* [ITGmania](https://www.itgmania.com/) - DDR Clone
|
* [ITGmania](https://www.itgmania.com/) - DDR Clone
|
||||||
* [beatoraja](https://mocha-repository.info/) - BMS Player as Alternative to IIDX / [beatoraja English Guide](https://github.com/wcko87/beatoraja-english-guide/wiki)
|
* [beatoraja](https://mocha-repository.info/) - BMS Player as Alternative to IIDX / [beatoraja English Guide](https://github.com/wcko87/beatoraja-english-guide/wiki)
|
||||||
|
|
@ -175,8 +175,9 @@
|
||||||
* 🌐 **[Multiplayer Emulation](https://emulation.gametechwiki.com/index.php/Netplay)** - Multiplayer Emulation Tools
|
* 🌐 **[Multiplayer Emulation](https://emulation.gametechwiki.com/index.php/Netplay)** - Multiplayer Emulation Tools
|
||||||
* ↪️ **[Android Emulators](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/android#wiki_.25BA_android_emulators)**
|
* ↪️ **[Android Emulators](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/android#wiki_.25BA_android_emulators)**
|
||||||
* ⭐ **[Recommended Emulator Specs](https://emulation.gametechwiki.com/index.php/Computer_specs)**
|
* ⭐ **[Recommended Emulator Specs](https://emulation.gametechwiki.com/index.php/Computer_specs)**
|
||||||
* ⭐ **[Emulator BIOS Files](https://emulation.gametechwiki.com/index.php/Emulator_files)**
|
* ⭐ **[Emulator BIOS Files](https://emulation.gametechwiki.com/index.php/Emulator_files)** / **[Firmware Files](https://rentry.co/FMHYBase64#console-firmware)** / [2](https://rentry.co/FMHYBase64#sigmapatches)
|
||||||
* ⭐ **[Skraper](https://www.skraper.net/)** - ROM Cover / Metadata Scraper
|
* ⭐ **[Skraper](https://www.skraper.net/)** - ROM Cover / Metadata Scraper
|
||||||
|
* ⭐ **[RetroAchievements](https://retroachievements.org/)** - Achievements for Emulators
|
||||||
* ⭐ **[Dolphin Guide](https://github.com/shiiion/dolphin/wiki/Performance-Guide)** - Dolphin Setup Guide
|
* ⭐ **[Dolphin Guide](https://github.com/shiiion/dolphin/wiki/Performance-Guide)** - Dolphin Setup Guide
|
||||||
* ⭐ **[Cemu Guide](https://cemu.cfw.guide/)** or [/r/CemuPiracy Tutorial](https://www.reddit.com/r/CemuPiracy/wiki/tutorial/) - WiiU / BOTW Setup Guides
|
* ⭐ **[Cemu Guide](https://cemu.cfw.guide/)** or [/r/CemuPiracy Tutorial](https://www.reddit.com/r/CemuPiracy/wiki/tutorial/) - WiiU / BOTW Setup Guides
|
||||||
* ⭐ **[Switch Emu Guide](https://github.com/Abd-007/Switch-Emulators-Guide)** or [Ryujinx Guide](https://docs.google.com/document/d/1prxOJaE4WhPeYNHW17W5UaWZxDgB8e5wNHxt2O4FKvs/) - Switch Emulator Setup Guides
|
* ⭐ **[Switch Emu Guide](https://github.com/Abd-007/Switch-Emulators-Guide)** or [Ryujinx Guide](https://docs.google.com/document/d/1prxOJaE4WhPeYNHW17W5UaWZxDgB8e5wNHxt2O4FKvs/) - Switch Emulator Setup Guides
|
||||||
|
|
@ -195,7 +196,6 @@
|
||||||
* [PictoChat Online](https://pict.chat/) - Browser DS PictoChat
|
* [PictoChat Online](https://pict.chat/) - Browser DS PictoChat
|
||||||
* [Mudlet](https://www.mudlet.org/) - Text Adventure Game Platform
|
* [Mudlet](https://www.mudlet.org/) - Text Adventure Game Platform
|
||||||
* [webnofrendo](https://zardam.github.io/webnofrendo/) - NES Numworks Emulator
|
* [webnofrendo](https://zardam.github.io/webnofrendo/) - NES Numworks Emulator
|
||||||
* [RetroAchievements](https://retroachievements.org/) - Achievements for Emulators
|
|
||||||
|
|
||||||
***
|
***
|
||||||
|
|
||||||
|
|
@ -211,11 +211,11 @@
|
||||||
* ⭐ **[ROM Heaven](https://romheaven.com/)**, [2](https://romheaven.su) - ROMs
|
* ⭐ **[ROM Heaven](https://romheaven.com/)**, [2](https://romheaven.su) - ROMs
|
||||||
* ⭐ **[CrocDB](https://crocdb.net/)** - Emulators / ROMs
|
* ⭐ **[CrocDB](https://crocdb.net/)** - Emulators / ROMs
|
||||||
* ⭐ **[CDRomance](https://cdromance.org/)** - ROMs / [Discord](https://cdromance.org/discord)
|
* ⭐ **[CDRomance](https://cdromance.org/)** - ROMs / [Discord](https://cdromance.org/discord)
|
||||||
* ⭐ **[Vimms Lair](https://vimm.net/)** - Emulators / ROMs
|
|
||||||
* ⭐ **[Gnarly Repacks](https://rentry.co/FMHYBase64#gnarly_repacks)** - ROMs / Emulator Repacks
|
* ⭐ **[Gnarly Repacks](https://rentry.co/FMHYBase64#gnarly_repacks)** - ROMs / Emulator Repacks
|
||||||
* ⭐ **[ROMhacking](https://www.romhacking.net/)** or [Reality Incorporated](https://sites.google.com/view/bonmarioinc/rom-hacks/released-rom-hacks) - ROM Fan Translations
|
* ⭐ **[ROMhacking](https://www.romhacking.net/)** or [Reality Incorporated](https://sites.google.com/view/bonmarioinc/rom-hacks/released-rom-hacks) - ROM Fan Translations
|
||||||
* ⭐ **[WiiUDownloader](https://github.com/Xpl0itU/WiiUDownloader)**, [WiiUSBHelper](https://github.com/FailedShack/USBHelperInstaller/releases), [WiiU ROMs](https://wiiuroms.net/) or [JNUSTool](https://gbatemp.net/threads/jnustool-nusgrabber-and-cdecrypt-combined.413179/) - ROMs / Wii U
|
* ⭐ **[WiiUDownloader](https://github.com/Xpl0itU/WiiUDownloader)**, [WiiUSBHelper](https://github.com/FailedShack/USBHelperInstaller/releases), [WiiU ROMs](https://wiiuroms.net/) or [JNUSTool](https://gbatemp.net/threads/jnustool-nusgrabber-and-cdecrypt-combined.413179/) - ROMs / Wii U
|
||||||
* [/r/ROMs](https://www.reddit.com/r/ROMs/) - Discussion Sub
|
* [/r/ROMs](https://www.reddit.com/r/ROMs/) - Discussion Sub
|
||||||
|
* [Vimms Lair](https://vimm.net/) - Emulators / ROMs
|
||||||
* [ROM-Collections](https://rentry.co/ROM-Collections) - ROMs
|
* [ROM-Collections](https://rentry.co/ROM-Collections) - ROMs
|
||||||
* [WowROMs](https://wowroms.com/en) - ROMs
|
* [WowROMs](https://wowroms.com/en) - ROMs
|
||||||
* [Edge Emulation](https://edgeemu.net/) - ROMs
|
* [Edge Emulation](https://edgeemu.net/) - ROMs
|
||||||
|
|
@ -408,17 +408,16 @@
|
||||||
* ⭐ **[Codenames](https://codenames.game/)** - Party Card Games
|
* ⭐ **[Codenames](https://codenames.game/)** - Party Card Games
|
||||||
* ⭐ **[GarticPhone](https://garticphone.com/)** - Telephone Game
|
* ⭐ **[GarticPhone](https://garticphone.com/)** - Telephone Game
|
||||||
* ⭐ **[skribbl](https://skribbl.io/)**, [Sketchful](https://sketchful.io/), [Drawize](https://www.drawize.com/) or [Gartic](https://gartic.io/) - Drawing / Guessing Game / Multiplayer
|
* ⭐ **[skribbl](https://skribbl.io/)**, [Sketchful](https://sketchful.io/), [Drawize](https://www.drawize.com/) or [Gartic](https://gartic.io/) - Drawing / Guessing Game / Multiplayer
|
||||||
|
* [Bloob.io](https://bloob.io/) - Multiple Games
|
||||||
|
* [Gidd.io](https://gidd.io/) - Multiple Games
|
||||||
* [Pixoguess](https://pixoguess.io/) - Guess Pixelated Images
|
* [Pixoguess](https://pixoguess.io/) - Guess Pixelated Images
|
||||||
* [Gpop.io](https://gpop.io/) - Rhythm Game
|
* [Gpop.io](https://gpop.io/) - Rhythm Game
|
||||||
* [Bloob.io](https://bloob.io/)
|
* [Spyfall](https://www.spyfall.app/) - Spy Party Game
|
||||||
* [Betrayal](https://betrayal.io/) - Among Us Clone
|
* [Betrayal](https://betrayal.io/) - Among Us Clone
|
||||||
* [Death by AI](https://deathbyai.gg/) - Survival Plan Game
|
* [Death by AI](https://deathbyai.gg/) - Survival Plan Game
|
||||||
* [Smash Karts](https://smashkarts.io/) - Kart Battles
|
* [Smash Karts](https://smashkarts.io/) - Kart Battles
|
||||||
* [Plink](http://labs.dinahmoe.com/plink/) - Music Game
|
* [Plink](http://labs.dinahmoe.com/plink/) - Music Game
|
||||||
* [Make It Meme](https://makeitmeme.com/) - Meme Party Game
|
* [Make It Meme](https://makeitmeme.com/) - Meme Party Game
|
||||||
* [PlayingCards](https://playingcards.io/)
|
|
||||||
* [JKLM.FUN](https://jklm.fun/)
|
|
||||||
* [Gidd.io](https://gidd.io/)
|
|
||||||
* [tix.tax](https://tix.tax/) - Tic-Tac-Toe
|
* [tix.tax](https://tix.tax/) - Tic-Tac-Toe
|
||||||
|
|
||||||
***
|
***
|
||||||
|
|
@ -499,6 +498,7 @@
|
||||||
* ⭐ **[WorldOfCardGames](https://worldofcardgames.com/)**, [CardGames.io](https://cardgames.io/), [247Games](https://www.247games.com/), [CardzMania](https://www.cardzmania.com/) or [World of Solitaire](https://worldofsolitaire.com/) - Multiplayer Card Games
|
* ⭐ **[WorldOfCardGames](https://worldofcardgames.com/)**, [CardGames.io](https://cardgames.io/), [247Games](https://www.247games.com/), [CardzMania](https://www.cardzmania.com/) or [World of Solitaire](https://worldofsolitaire.com/) - Multiplayer Card Games
|
||||||
* [FlyOrDie](https://www.flyordie.com/) - Multiplayer Card Games
|
* [FlyOrDie](https://www.flyordie.com/) - Multiplayer Card Games
|
||||||
* [Playok](https://www.playok.com/) - Multiplayer Card Games
|
* [Playok](https://www.playok.com/) - Multiplayer Card Games
|
||||||
|
* [PlayingCards](https://playingcards.io/) - Multiplayer Card Games
|
||||||
* [Richup](https://richup.io/) - Monopoly-Style Board Game
|
* [Richup](https://richup.io/) - Monopoly-Style Board Game
|
||||||
* [Rally The Troops](https://www.rally-the-troops.com/) - Historical Board Games / [Discord](https://discord.gg/CBrTh8k84A)
|
* [Rally The Troops](https://www.rally-the-troops.com/) - Historical Board Games / [Discord](https://discord.gg/CBrTh8k84A)
|
||||||
* [AllBad.Cards](https://bad.cards/) - Cards Against Humanity Online
|
* [AllBad.Cards](https://bad.cards/) - Cards Against Humanity Online
|
||||||
|
|
@ -519,13 +519,10 @@
|
||||||
|
|
||||||
## ▷ Strategy
|
## ▷ Strategy
|
||||||
|
|
||||||
* 🌐 **[Awesome Chess](https://github.com/hkirat/awesome-chess)**, [ImmortalChess101](https://t.me/immortalchess101), [Chess Domi](https://t.me/Chess_Domi) or [Chess Resources](https://redd.it/u43nrc) - Chess Resources
|
* ↪️ **[Chess Learning Resources](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/edu#wiki_.25B7_chess)**
|
||||||
* 🌐 **[/m/Chess](https://www.reddit.com/user/korfor/m/chess/)** or [/r/Chess](https://reddit.com/r/chess) - Chess Subreddits
|
|
||||||
* 🌐 **[/r/Chess Books](https://reddit.com/r/chess/wiki/books)** - Recommended Chess Books
|
|
||||||
* ⭐ **[lichess](https://lichess.org/)**, [GameKnot Chess](https://gameknot.com/), [SparkChess](https://www.sparkchess.com/) or [Chess.com](https://www.chess.com/) - Chess Platforms
|
* ⭐ **[lichess](https://lichess.org/)**, [GameKnot Chess](https://gameknot.com/), [SparkChess](https://www.sparkchess.com/) or [Chess.com](https://www.chess.com/) - Chess Platforms
|
||||||
* ⭐ **lichess Tools** - [Mobile](https://lichess.org/mobile) / [Customize](https://prettierlichess.github.io/) / [Leagues](https://www.lichess4545.com/)
|
* ⭐ **lichess Tools** - [Mobile](https://lichess.org/mobile) / [Customize](https://prettierlichess.github.io/) / [Leagues](https://www.lichess4545.com/)
|
||||||
* ⭐ **[Super Auto Pets](https://teamwood.itch.io/super-auto-pets)** - Pet Battle Game
|
* ⭐ **[Super Auto Pets](https://teamwood.itch.io/super-auto-pets)** - Pet Battle Game
|
||||||
* ⭐ **[Scid vs. PC](https://scidvspc.sourceforge.net/)**, [TheChessWebsite](https://www.thechesswebsite.com/), [Chess Tempo](https://chesstempo.com/), [Chessercise](https://www.chessercise.xyz/), [ChessLab](https://chesslab.me/) / [Discord](https://discord.com/invite/AA5G5f9wKC), [Lucas Chess](https://lucaschess.pythonanywhere.com/) or [List Study](https://listudy.org/en) - Learn / Practice Chess
|
|
||||||
* [Warzone](https://www.warzone.com/) - RISK Clone
|
* [Warzone](https://www.warzone.com/) - RISK Clone
|
||||||
* [Neptune's Pride](https://np4.ironhelmet.com/) - Space Strategy game
|
* [Neptune's Pride](https://np4.ironhelmet.com/) - Space Strategy game
|
||||||
* [generals.io](https://generals.io/) - War Strategy Game
|
* [generals.io](https://generals.io/) - War Strategy Game
|
||||||
|
|
@ -534,12 +531,6 @@
|
||||||
* [Kung Fu Chess](https://www.kfchess.com/) - Real-Time Chess without Turns
|
* [Kung Fu Chess](https://www.kfchess.com/) - Real-Time Chess without Turns
|
||||||
* [PokemonChess](https://pokemonchess.com/) - Pokémon Style Chess / [Discord](https://discord.gg/fp5bcCqg8q)
|
* [PokemonChess](https://pokemonchess.com/) - Pokémon Style Chess / [Discord](https://discord.gg/fp5bcCqg8q)
|
||||||
* [Laser](https://playlaser.xyz/) - Alt Style Chess
|
* [Laser](https://playlaser.xyz/) - Alt Style Chess
|
||||||
* [Chess Monitor](https://www.chessmonitor.com/) - Track Chess Analytics
|
|
||||||
* [2700chess](https://2700chess.com/) - Live Chess Player Ratings
|
|
||||||
* [OpeningTree](https://www.openingtree.com/) - Download / Visualize Chess Games
|
|
||||||
* [Game Report](https://chess.wintrcat.uk/), [Decode Chess](https://app.decodechess.com/), [En Croissant](https://encroissant.org/) or [Chess Vision](https://chessvision.ai/) - Chess Game / Move Analysis
|
|
||||||
* [Bill Wall's Chess Page](http://billwall.phpwebhosting.com/) or [365Chess](https://www.365chess.com/) - Chess History / Lessons
|
|
||||||
* [Chessable](https://www.chessable.com/ ) or [Chess Factor](https://www.chessfactor.com/) - Chess Courses
|
|
||||||
* [Chess Base](https://chessbase.in/) / [2](https://en.chessbase.com/) - Indian Chess News
|
* [Chess Base](https://chessbase.in/) / [2](https://en.chessbase.com/) - Indian Chess News
|
||||||
* [Lidraughts](https://lidraughts.org/) - Multiplayer Checkers
|
* [Lidraughts](https://lidraughts.org/) - Multiplayer Checkers
|
||||||
|
|
||||||
|
|
@ -576,7 +567,6 @@
|
||||||
* [picture dots](https://www.picturedots.com/) - Make & Play Dot Puzzles
|
* [picture dots](https://www.picturedots.com/) - Make & Play Dot Puzzles
|
||||||
* [MakeAWordSearch](http://www.makeawordsearch.net/) - Word Search Creator
|
* [MakeAWordSearch](http://www.makeawordsearch.net/) - Word Search Creator
|
||||||
* [RobinWords](https://www.robinwords.com/) - Word Ladder Game
|
* [RobinWords](https://www.robinwords.com/) - Word Ladder Game
|
||||||
* [Sqword](https://www.sqword.com/) or [Pixletters](https://pixletters.com/) - Word Games
|
|
||||||
* [Oh, My Dots!](https://www.ohmydots.com/) - Connect the Dots Game
|
* [Oh, My Dots!](https://www.ohmydots.com/) - Connect the Dots Game
|
||||||
* [Kuku Kube](https://kuku-kube.com/) - Find the Different Squares
|
* [Kuku Kube](https://kuku-kube.com/) - Find the Different Squares
|
||||||
* [MazeGenerator](https://www.mazegenerator.net/), [Maze Toys](https://maze.toys/) or [Maze](https://www.epgsoft.com/maze/) - Maze Generators
|
* [MazeGenerator](https://www.mazegenerator.net/), [Maze Toys](https://maze.toys/) or [Maze](https://www.epgsoft.com/maze/) - Maze Generators
|
||||||
|
|
@ -655,7 +645,10 @@
|
||||||
* 🌐 **[Awesome Wordle](https://github.com/prakhar897/awesome-wordle)** - Wordle Game Index
|
* 🌐 **[Awesome Wordle](https://github.com/prakhar897/awesome-wordle)** - Wordle Game Index
|
||||||
* ⭐ **[Wordle](https://www.nytimes.com/games/wordle/index.html)** - Original Wordle
|
* ⭐ **[Wordle](https://www.nytimes.com/games/wordle/index.html)** - Original Wordle
|
||||||
* ⭐ **[Wordles of the World](https://rwmpelstilzchen.gitlab.io/wordles/)** - [Analyzer](https://wordle-analyzer.com/)
|
* ⭐ **[Wordles of the World](https://rwmpelstilzchen.gitlab.io/wordles/)** - [Analyzer](https://wordle-analyzer.com/)
|
||||||
|
* [JKLM.FUN](https://jklm.fun/) - Multiplayer Word Guessing Game
|
||||||
|
* [Sqword](https://www.sqword.com/)
|
||||||
* [Wordle Unlimited](https://wordleunlimited.org/)
|
* [Wordle Unlimited](https://wordleunlimited.org/)
|
||||||
|
* [Pixletters](https://pixletters.com/)
|
||||||
* [Alphabeticle](https://alphabeticle.xyz/)
|
* [Alphabeticle](https://alphabeticle.xyz/)
|
||||||
* [WordMaze](https://wordmaze.click/)
|
* [WordMaze](https://wordmaze.click/)
|
||||||
* [WordleGame](https://wordlegame.org/)
|
* [WordleGame](https://wordlegame.org/)
|
||||||
|
|
|
||||||
|
|
@ -134,19 +134,17 @@
|
||||||
* ↪️ **[Browser Startpages](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/storage#wiki_browser_startpages)**
|
* ↪️ **[Browser Startpages](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/storage#wiki_browser_startpages)**
|
||||||
* ⭐ **[Linktree](https://linktr.ee/)**
|
* ⭐ **[Linktree](https://linktr.ee/)**
|
||||||
* ⭐ **[Linkstack](https://linkstack.org)** or [LittleLink](https://littlelink.io/) - Self-hosted
|
* ⭐ **[Linkstack](https://linkstack.org)** or [LittleLink](https://littlelink.io/) - Self-hosted
|
||||||
|
* ⭐ **[Bio Link](https://bio.link/)**
|
||||||
* [Beacons](https://beacons.ai/)
|
* [Beacons](https://beacons.ai/)
|
||||||
* [Carrd](https://carrd.co/)
|
* [Carrd](https://carrd.co/)
|
||||||
* [Bio Link](https://bio.link/)
|
|
||||||
* [Ayo](https://ayo.so/)
|
* [Ayo](https://ayo.so/)
|
||||||
* [ContactInBio](https://www.contactinbio.com/)
|
* [ContactInBio](https://www.contactinbio.com/)
|
||||||
* [Campsite.bio](https://campsite.bio/)
|
* [Campsite.bio](https://campsite.bio/)
|
||||||
* [Horizon Bio](https://hrzn.bio/)
|
* [Horizon Bio](https://hrzn.bio/)
|
||||||
* [BioDrop](https://www.biodrop.io/)
|
|
||||||
* [Taplink](https://taplink.at/)
|
* [Taplink](https://taplink.at/)
|
||||||
* [Solo](https://solo.to/)
|
|
||||||
* [Linkezo](https://linkezo.com/)
|
* [Linkezo](https://linkezo.com/)
|
||||||
* [LinkBun](https://linkbun.io)
|
|
||||||
* [Linkr](https://linkr.com/)
|
* [Linkr](https://linkr.com/)
|
||||||
|
* [LinkBun](https://linkbun.io)
|
||||||
* [seemless](https://www.linkinbio.website/) - Link in Bio for Tiktok & Instagram
|
* [seemless](https://www.linkinbio.website/) - Link in Bio for Tiktok & Instagram
|
||||||
* [itsmy.fyi](https://itsmy.fyi/) - Create Homepage via Github Issues / [Github](https://github.com/rishi-raj-jain/itsmy.fyi)
|
* [itsmy.fyi](https://itsmy.fyi/) - Create Homepage via Github Issues / [Github](https://github.com/rishi-raj-jain/itsmy.fyi)
|
||||||
|
|
||||||
|
|
@ -318,6 +316,7 @@
|
||||||
## ▷ Chat Tools
|
## ▷ Chat Tools
|
||||||
|
|
||||||
* ↪️ **[IRC Clients / Tools](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/download#wiki_.25B7_irc_tools)**
|
* ↪️ **[IRC Clients / Tools](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/download#wiki_.25B7_irc_tools)**
|
||||||
|
* ↪️ **[Chat Service Comparisons](https://docs.google.com/spreadsheets/u/0/d/1-UlA4-tslROBDS9IqHalWVztqZo7uxlCeKPQ-8uoFOU)**
|
||||||
* ⭐ **[Mumble](https://www.mumble.info/)**, [Jam](https://jam.systems/), [TeaSpeak](https://teaspeak.de/gb/), [TeamSpeak](https://www.teamspeak.com/) / [Warning](https://pastebin.com/479TbKq5), [Zoiper](https://www.zoiper.com/) or [Google Voice](https://voice.google.com/) - Voice Chat
|
* ⭐ **[Mumble](https://www.mumble.info/)**, [Jam](https://jam.systems/), [TeaSpeak](https://teaspeak.de/gb/), [TeamSpeak](https://www.teamspeak.com/) / [Warning](https://pastebin.com/479TbKq5), [Zoiper](https://www.zoiper.com/) or [Google Voice](https://voice.google.com/) - Voice Chat
|
||||||
* ⭐ **[Hack.chat](https://hack.chat/)**, [Shick](https://shick.me/), [LeapChat](https://www.leapchat.org/), [Yap](https://yap.chat/), [Convene](https://letsconvene.im/), [Stinto](https://stin.to/en) or [tik.io](https://tlk.io/) - Minimal Account Free Chats
|
* ⭐ **[Hack.chat](https://hack.chat/)**, [Shick](https://shick.me/), [LeapChat](https://www.leapchat.org/), [Yap](https://yap.chat/), [Convene](https://letsconvene.im/), [Stinto](https://stin.to/en) or [tik.io](https://tlk.io/) - Minimal Account Free Chats
|
||||||
* ⭐ **[Gajim](https://gajim.org/)** or [xabber](https://www.xabber.com/) - XMPP Clients
|
* ⭐ **[Gajim](https://gajim.org/)** or [xabber](https://www.xabber.com/) - XMPP Clients
|
||||||
|
|
@ -643,7 +642,7 @@
|
||||||
* [I still don't care about cookies](https://github.com/OhMyGuus/I-Still-Dont-Care-About-Cookies) or [Consent-O-matic](https://consentomatic.au.dk/) / [2](https://github.com/cavi-au/Consent-O-Matic) - Block Cookie Consent Popups
|
* [I still don't care about cookies](https://github.com/OhMyGuus/I-Still-Dont-Care-About-Cookies) or [Consent-O-matic](https://consentomatic.au.dk/) / [2](https://github.com/cavi-au/Consent-O-Matic) - Block Cookie Consent Popups
|
||||||
* [EditThisCookie](https://www.editthiscookie.com/) or [Cookie-Editor](https://cookie-editor.cgagnier.ca/) - Cookies Managers
|
* [EditThisCookie](https://www.editthiscookie.com/) or [Cookie-Editor](https://cookie-editor.cgagnier.ca/) - Cookies Managers
|
||||||
* [Get-cookies.txt](https://github.com/kairi003/Get-cookies.txt-LOCALLY) or [ExportCookies](https://github.com/rotemdan/ExportCookies) - Cookies Exporters
|
* [Get-cookies.txt](https://github.com/kairi003/Get-cookies.txt-LOCALLY) or [ExportCookies](https://github.com/rotemdan/ExportCookies) - Cookies Exporters
|
||||||
* [Link Gopher](https://sites.google.com/site/linkgopher/) or [CopyLinks++](https://github.com/MichelePezza/CopyLinksplusplus) - Extract Links from Webpages
|
* [Link Gopher](https://sites.google.com/site/linkgopher/), [Copy Selected Links](https://addons.mozilla.org/en-US/firefox/addon/copy-selected-links/) or [CopyLinks++](https://github.com/MichelePezza/CopyLinksplusplus) - Extract / Copy Links on Webpages
|
||||||
* [Distil](https://distill.io/) or [Update Scanner](https://sneakypete81.github.io/updatescanner/) - Page Change Detection / Notification
|
* [Distil](https://distill.io/) or [Update Scanner](https://sneakypete81.github.io/updatescanner/) - Page Change Detection / Notification
|
||||||
* [Offline Mode](https://mybrowseraddon.com/offline-mode.html) - Disconnect Browser from the Internet
|
* [Offline Mode](https://mybrowseraddon.com/offline-mode.html) - Disconnect Browser from the Internet
|
||||||
* [Page Edit](https://mybrowseraddon.com/page-edit.html) - Turn Webpages into Editable Documents
|
* [Page Edit](https://mybrowseraddon.com/page-edit.html) - Turn Webpages into Editable Documents
|
||||||
|
|
@ -702,6 +701,7 @@
|
||||||
* [AutoPagerize Advanced](https://addons.mozilla.org/en-US/firefox/addon/autopagerizeadvanced/) - Merge Multiple Pages
|
* [AutoPagerize Advanced](https://addons.mozilla.org/en-US/firefox/addon/autopagerizeadvanced/) - Merge Multiple Pages
|
||||||
* [Profile Switcher](https://github.com/null-dev/firefox-profile-switcher) - Profile Manager
|
* [Profile Switcher](https://github.com/null-dev/firefox-profile-switcher) - Profile Manager
|
||||||
* [Always Visible](https://addons.mozilla.org/en-US/firefox/addon/always-visible/) - Always Active / On-Top Window
|
* [Always Visible](https://addons.mozilla.org/en-US/firefox/addon/always-visible/) - Always Active / On-Top Window
|
||||||
|
* [600% Sound Volume](https://addons.mozilla.org/en-US/firefox/addon/600-sound-volume/) - Volume Booster
|
||||||
* [SoundFixer](https://github.com/valpackett/soundfixer) - Fixes Audio Playing in one Channel
|
* [SoundFixer](https://github.com/valpackett/soundfixer) - Fixes Audio Playing in one Channel
|
||||||
* [Mute Sites By Default](https://github.com/abba23/mute-sites-by-default) - Mute All Sites by Default
|
* [Mute Sites By Default](https://github.com/abba23/mute-sites-by-default) - Mute All Sites by Default
|
||||||
* [Read Aloud](https://readaloud.app/) - Text to Speech
|
* [Read Aloud](https://readaloud.app/) - Text to Speech
|
||||||
|
|
|
||||||
|
|
@ -123,11 +123,11 @@
|
||||||
* 🌐 **[Wayland Compositor Index](https://wiki.archlinux.org/title/Wayland#Compositors)** - List of Wayland Compositors
|
* 🌐 **[Wayland Compositor Index](https://wiki.archlinux.org/title/Wayland#Compositors)** - List of Wayland Compositors
|
||||||
* ⭐ **[awesomewm](https://github.com/awesomeWM/awesome)** - Window Manager / [Arch Wiki](https://wiki.archlinux.org/title/Awesome)
|
* ⭐ **[awesomewm](https://github.com/awesomeWM/awesome)** - Window Manager / [Arch Wiki](https://wiki.archlinux.org/title/Awesome)
|
||||||
* ⭐ **[Hyprland](https://hyprland.org/)** - Wayland Compositor / [Arch Wiki](https://wiki.archlinux.org/title/Hyprland)
|
* ⭐ **[Hyprland](https://hyprland.org/)** - Wayland Compositor / [Arch Wiki](https://wiki.archlinux.org/title/Hyprland)
|
||||||
|
* ⭐ **[Sway](https://github.com/swaywm/sway)** or [SwayFx](https://github.com/WillPower3309/swayfx) - i3-compatible Wayland Compositor / [Arch Wiki](https://wiki.archlinux.org/title/Sway)
|
||||||
* [dwm](https://dwm.suckless.org) - Window Manager / [Arch Wiki](https://wiki.archlinux.org/title/Dwm)
|
* [dwm](https://dwm.suckless.org) - Window Manager / [Arch Wiki](https://wiki.archlinux.org/title/Dwm)
|
||||||
* [qtile](https://qtile.org/) - Window Manager / [Arch Wiki](https://wiki.archlinux.org/title/Qtile)
|
* [qtile](https://qtile.org/) - Window Manager / [Arch Wiki](https://wiki.archlinux.org/title/Qtile)
|
||||||
* [xmonad](https://xmonad.org/) - Window Manager / [Arch Wiki](https://wiki.archlinux.org/title/Xmonad)
|
* [xmonad](https://xmonad.org/) - Window Manager / [Arch Wiki](https://wiki.archlinux.org/title/Xmonad)
|
||||||
* [bspwm](https://github.com/baskerville/bspwm) - Tiling Window Manager / [Binds](https://github.com/baskerville/sxhkd) / [Arch Wiki](https://wiki.archlinux.org/title/Bspwm)
|
* [bspwm](https://github.com/baskerville/bspwm) - Tiling Window Manager / [Binds](https://github.com/baskerville/sxhkd) / [Arch Wiki](https://wiki.archlinux.org/title/Bspwm)
|
||||||
* [Sway](https://github.com/swaywm/sway) or [SwayFx](https://github.com/WillPower3309/swayfx) - i3-compatible Wayland Compositor / [Arch Wiki](https://wiki.archlinux.org/title/Sway)
|
|
||||||
|
|
||||||
***
|
***
|
||||||
|
|
||||||
|
|
@ -184,6 +184,7 @@
|
||||||
* ⭐ **[Kapital Sin](https://www.kapitalsin.com/forum/index.php?board=5.0)** / Use [Translator](https://github.com/FilipePS/Traduzir-paginas-web#install)
|
* ⭐ **[Kapital Sin](https://www.kapitalsin.com/forum/index.php?board=5.0)** / Use [Translator](https://github.com/FilipePS/Traduzir-paginas-web#install)
|
||||||
* ⭐ **[RuTracker](https://rutracker.org/forum/viewforum.php?f=1381)** / [Translator](https://github.com/FilipePS/Traduzir-paginas-web#install) / [Wiki](http://rutracker.wiki/) / [Rules](https://rutracker.org/forum/viewtopic.php?t=1045)
|
* ⭐ **[RuTracker](https://rutracker.org/forum/viewforum.php?f=1381)** / [Translator](https://github.com/FilipePS/Traduzir-paginas-web#install) / [Wiki](http://rutracker.wiki/) / [Rules](https://rutracker.org/forum/viewtopic.php?t=1045)
|
||||||
* ⭐ **[Linux Software CSE](https://cse.google.com/cse?cx=81bd91729fe2a412b)** - Multi-Site Software Search
|
* ⭐ **[Linux Software CSE](https://cse.google.com/cse?cx=81bd91729fe2a412b)** - Multi-Site Software Search
|
||||||
|
* [KDE Applications](https://apps.kde.org/) - KDE Apps
|
||||||
* [The Book of Secret Knowledge](https://github.com/trimstray/the-book-of-secret-knowledge)
|
* [The Book of Secret Knowledge](https://github.com/trimstray/the-book-of-secret-knowledge)
|
||||||
* [Ultimate Cheatsheet](https://gist.github.com/bgoonz/be5c5be77169ef333b431bc37d331176)
|
* [Ultimate Cheatsheet](https://gist.github.com/bgoonz/be5c5be77169ef333b431bc37d331176)
|
||||||
* [ArchWiki List of Applications](https://wiki.archlinux.org/title/list_of_applications)
|
* [ArchWiki List of Applications](https://wiki.archlinux.org/title/list_of_applications)
|
||||||
|
|
@ -193,12 +194,11 @@
|
||||||
* [Flatpak](https://flatpak.org/) or [Flathub](https://flathub.org/) - Flatpak App Repositories
|
* [Flatpak](https://flatpak.org/) or [Flathub](https://flathub.org/) - Flatpak App Repositories
|
||||||
* [SnapCraft](https://snapcraft.io/store) - Snap Repository
|
* [SnapCraft](https://snapcraft.io/store) - Snap Repository
|
||||||
* [GearLever](https://flathub.org/apps/it.mijorus.gearlever) or [AppImageLauncher](https://github.com/TheAssassin/AppImageLauncher) - Appimage Managers
|
* [GearLever](https://flathub.org/apps/it.mijorus.gearlever) or [AppImageLauncher](https://github.com/TheAssassin/AppImageLauncher) - Appimage Managers
|
||||||
* [NixOS](https://nixos.org/) / [Manager](https://github.com/nix-community/home-manager), [AppImagePool](https://github.com/prateekmedia/appimagepool), [Zap](https://zap.srev.in) / [GitHub](https://github.com/srevinsaju/zap), [pkgx](https://pkgx.sh/), [AM-Application-Manager](https://github.com/ivan-hc/AM-Application-Manager) or [Homebrew](https://brew.sh/) - Package Managers
|
* [NixOS](https://nixos.org/) / [Manager](https://github.com/nix-community/home-manager), [AppImagePool](https://github.com/prateekmedia/appimagepool), [Zap](https://zap.srev.in) / [GitHub](https://github.com/srevinsaju/zap), [pkgx](https://pkgx.sh/), [AM](https://github.com/ivan-hc/AM) or [Homebrew](https://brew.sh/) - Package Managers
|
||||||
* [cheat.sh](http://cheat.sh/) - App Repos
|
* [cheat.sh](http://cheat.sh/) - App Repos
|
||||||
* [AppImageHub](https://www.appimagehub.com/), [AppImages](https://appimage.github.io/) or [Get AppImage](https://g.srev.in/get-appimage/) - Download Appimages
|
* [AppImageHub](https://www.appimagehub.com/), [AppImages](https://appimage.github.io/) or [Get AppImage](https://g.srev.in/get-appimage/) - Download Appimages
|
||||||
* [yay](https://github.com/Jguer/yay), [paru](https://github.com/morganamilo/paru) or [aura](https://fosskers.github.io/aura/) - Arch User Repository Helpers
|
* [yay](https://github.com/Jguer/yay), [paru](https://github.com/morganamilo/paru) or [aura](https://fosskers.github.io/aura/) - Arch User Repository Helpers
|
||||||
* [Apps for GNOME](https://apps.gnome.org/) - GNOME Apps
|
* [Apps for GNOME](https://apps.gnome.org/) - GNOME Apps
|
||||||
* [KDE Applications](https://apps.kde.org/) - KDE Apps
|
|
||||||
* [IzzySoft Apt Repositories](https://apt.izzysoft.de/)
|
* [IzzySoft Apt Repositories](https://apt.izzysoft.de/)
|
||||||
* [Repology](https://repology.org/) - Package Repository Tracker
|
* [Repology](https://repology.org/) - Package Repository Tracker
|
||||||
* [emplace](https://github.com/tversteeg/emplace) - System Package Sync
|
* [emplace](https://github.com/tversteeg/emplace) - System Package Sync
|
||||||
|
|
@ -238,6 +238,7 @@
|
||||||
* [Rhythmbox](https://wiki.gnome.org/Apps/Rhythmbox) - Audio Player
|
* [Rhythmbox](https://wiki.gnome.org/Apps/Rhythmbox) - Audio Player
|
||||||
* [Amberol](https://gitlab.gnome.org/World/amberol) - Audio Player
|
* [Amberol](https://gitlab.gnome.org/World/amberol) - Audio Player
|
||||||
* [Subsonic](https://github.com/twostraws/Subsonic) - Audio Player
|
* [Subsonic](https://github.com/twostraws/Subsonic) - Audio Player
|
||||||
|
* [Fooyin](https://github.com/ludouzi/fooyin) - Audio Player
|
||||||
* [g4music](https://gitlab.gnome.org/neithern/g4music) - Audio Player
|
* [g4music](https://gitlab.gnome.org/neithern/g4music) - Audio Player
|
||||||
* [dopamine](https://github.com/digimezzo/dopamine) - Audio Player
|
* [dopamine](https://github.com/digimezzo/dopamine) - Audio Player
|
||||||
* [AudioTube](https://invent.kde.org/multimedia/audiotube) - Audio Player
|
* [AudioTube](https://invent.kde.org/multimedia/audiotube) - Audio Player
|
||||||
|
|
@ -413,10 +414,11 @@ Linux Gaming Guide
|
||||||
* ⭐ **[Warpinator](https://github.com/linuxmint/warpinator)**, [rQuickshare](https://github.com/Martichou/rquickshare), [Magic Wormhole](https://github.com/magic-wormhole/magic-wormhole), [syncthing](https://syncthing.net/), [portal](https://github.com/SpatiumPortae/portal), [Zrok](https://zrok.io/), [Celeste](https://flathub.org/apps/details/com.hunterwittenborn.Celeste) / [2](https://snapcraft.io/celeste) or [Sharing](https://github.com/parvardegr/sharing) - File Sync Apps
|
* ⭐ **[Warpinator](https://github.com/linuxmint/warpinator)**, [rQuickshare](https://github.com/Martichou/rquickshare), [Magic Wormhole](https://github.com/magic-wormhole/magic-wormhole), [syncthing](https://syncthing.net/), [portal](https://github.com/SpatiumPortae/portal), [Zrok](https://zrok.io/), [Celeste](https://flathub.org/apps/details/com.hunterwittenborn.Celeste) / [2](https://snapcraft.io/celeste) or [Sharing](https://github.com/parvardegr/sharing) - File Sync Apps
|
||||||
* ⭐ **[Baobab](https://gitlab.gnome.org/GNOME/baobab)** - Disk Usage Analyzer
|
* ⭐ **[Baobab](https://gitlab.gnome.org/GNOME/baobab)** - Disk Usage Analyzer
|
||||||
* [ANGRYsearch](https://github.com/DoTheEvo/ANGRYsearch), [CatCLI](https://github.com/deadc0de6/catcli), [xplr](https://xplr.dev/) / [GitHub](https://github.com/sayanarijit/xplr) / [Discord](https://discord.com/invite/JmasSPCcz3), [logo-ls](https://github.com/Yash-Handa/logo-ls), [ugrep](https://ugrep.com) / [GitHub](https://github.com/Genivia/ugrep) or [Achoz](https://github.com/kcubeterm/achoz) - File Explorers
|
* [ANGRYsearch](https://github.com/DoTheEvo/ANGRYsearch), [CatCLI](https://github.com/deadc0de6/catcli), [xplr](https://xplr.dev/) / [GitHub](https://github.com/sayanarijit/xplr) / [Discord](https://discord.com/invite/JmasSPCcz3), [logo-ls](https://github.com/Yash-Handa/logo-ls), [ugrep](https://ugrep.com) / [GitHub](https://github.com/Genivia/ugrep) or [Achoz](https://github.com/kcubeterm/achoz) - File Explorers
|
||||||
|
* ⭐ **[lf](https://github.com/gokcehan/lf)**, [ranger](https://ranger.fm), [nnn](https://github.com/jarun/nnn), [clifm](https://github.com/leo-arch/clifm), [fm](https://github.com/mistakenelf/fm), [Superfile](https://github.com/yorukot/superfile), [Joshuto](https://github.com/kamiyaa/joshuto), [gdu](https://github.com/dundee/gdu) or [NCDU](https://dev.yorhel.nl/ncdu) - Terminal File Manager / Disk Usage Analyzers
|
||||||
|
* [Dolphin](https://userbase.kde.org/Dolphin) or [SpaceFM](https://ignorantguru.github.io/spacefm/) - File Managers
|
||||||
* [Collector](https://mijorus.it/projects/collector/) - File Drag & Drop
|
* [Collector](https://mijorus.it/projects/collector/) - File Drag & Drop
|
||||||
* [Bash Upload](https://bashupload.com/) - Bash File Upload 50GB / 3 days
|
* [Bash Upload](https://bashupload.com/) - Bash File Upload 50GB / 3 days
|
||||||
* [z](https://github.com/rupa/z) - Track Most used Directories
|
* [z](https://github.com/rupa/z) - Track Most used Directories
|
||||||
* [Dolphin](https://userbase.kde.org/Dolphin) or [SpaceFM](https://ignorantguru.github.io/spacefm/) - File Managers
|
|
||||||
* [p7zip](https://p7zip.sourceforge.net/), [GNU Gzip](https://www.gnu.org/software/gzip/) or [pigz](https://zlib.net/pigz/) - File Archivers / Unzippers
|
* [p7zip](https://p7zip.sourceforge.net/), [GNU Gzip](https://www.gnu.org/software/gzip/) or [pigz](https://zlib.net/pigz/) - File Archivers / Unzippers
|
||||||
* [Pika Backup](https://gitlab.gnome.org/World/pika-backup/) - File Backup Tool
|
* [Pika Backup](https://gitlab.gnome.org/World/pika-backup/) - File Backup Tool
|
||||||
* [Curlew](https://curlew.sourceforge.io/) - File Converter
|
* [Curlew](https://curlew.sourceforge.io/) - File Converter
|
||||||
|
|
@ -439,7 +441,6 @@ Linux Gaming Guide
|
||||||
* 🌐 **[Awesome TUIs](https://github.com/rothgar/awesome-tuis)** or [TerminalTrove](https://terminaltrove.com/) - List of TUIs
|
* 🌐 **[Awesome TUIs](https://github.com/rothgar/awesome-tuis)** or [TerminalTrove](https://terminaltrove.com/) - List of TUIs
|
||||||
* ↪️ **[Linux Shell Index](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/storage#wiki_command_line_shells)** or [Modern Unix](https://github.com/ibraheemdev/modern-unix)
|
* ↪️ **[Linux Shell Index](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/storage#wiki_command_line_shells)** or [Modern Unix](https://github.com/ibraheemdev/modern-unix)
|
||||||
* ↪️ **[Bash / CLI Cheat Sheets](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/storage#wiki_cli_cheat_sheets)**
|
* ↪️ **[Bash / CLI Cheat Sheets](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/storage#wiki_cli_cheat_sheets)**
|
||||||
* ⭐ **[lf](https://github.com/gokcehan/lf)**, [ranger](https://ranger.fm), [nnn](https://github.com/jarun/nnn), [clifm](https://github.com/leo-arch/clifm), [fm](https://github.com/mistakenelf/fm), [Joshuto](https://github.com/kamiyaa/joshuto), [gdu](https://github.com/dundee/gdu) or [NCDU](https://dev.yorhel.nl/ncdu) - Terminal File Manager / Disk Usage Analyzers
|
|
||||||
* ⭐ **[Alacritty](https://alacritty.org)**, **[Kitty](https://sw.kovidgoyal.net/kitty/overview/)**, [Simple Terminal](https://st.suckless.org/), [Wave](https://www.waveterm.dev/), [yakuake](https://apps.kde.org/yakuake/), [emacs-eat](https://codeberg.org/akib/emacs-eat) or [tabby](https://tabby.sh/) - Linux Terminals
|
* ⭐ **[Alacritty](https://alacritty.org)**, **[Kitty](https://sw.kovidgoyal.net/kitty/overview/)**, [Simple Terminal](https://st.suckless.org/), [Wave](https://www.waveterm.dev/), [yakuake](https://apps.kde.org/yakuake/), [emacs-eat](https://codeberg.org/akib/emacs-eat) or [tabby](https://tabby.sh/) - Linux Terminals
|
||||||
* ⭐ **[Shell GPT](https://github.com/TheR1D/shell_gpt)** - CLI AI
|
* ⭐ **[Shell GPT](https://github.com/TheR1D/shell_gpt)** - CLI AI
|
||||||
* [utils](https://github.com/Loupeznik/utils) or [UsefulLinuxShellScripts](https://github.com/jackrabbit335/UsefulLinuxShellScripts) - Linux Shell Tool Scripts
|
* [utils](https://github.com/Loupeznik/utils) or [UsefulLinuxShellScripts](https://github.com/jackrabbit335/UsefulLinuxShellScripts) - Linux Shell Tool Scripts
|
||||||
|
|
@ -544,7 +545,7 @@ Linux Gaming Guide
|
||||||
* [Clean-Me](https://kevin-de-koninck.github.io/Clean-Me/) or [Pearcleaner](https://github.com/alienator88/Pearcleaner) - System Cleanup / Uninstallers
|
* [Clean-Me](https://kevin-de-koninck.github.io/Clean-Me/) or [Pearcleaner](https://github.com/alienator88/Pearcleaner) - System Cleanup / Uninstallers
|
||||||
* [What Route](https://whatroute.net/) - Network Diagnostic Tool
|
* [What Route](https://whatroute.net/) - Network Diagnostic Tool
|
||||||
* [Kexts](https://www.tonymacx86.com/resources/categories/kexts.11/) - UEFI Kexts
|
* [Kexts](https://www.tonymacx86.com/resources/categories/kexts.11/) - UEFI Kexts
|
||||||
* [File Find](https://gitlab.com/Pixel-Mqster/File-Find) - File Explorer / Manager
|
* [File Find](https://gitlab.com/Pixel-Mqster/File-Find) or [Superfile](https://github.com/yorukot/superfile) - File Explorer / Managers
|
||||||
* [Download Shuttle](https://apps.apple.com/in/app/download-shuttle-fast-file/id847809913) or [Progressive Downloader](https://macpsd.net/) - File Download Manager
|
* [Download Shuttle](https://apps.apple.com/in/app/download-shuttle-fast-file/id847809913) or [Progressive Downloader](https://macpsd.net/) - File Download Manager
|
||||||
* [FlyingCarpet](https://github.com/spieglt/FlyingCarpet) - Cross-Platform AirDrop / [Guide](https://redd.it/vthltc)
|
* [FlyingCarpet](https://github.com/spieglt/FlyingCarpet) - Cross-Platform AirDrop / [Guide](https://redd.it/vthltc)
|
||||||
* [Adobe Creative Cloud](https://rentry.co/FMHYBase64#adobe-after-effects-collection) - Adobe CC Guides
|
* [Adobe Creative Cloud](https://rentry.co/FMHYBase64#adobe-after-effects-collection) - Adobe CC Guides
|
||||||
|
|
|
||||||
21
MISCGuide.md
21
MISCGuide.md
|
|
@ -797,7 +797,8 @@
|
||||||
* 🌐 **[/r/PersonalFinance Wiki](https://old.reddit.com/r/personalfinance/wiki/index)** or [UK Personal Finance](https://ukpersonal.finance/) - Financial Advice / Resources
|
* 🌐 **[/r/PersonalFinance Wiki](https://old.reddit.com/r/personalfinance/wiki/index)** or [UK Personal Finance](https://ukpersonal.finance/) - Financial Advice / Resources
|
||||||
* 🌐 **[KYCNOT.ME](https://kycnot.me/)** - Non-KYC Exchanges / Services
|
* 🌐 **[KYCNOT.ME](https://kycnot.me/)** - Non-KYC Exchanges / Services
|
||||||
* ⭐ **[TradingView](https://www.tradingview.com/)**, [Candle](https://gitlab.com/cosmosapps/candle), [finviz](https://finviz.com/) or [Markets.sh](https://markets.sh/) - Stock Market Trackers
|
* ⭐ **[TradingView](https://www.tradingview.com/)**, [Candle](https://gitlab.com/cosmosapps/candle), [finviz](https://finviz.com/) or [Markets.sh](https://markets.sh/) - Stock Market Trackers
|
||||||
* [Maybe](https://hello.maybe.co/), [Ghostfolio](https://ghostfol.io/), [HomeBank](https://www.gethomebank.org/en/index.php), [Firefly III](https://firefly-iii.org/), [Money Manager EX](https://moneymanagerex.org/), [Paisa](https://github.com/RetroMusicPlayer/Paisa) or [Actual](https://github.com/actualbudget/actual) - Finance Managers
|
* ⭐ **[Ghostfolio](https://ghostfol.io/)** / [Import](https://github.com/dickwolff/Export-To-Ghostfolio), [Maybe](https://hello.maybe.co/), [HomeBank](https://www.gethomebank.org/en/index.php), [Firefly III](https://firefly-iii.org/), [Money Manager EX](https://moneymanagerex.org/), [Paisa](https://github.com/RetroMusicPlayer/Paisa) or [Actual](https://github.com/actualbudget/actual) - Finance Managers
|
||||||
|
* ⭐ **[Rotki](https://rotki.com/)** - Portfolio Manager
|
||||||
* [Ivy Wallet](https://github.com/Ivy-Apps/ivy-wallet), [money-manager](https://github.com/moneymanagerex/android-money-manager-ex),[Buckwheat](https://buckwheat.app/), [My Expenses](https://www.myexpenses.mobi/), [Cashew](https://play.google.com/store/apps/details?id=com.budget.tracker_app) or [Sushi](https://github.com/jerameel/sushi) - Android Finance Managers
|
* [Ivy Wallet](https://github.com/Ivy-Apps/ivy-wallet), [money-manager](https://github.com/moneymanagerex/android-money-manager-ex),[Buckwheat](https://buckwheat.app/), [My Expenses](https://www.myexpenses.mobi/), [Cashew](https://play.google.com/store/apps/details?id=com.budget.tracker_app) or [Sushi](https://github.com/jerameel/sushi) - Android Finance Managers
|
||||||
* [Denaro](https://github.com/NickvisionApps/Denaro) - Linux Finance Managers
|
* [Denaro](https://github.com/NickvisionApps/Denaro) - Linux Finance Managers
|
||||||
* [Ledger](https://ledger-cli.org/) - CLI Accounting System
|
* [Ledger](https://ledger-cli.org/) - CLI Accounting System
|
||||||
|
|
@ -815,7 +816,6 @@
|
||||||
* [Calculator](https://goldratestoday.net/gold-calculator/) - Gold Investment Calculators
|
* [Calculator](https://goldratestoday.net/gold-calculator/) - Gold Investment Calculators
|
||||||
* [Kitco](https://www.kitco.com/) or [GoldRatesToday](https://goldratestoday.net/) - Gold Rate Calculators
|
* [Kitco](https://www.kitco.com/) or [GoldRatesToday](https://goldratestoday.net/) - Gold Rate Calculators
|
||||||
* [MortgageCalculator](https://www.mortgagecalculator.site/) - Mortgage Calculator
|
* [MortgageCalculator](https://www.mortgagecalculator.site/) - Mortgage Calculator
|
||||||
* [Rotki](https://rotki.com/) - Portfolio Manager
|
|
||||||
* [PortfolioVisualizer](https://www.portfoliovisualizer.com/) - Visualize Portfolio
|
* [PortfolioVisualizer](https://www.portfoliovisualizer.com/) - Visualize Portfolio
|
||||||
* [CoFolios](https://cofolios.com/) - Portfolio Sharing
|
* [CoFolios](https://cofolios.com/) - Portfolio Sharing
|
||||||
|
|
||||||
|
|
@ -829,9 +829,10 @@
|
||||||
|
|
||||||
* 🌐 **[ChainList](https://chainlist.org/)** - EVM RPC List
|
* 🌐 **[ChainList](https://chainlist.org/)** - EVM RPC List
|
||||||
* ⭐ **[WalletScrutiny](https://walletscrutiny.com/)** - Verify Crypto Wallets are Open-Source / Secure
|
* ⭐ **[WalletScrutiny](https://walletscrutiny.com/)** - Verify Crypto Wallets are Open-Source / Secure
|
||||||
|
* ⭐ **[Trocador](https://trocador.app/en/)** - Bitcoin Exchange App
|
||||||
* [BitcoinTalk](https://bitcointalk.org/) - Bitcoin Forum
|
* [BitcoinTalk](https://bitcointalk.org/) - Bitcoin Forum
|
||||||
|
* [Bitbox](https://bitbox.swiss/), [Ledger](https://www.ledger.com/) or [Trezor](https://trezor.io/) - Hardware Wallets
|
||||||
* [BTCPay](https://btcpayserver.org/) - FOSS Bitcoin Payment Processor
|
* [BTCPay](https://btcpayserver.org/) - FOSS Bitcoin Payment Processor
|
||||||
* [Trocador](https://trocador.app/en/) - Bitcoin Exchange App
|
|
||||||
* [BitcoinWhosWho](https://www.bitcoinwhoswho.com/) - Bitcoin Address Scanner
|
* [BitcoinWhosWho](https://www.bitcoinwhoswho.com/) - Bitcoin Address Scanner
|
||||||
* [BlockChain](https://www.blockchain.com/explorer), [CoinWatch](https://github.com/shorthouse/CoinWatch), [Hivexplorer](https://hivexplorer.com/), [BlockChair](https://blockchair.com/), [L2BEAT](https://l2beat.com/), [HiveblockExplorer](https://hiveblockexplorer.com/) or [LiveCoinWatch](https://www.livecoinwatch.com/) - Live Cryptocurrency Prices
|
* [BlockChain](https://www.blockchain.com/explorer), [CoinWatch](https://github.com/shorthouse/CoinWatch), [Hivexplorer](https://hivexplorer.com/), [BlockChair](https://blockchair.com/), [L2BEAT](https://l2beat.com/), [HiveblockExplorer](https://hiveblockexplorer.com/) or [LiveCoinWatch](https://www.livecoinwatch.com/) - Live Cryptocurrency Prices
|
||||||
* [DefiLlama](https://defillama.com/) - TVL Aggregator
|
* [DefiLlama](https://defillama.com/) - TVL Aggregator
|
||||||
|
|
@ -854,12 +855,14 @@
|
||||||
* [Pepper](https://www.pepper.com/) - Shopping Community
|
* [Pepper](https://www.pepper.com/) - Shopping Community
|
||||||
* [gedd.it](https://gedd.it/) - Shop via Reddit
|
* [gedd.it](https://gedd.it/) - Shop via Reddit
|
||||||
* [Slant](https://www.slant.co/) - "What are the best..." Product Rankings
|
* [Slant](https://www.slant.co/) - "What are the best..." Product Rankings
|
||||||
|
* [Claros](https://www.claros.so/) - AI Product Recommendations / [Discord](https://discord.gg/87KJvjpkF8)
|
||||||
* [Randomicle](https://randomicle.com/) - Random Amazon Products
|
* [Randomicle](https://randomicle.com/) - Random Amazon Products
|
||||||
* [Amazon International Links](https://greasyfork.org/en/scripts/38639-amazon-international-links) - International Amazon Products
|
* [Amazon International Links](https://greasyfork.org/en/scripts/38639-amazon-international-links) - International Amazon Products
|
||||||
* [Facebook Ad Library](https://www.facebook.com/ads/library/) - Find Deals via Facebook Ad Search
|
* [Facebook Ad Library](https://www.facebook.com/ads/library/) - Find Deals via Facebook Ad Search
|
||||||
* [AllCraigslistSearch](https://allcraigslistsearch.com/) or [Craigs List Search](https://craigs-list-search.com/) - Craigslist Search
|
* [AllCraigslistSearch](https://allcraigslistsearch.com/) or [Craigs List Search](https://craigs-list-search.com/) - Craigslist Search
|
||||||
* [PicFlick](https://picclick.com/) - Ebay Quick Search
|
* [PicFlick](https://picclick.com/) - Ebay Quick Search
|
||||||
* [Type Hound](https://typohound.com/) or [FatFingers](https://fatfingers.com/) - Ebay Typo Search
|
* [Type Hound](https://typohound.com/) or [FatFingers](https://fatfingers.com/) - Ebay Typo Search
|
||||||
|
* [Spoken](https://www.spoken.io/) - Furniture Price Comparisons
|
||||||
* [BTOD](https://www.btod.com/blog/category/buying-guides/) - Office Chair Buying Guides / Reviews
|
* [BTOD](https://www.btod.com/blog/category/buying-guides/) - Office Chair Buying Guides / Reviews
|
||||||
* [Mousepad Mastersheet](https://docs.google.com/spreadsheets/d/1RAnmZxDNduaGV8kB-GCvZ0MO6d9-0j9jmrU2f8dp0Ww/) - Mousepad Buying Guide / Reviews
|
* [Mousepad Mastersheet](https://docs.google.com/spreadsheets/d/1RAnmZxDNduaGV8kB-GCvZ0MO6d9-0j9jmrU2f8dp0Ww/) - Mousepad Buying Guide / Reviews
|
||||||
* [Cars.com](https://www.cars.com/research/compare/), [Vehicle Rankings](https://cars.usnews.com/cars-trucks/rankings), [Motor1](https://www.motor1.com/reviews/) or [Edmunds](https://www.edmunds.com/car-reviews/) - Vehicle Reviews / Comparisons
|
* [Cars.com](https://www.cars.com/research/compare/), [Vehicle Rankings](https://cars.usnews.com/cars-trucks/rankings), [Motor1](https://www.motor1.com/reviews/) or [Edmunds](https://www.edmunds.com/car-reviews/) - Vehicle Reviews / Comparisons
|
||||||
|
|
@ -941,8 +944,9 @@
|
||||||
* 🌐 **[Awesome Lego](https://github.com/ad-si/awesome-lego)** - Lego Resources
|
* 🌐 **[Awesome Lego](https://github.com/ad-si/awesome-lego)** - Lego Resources
|
||||||
* [Dinosaur Toy Blog](https://dinotoyblog.com/) or [Animal Toy Blog](https://animaltoyforum.com/blog/) - Animal Toy Reviews
|
* [Dinosaur Toy Blog](https://dinotoyblog.com/) or [Animal Toy Blog](https://animaltoyforum.com/blog/) - Animal Toy Reviews
|
||||||
* [MyFigureCollection](https://myfigurecollection.net/) - Japanese Pop-Culture Merch Database
|
* [MyFigureCollection](https://myfigurecollection.net/) - Japanese Pop-Culture Merch Database
|
||||||
* [Pokéchange](https://en.pokechange.net/) - Buy / Sell Pokémon Cards
|
* [Pokechange](https://en.pokechange.net/) - Buy / Sell Pokémon Cards
|
||||||
* [Ty Collector](https://tycollector.com/) or [Beaniepedia](https://beaniepedia.com/) - Ty Collectibles Databases
|
* [Ty Collector](https://tycollector.com/) or [Beaniepedia](https://beaniepedia.com/) - Ty Collectibles Databases
|
||||||
|
* [Matchbox University](http://mbx-u.com/) - Matchbox Car Database
|
||||||
* [BreyerHorseRef](https://www.breyerhorseref.com/) - Breyer Horse Database
|
* [BreyerHorseRef](https://www.breyerhorseref.com/) - Breyer Horse Database
|
||||||
* [The Toy Pool](https://thetoypool.com/) - Multi-Brand Toy & Doll Database
|
* [The Toy Pool](https://thetoypool.com/) - Multi-Brand Toy & Doll Database
|
||||||
* [Brickset](https://brickset.com/) - Lego Set Guide
|
* [Brickset](https://brickset.com/) - Lego Set Guide
|
||||||
|
|
@ -953,7 +957,7 @@
|
||||||
## ▷ Price Tracking
|
## ▷ Price Tracking
|
||||||
|
|
||||||
* ⭐ **[Dupe](https://dupe.com/)** - Dupe Product Search
|
* ⭐ **[Dupe](https://dupe.com/)** - Dupe Product Search
|
||||||
* ⭐ **[Keepa](https://keepa.com/)**, [PriceHistory](https://pricehistoryapp.com/) or [CamelCamelCamel](https://camelcamelcamel.com/) - Amazon Price Trackers / [App](https://play.google.com/store/apps/details?id=com.offertadelgiorno.offertadelgiorno)
|
* ⭐ **[Keepa](https://keepa.com/)**, [PriceHistory](https://pricehistoryapp.com/) or [CamelCamelCamel](https://camelcamelcamel.com/) / [Charts](https://greasyfork.org/en/scripts/416590) - Amazon Price Trackers / [App](https://play.google.com/store/apps/details?id=com.offertadelgiorno.offertadelgiorno)
|
||||||
* [Vetted](https://vetted.ai/), [Real Price Tracker](https://www.realpricetracker.com/) or [FlipsHope](https://flipshope.com/ ) - Price Tracking Extensions
|
* [Vetted](https://vetted.ai/), [Real Price Tracker](https://www.realpricetracker.com/) or [FlipsHope](https://flipshope.com/ ) - Price Tracking Extensions
|
||||||
* [PriceSlash Bot](https://t.me/PriceSlash_Bot) - Price Tracking Telegram Bot
|
* [PriceSlash Bot](https://t.me/PriceSlash_Bot) - Price Tracking Telegram Bot
|
||||||
* [Search Ebay Sold](https://chromewebstore.google.com/detail/search-ebay-sold/mhlcjbhhieanjjafbcoeclghpnjhepif) - Ebay Sold Item Search
|
* [Search Ebay Sold](https://chromewebstore.google.com/detail/search-ebay-sold/mhlcjbhhieanjjafbcoeclghpnjhepif) - Ebay Sold Item Search
|
||||||
|
|
@ -1005,8 +1009,9 @@
|
||||||
* [Label Studio](https://labelstud.io/) or [Cvat](https://www.cvat.ai/) - Data Organizing Tools
|
* [Label Studio](https://labelstud.io/) or [Cvat](https://www.cvat.ai/) - Data Organizing Tools
|
||||||
* [Diff Checker](https://www.diffchecker.com/) - Check Differences in Text, Images, PDFs or Files
|
* [Diff Checker](https://www.diffchecker.com/) - Check Differences in Text, Images, PDFs or Files
|
||||||
* [Find Your Place](https://where-is-this.com/) - Find Places from Pictures
|
* [Find Your Place](https://where-is-this.com/) - Find Places from Pictures
|
||||||
* [Acoustic Gender](https://acousticgender.space/) - Measure Voice Pitch
|
|
||||||
* [Forebears](https://forebears.io/) or [BehindTheName](https://www.behindthename.com/) - Name Etymologies
|
* [Forebears](https://forebears.io/) or [BehindTheName](https://www.behindthename.com/) - Name Etymologies
|
||||||
|
* [Pronouns List](https://pronounslist.com/) - List of Prefferred Pronouns
|
||||||
|
* [Acoustic Gender](https://acousticgender.space/) - Measure Voice Pitch
|
||||||
* [Timeline Cascade](https://markwhen.com/) / [GitHub](https://github.com/mark-when/markwhen), [Timeline JS](https://timeline.knightlab.com/) or [Time.Graphics](https://time.graphics/) - Create Timelines
|
* [Timeline Cascade](https://markwhen.com/) / [GitHub](https://github.com/mark-when/markwhen), [Timeline JS](https://timeline.knightlab.com/) or [Time.Graphics](https://time.graphics/) - Create Timelines
|
||||||
* [Timeliner](https://timelinize.com/) - Create Personal Digital Timeline
|
* [Timeliner](https://timelinize.com/) - Create Personal Digital Timeline
|
||||||
* [Familypedia](https://familypedia.fandom.com/), [Gramps](https://gramps-project.org/blog/) or [WikiTree](https://wikitree.com/) - Family Trees
|
* [Familypedia](https://familypedia.fandom.com/), [Gramps](https://gramps-project.org/blog/) or [WikiTree](https://wikitree.com/) - Family Trees
|
||||||
|
|
@ -1309,8 +1314,6 @@
|
||||||
|
|
||||||
## ▷ Interesting
|
## ▷ Interesting
|
||||||
|
|
||||||
* 🌐 **[404PageFound](https://www.404pagefound.com/)** - Old Websites
|
|
||||||
* 🌐 **[Websites From Hell](https://websitesfromhell.net/)** - Shitty Websites
|
|
||||||
* ↪️ **[Online Virtual Tours](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/edu#wiki_.25BA_virtual_tours)**
|
* ↪️ **[Online Virtual Tours](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/edu#wiki_.25BA_virtual_tours)**
|
||||||
* ⭐ **[Iceberg Charts](https://icebergcharts.com/)** - Explore Obscure Topics / [/r/IcebergCharts](https://www.reddit.com/r/IcebergCharts/)
|
* ⭐ **[Iceberg Charts](https://icebergcharts.com/)** - Explore Obscure Topics / [/r/IcebergCharts](https://www.reddit.com/r/IcebergCharts/)
|
||||||
* ⭐ **[InfiniteConversation](https://infiniteconversation.com/)** - Never-Ending Werner Herzog / Slavoj Žižek Conversation
|
* ⭐ **[InfiniteConversation](https://infiniteconversation.com/)** - Never-Ending Werner Herzog / Slavoj Žižek Conversation
|
||||||
|
|
@ -1390,6 +1393,8 @@
|
||||||
## ▷ Random
|
## ▷ Random
|
||||||
|
|
||||||
* 🌐 **[Funny / Useless Sites](https://rentry.org/aksry2vc)**
|
* 🌐 **[Funny / Useless Sites](https://rentry.org/aksry2vc)**
|
||||||
|
* 🌐 **[Websites From Hell](https://websitesfromhell.net/)** - Shitty Websites
|
||||||
|
* 🌐 **[404PageFound](https://www.404pagefound.com/)** - Old Websites
|
||||||
* ↪️ **[Random Sites](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/storage#wiki_random_generators)** - Random Site Generators
|
* ↪️ **[Random Sites](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/storage#wiki_random_generators)** - Random Site Generators
|
||||||
* ⭐ **[Project Random](https://0xbeef.co.uk/random)** or [The Red Button](https://clicktheredbutton.com/) - Random Video / Song Generators
|
* ⭐ **[Project Random](https://0xbeef.co.uk/random)** or [The Red Button](https://clicktheredbutton.com/) - Random Video / Song Generators
|
||||||
* ⭐ **[Copypasta Text](https://copypastatext.com/)** or [CopyPastaDB](https://copypastadb.com/) - Copypasta Databases
|
* ⭐ **[Copypasta Text](https://copypastatext.com/)** or [CopyPastaDB](https://copypastadb.com/) - Copypasta Databases
|
||||||
|
|
|
||||||
|
|
@ -488,6 +488,7 @@
|
||||||
* [NakedSkins](https://www.nakedskins.com/) - Naked Skins for Games
|
* [NakedSkins](https://www.nakedskins.com/) - Naked Skins for Games
|
||||||
* [WickedWhims](https://wickedwhimsmod.com/index) - NSFW Sims Mod
|
* [WickedWhims](https://wickedwhimsmod.com/index) - NSFW Sims Mod
|
||||||
* [HDoomGuy](https://hdoomguy.newgrounds.com/) - NSFW Doom Mod
|
* [HDoomGuy](https://hdoomguy.newgrounds.com/) - NSFW Doom Mod
|
||||||
|
* [Sagaoz](https://sagaoz.net/savedata/) - Japanese Visual Novel Save Files
|
||||||
* [FapCraft](https://fapcraft.org/) - NSFW Minecraft Mod
|
* [FapCraft](https://fapcraft.org/) - NSFW Minecraft Mod
|
||||||
* [Minegasm](https://www.minegasm.net/) - Connect Minecraft to Sex Toys
|
* [Minegasm](https://www.minegasm.net/) - Connect Minecraft to Sex Toys
|
||||||
* [AdultOyunÇeviri](https://adultoyunceviri.com) - Turkish Game Localizations
|
* [AdultOyunÇeviri](https://adultoyunceviri.com) - Turkish Game Localizations
|
||||||
|
|
|
||||||
|
|
@ -611,6 +611,7 @@
|
||||||
* [Bollyfunserial](https://freewatchserialonline.com/) - South Asian TV / Dub / 720p
|
* [Bollyfunserial](https://freewatchserialonline.com/) - South Asian TV / Dub / 720p
|
||||||
* [PakBcn](http://www.pakbcn.one/) - South Asian TV / Live / Dub / 720p
|
* [PakBcn](http://www.pakbcn.one/) - South Asian TV / Live / Dub / 720p
|
||||||
* [DesiRulez](https://desirulez.co/) - Live TV
|
* [DesiRulez](https://desirulez.co/) - Live TV
|
||||||
|
* [Indian IPTV App](https://github.com/kananinirav/Indian-IPTV-App) - IPTV Android App
|
||||||
* [Anime World India](https://anime-world.in/) - Cartoons / Anime / Sub / Dub / 1080p / [Discord](https://discord.com/invite/c3ete48q8H)
|
* [Anime World India](https://anime-world.in/) - Cartoons / Anime / Sub / Dub / 1080p / [Discord](https://discord.com/invite/c3ete48q8H)
|
||||||
* [kukufm.com](https://kukufm.com/) - Podcasts / Radio / Audiobooks
|
* [kukufm.com](https://kukufm.com/) - Podcasts / Radio / Audiobooks
|
||||||
* [OnlineFMRadio](https://www.onlinefmradio.in/) - Radio
|
* [OnlineFMRadio](https://www.onlinefmradio.in/) - Radio
|
||||||
|
|
@ -1761,7 +1762,7 @@
|
||||||
|
|
||||||
## ▷ Streaming
|
## ▷ Streaming
|
||||||
|
|
||||||
* [BiluTV](https://bilutv.link/) - Movies / TV / Anime
|
* [BiluTV](https://bilutvw.com/) - Movies / TV / Anime
|
||||||
* [MotChill](https://motchilli.vip/) - Movies / TV
|
* [MotChill](https://motchilli.vip/) - Movies / TV
|
||||||
* [PhimMoi](https://phimmoiiii.net/) - Movies / TV
|
* [PhimMoi](https://phimmoiiii.net/) - Movies / TV
|
||||||
* [Danet](https://danet.vn/) - Movies / TV
|
* [Danet](https://danet.vn/) - Movies / TV
|
||||||
|
|
@ -1807,6 +1808,7 @@
|
||||||
## ▷ Reading
|
## ▷ Reading
|
||||||
|
|
||||||
* ⭐ **[hoc10](https://hoc10.vn/)** - Textbooks, Study Material, Lecture Notes etc.
|
* ⭐ **[hoc10](https://hoc10.vn/)** - Textbooks, Study Material, Lecture Notes etc.
|
||||||
|
* [Thư Viện Pháp Luật](https://thuvienphapluat.vn/) - Legal Information Portal / [Facebook] (https://www.facebook.com/ThuVienPhapLuat.vn/)
|
||||||
* [SachVui](https://sachvuii.com/) - Books / [Direct Links](https://greasyfork.org/en/scripts/488558)
|
* [SachVui](https://sachvuii.com/) - Books / [Direct Links](https://greasyfork.org/en/scripts/488558)
|
||||||
* [MeTaiSach](https://metaisach.com/) - Books
|
* [MeTaiSach](https://metaisach.com/) - Books
|
||||||
* [DocSachHay](https://docsachhay.net/) - Books
|
* [DocSachHay](https://docsachhay.net/) - Books
|
||||||
|
|
|
||||||
|
|
@ -686,8 +686,7 @@
|
||||||
* [Essential Programming Books](https://www.programming-books.io/)
|
* [Essential Programming Books](https://www.programming-books.io/)
|
||||||
* [free-programming-books](https://github.com/chrislgarry/free-programming-books)
|
* [free-programming-books](https://github.com/chrislgarry/free-programming-books)
|
||||||
* [Free eBooks](https://books-pdf.blogspot.com/)
|
* [Free eBooks](https://books-pdf.blogspot.com/)
|
||||||
* [goalkicker](https://goalkicker.com/)
|
* [GoalKicker](https://goalkicker.com/)
|
||||||
* [GoalKicker](https://books.goalkicker.com/)
|
|
||||||
* [Flavio Copes](https://flaviocopes.com/)
|
* [Flavio Copes](https://flaviocopes.com/)
|
||||||
* [Free Ebooks Download List](https://free-ebook-download-links.blogspot.com/)
|
* [Free Ebooks Download List](https://free-ebook-download-links.blogspot.com/)
|
||||||
* [Python Data Science Handbook](https://jakevdp.github.io/PythonDataScienceHandbook/) - Python Data Science / [GitHub](https://github.com/jakevdp/PythonDataScienceHandbook)
|
* [Python Data Science Handbook](https://jakevdp.github.io/PythonDataScienceHandbook/) - Python Data Science / [GitHub](https://github.com/jakevdp/PythonDataScienceHandbook)
|
||||||
|
|
@ -705,7 +704,7 @@
|
||||||
* ⭐ **[Sci-Hub](https://sci-hub.se/)** - Science Articles / Research Papers
|
* ⭐ **[Sci-Hub](https://sci-hub.se/)** - Science Articles / Research Papers
|
||||||
* ⭐ **Sci-Hub Tools** - [Telegram](https://t.me/freescience) / [Mirrors](https://vertsluisants.fr/index.php?article4/where-scihub-libgen-server-down), [2](https://sci-hub.hkvisa.net/) / [TG Bot](https://t.me/scihubot) / [Extension](https://addons.mozilla.org/en-US/firefox/addon/sci-hub-scholar/) / [DL Button](https://greasyfork.org/zh-CN/scripts/370246-sci-hub-button), [2](https://github.com/gchenfc/sci-hub-now) / [PDF Download](https://gagarine.medium.com/use-sci-hub-with-zotero-as-a-fall-back-pdf-resolver-cf139eb2cea7) / [Backup](https://redd.it/edwi9b) / [/r/scihub](https://reddit.com/r/scihub) / [VK](https://vk.com/sci_hub) / [DOI Redirect](https://greasyfork.org/en/scripts/412498)
|
* ⭐ **Sci-Hub Tools** - [Telegram](https://t.me/freescience) / [Mirrors](https://vertsluisants.fr/index.php?article4/where-scihub-libgen-server-down), [2](https://sci-hub.hkvisa.net/) / [TG Bot](https://t.me/scihubot) / [Extension](https://addons.mozilla.org/en-US/firefox/addon/sci-hub-scholar/) / [DL Button](https://greasyfork.org/zh-CN/scripts/370246-sci-hub-button), [2](https://github.com/gchenfc/sci-hub-now) / [PDF Download](https://gagarine.medium.com/use-sci-hub-with-zotero-as-a-fall-back-pdf-resolver-cf139eb2cea7) / [Backup](https://redd.it/edwi9b) / [/r/scihub](https://reddit.com/r/scihub) / [VK](https://vk.com/sci_hub) / [DOI Redirect](https://greasyfork.org/en/scripts/412498)
|
||||||
* ⭐ **[Google Scholar](https://scholar.google.com/)** - Academic Papers Search Engine
|
* ⭐ **[Google Scholar](https://scholar.google.com/)** - Academic Papers Search Engine
|
||||||
* ⭐ **[Scinapse](https://scinapse.io/)** - Academic Papers Search Engine
|
* ⭐ **[Scinapse](https://scinapse.io/)** - Academic Papers Search Engine / [Free Method](https://pastebin.com/XfHP7h1N)
|
||||||
* ⭐ **[ResearchGate](https://www.researchgate.net/)** - Research Papers / Publications
|
* ⭐ **[ResearchGate](https://www.researchgate.net/)** - Research Papers / Publications
|
||||||
* ⭐ **[SciLit](https://www.scilit.net/)** - Research Papers / Publications
|
* ⭐ **[SciLit](https://www.scilit.net/)** - Research Papers / Publications
|
||||||
* ⭐ **[Mendeley](https://www.mendeley.com/)** - Research Papers / [Data](https://data.mendeley.com/) / [Reference Manager](https://www.mendeley.com/download-reference-manager/)
|
* ⭐ **[Mendeley](https://www.mendeley.com/)** - Research Papers / [Data](https://data.mendeley.com/) / [Reference Manager](https://www.mendeley.com/download-reference-manager/)
|
||||||
|
|
@ -954,7 +953,7 @@
|
||||||
* 🌐 **[Ebook Converters Wiki](https://wiki.mobileread.com/wiki/E-book_conversion)**, [Ebook-Converter](https://ebook-converter.com/) or [Ebook-Online-Convert](https://ebook.online-convert.com/) - Ebook Converter Indexes
|
* 🌐 **[Ebook Converters Wiki](https://wiki.mobileread.com/wiki/E-book_conversion)**, [Ebook-Converter](https://ebook-converter.com/) or [Ebook-Online-Convert](https://ebook.online-convert.com/) - Ebook Converter Indexes
|
||||||
* 🌐 **[DeDRM_tools](https://github.com/noDRM/DeDRM_tools)** - Ebook DRM Removal Tools
|
* 🌐 **[DeDRM_tools](https://github.com/noDRM/DeDRM_tools)** - Ebook DRM Removal Tools
|
||||||
* ↪️ **[Summary Generators](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/text-tools#wiki_.25B7_text_rephrasing)**
|
* ↪️ **[Summary Generators](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/text-tools#wiki_.25B7_text_rephrasing)**
|
||||||
* ⭐ **[ChatPDF](https://www.chatpdf.com/)** or [Ask Your PDF](https://askyourpdf.com/) - Turn PDFs into Chatbots
|
* ⭐ **[ChatPDF](https://www.chatpdf.com/)**, [BookAI](https://www.bookai.chat/ ) or [Ask Your PDF](https://askyourpdf.com/) - Turn Books into Chatbots
|
||||||
* ⭐ **[TypeSet](https://typeset.io/)** - Research Paper Chatbot
|
* ⭐ **[TypeSet](https://typeset.io/)** - Research Paper Chatbot
|
||||||
* ⭐ **[Spreeder](https://www.spreeder.com/app.php?intro=1)**, [BR Script](https://greasyfork.org/en/scripts/465635), [PlayText](https://playtext.app/), [AccelaReader](https://accelareader.com/), [Jiffy](https://www.jiffyreader.com/), [SwiftRead](https://swiftread.com/), [Notation](https://github.com/numanzamandipuu/Notation), [Bionic Reading](https://app.bionic-reading.com/?type=text), [Tailwind BR](https://crisanlucid.github.io/vite-react-tailwind-bionic-reading/) or [SpeedRead](https://github.com/pasky/speedread) - Speed Reading Tools
|
* ⭐ **[Spreeder](https://www.spreeder.com/app.php?intro=1)**, [BR Script](https://greasyfork.org/en/scripts/465635), [PlayText](https://playtext.app/), [AccelaReader](https://accelareader.com/), [Jiffy](https://www.jiffyreader.com/), [SwiftRead](https://swiftread.com/), [Notation](https://github.com/numanzamandipuu/Notation), [Bionic Reading](https://app.bionic-reading.com/?type=text), [Tailwind BR](https://crisanlucid.github.io/vite-react-tailwind-bionic-reading/) or [SpeedRead](https://github.com/pasky/speedread) - Speed Reading Tools
|
||||||
* ⭐ **[arch1ve](https://rentry.org/arch1ve)** or [Borrowing Picture Books](https://redd.it/fm1xpw) - Download Borrow Only Archive.org Books / [Script](https://redd.it/ofcqds)
|
* ⭐ **[arch1ve](https://rentry.org/arch1ve)** or [Borrowing Picture Books](https://redd.it/fm1xpw) - Download Borrow Only Archive.org Books / [Script](https://redd.it/ofcqds)
|
||||||
|
|
|
||||||
34
STORAGE.md
34
STORAGE.md
|
|
@ -418,7 +418,7 @@
|
||||||
* ⭐ **[sourcehut pages](https://srht.site/)**
|
* ⭐ **[sourcehut pages](https://srht.site/)**
|
||||||
* [is-a.dev](https://www.is-a.dev/) - Developer Homepages
|
* [is-a.dev](https://www.is-a.dev/) - Developer Homepages
|
||||||
|
|
||||||
[codeberg](https://codeberg.page/), [profreehost](https://profreehost.com/), [000webhost](https://www.000webhost.com/), [infinityfree](https://infinityfree.net/), [openshift](https://www.redhat.com/en/technologies/cloud-computing/openshift), [cloudaccess](https://www.cloudaccess.net/), [Gitlab Pages](https://docs.gitlab.com/ee/user/project/pages/index.html), [glitch](https://glitch.com/), [biz.nf](https://www.biz.nf/), [coolify](https://coolify.io/), [wix](https://www.wix.com/), [byet.host](https://byet.host/free-hosting), [webs](https://www.webs.com/), [weebly](https://www.weebly.com/in), [yola](https://www.yola.com/), [WordPress](https://wordpress.com/) / [2](https://wordpress.org/), [jimdo](https://www.jimdo.com/), [awardspace](https://www.awardspace.com/), [pythonanywhere](https://www.pythonanywhere.com/), [droppages](https://droppages.com/), [Zeronet](https://cheapskatesguide.org/articles/zeronet-site.html), [Zeronet 2](https://zeronet.io/docs/site_development/getting_started/), [ibm cloud](https://www.ibm.com/cloud/free), [hubzilla](https://zotlabs.org/page/zotlabs/home), [site123](https://www.site123.com/), [hostbreak](https://hostbreak.com/web-hosting/free), [tilda](https://tilda.cc/), [BitBucket](https://support.atlassian.com/bitbucket-cloud/docs/publishing-a-website-on-bitbucket-cloud/), [render](https://render.com/), [Fleek](https://fleek.co/), [stormkit](https://www.stormkit.io/), [freehosting](https://freehosting.host/), [freewebhostingarea](https://www.freewebhostingarea.com/), [freenom](https://freenom.com/), [milkshake](https://milkshake.app/), [ikoula](https://www.ikoula.com/), [fanspace](http://www.fanspace.com/), [dotera](https://dotera.net/), [fc2](https://web.fc2.com/en/), [w3schools](https://www.w3schools.com/spaces/), [freehostia](https://www.freehostia.com/), [olitt](https://www.olitt.com/), [uhostfull](https://www.uhostfull.com/), [x10hosting](https://x10hosting.com/), [lenyxo](https://lenyxo.com/freehosting/), [yunohost](https://yunohost.org/), [1freehosting](https://www.1freehosting.net/), [5gb.club](http://www.5gb.club/free-hosting.php?i=1), [ultifreehosting](https://ultifreehosting.com/), [aeonfree](https://aeonfree.com/), [bravenet](https://www.bravenet.com/), [atspace](https://www.atspace.com/), [aava](https://aava.dy.fi/), [netlib](https://netlib.re/), [unison](https://www.unison.cloud/)
|
[codeberg](https://codeberg.page/), [profreehost](https://profreehost.com/), [000webhost](https://www.000webhost.com/), [infinityfree](https://infinityfree.net/), [openshift](https://www.redhat.com/en/technologies/cloud-computing/openshift), [cloudaccess](https://www.cloudaccess.net/), [Gitlab Pages](https://docs.gitlab.com/ee/user/project/pages/index.html), [glitch](https://glitch.com/), [biz.nf](https://www.biz.nf/), [coolify](https://coolify.io/), [wix](https://www.wix.com/), [byet.host](https://byet.host/free-hosting), [webs](https://www.webs.com/), [yola](https://www.yola.com/), [WordPress](https://wordpress.com/) / [2](https://wordpress.org/), [jimdo](https://www.jimdo.com/), [awardspace](https://www.awardspace.com/), [pythonanywhere](https://www.pythonanywhere.com/), [droppages](https://droppages.com/), [Zeronet](https://cheapskatesguide.org/articles/zeronet-site.html), [Zeronet 2](https://zeronet.io/docs/site_development/getting_started/), [ibm cloud](https://www.ibm.com/cloud/free), [hubzilla](https://zotlabs.org/page/zotlabs/home), [site123](https://www.site123.com/), [hostbreak](https://hostbreak.com/web-hosting/free), [tilda](https://tilda.cc/), [BitBucket](https://support.atlassian.com/bitbucket-cloud/docs/publishing-a-website-on-bitbucket-cloud/), [render](https://render.com/), [Fleek](https://fleek.co/), [stormkit](https://www.stormkit.io/), [freehosting](https://freehosting.host/), [freewebhostingarea](https://www.freewebhostingarea.com/), [milkshake](https://milkshake.app/), [ikoula](https://www.ikoula.com/), [fanspace](http://www.fanspace.com/), [dotera](https://dotera.net/), [fc2](https://web.fc2.com/en/), [w3schools](https://www.w3schools.com/spaces/), [freehostia](https://www.freehostia.com/), [olitt](https://www.olitt.com/), [uhostfull](https://www.uhostfull.com/), [x10hosting](https://x10hosting.com/), [lenyxo](https://lenyxo.com/freehosting/), [yunohost](https://yunohost.org/), [1freehosting](https://www.1freehosting.net/), [5gb.club](http://www.5gb.club/free-hosting.php?i=1), [ultifreehosting](https://ultifreehosting.com/), [aeonfree](https://aeonfree.com/), [bravenet](https://www.bravenet.com/), [atspace](https://www.atspace.com/), [aava](https://aava.dy.fi/), [netlib](https://netlib.re/), [unison](https://www.unison.cloud/)
|
||||||
|
|
||||||
***
|
***
|
||||||
|
|
||||||
|
|
@ -518,6 +518,33 @@
|
||||||
|
|
||||||
***
|
***
|
||||||
|
|
||||||
|
## Image Compressors
|
||||||
|
|
||||||
|
* ⭐ **[Squoosh](https://squoosh.app/)**
|
||||||
|
|
||||||
|
[CompressOrDie](https://compress-or-die.com/), [TinyJPG](https://tinyjpg.com/), [ImageCompresser](https://imagecompresser.com/), [Caesium](https://saerasoft.com/caesium/), [ImageSmaller](https://www.imagesmaller.com/), [Compress JPEG](https://compressjpeg.com/), [CompressImage](https://compressimage.io/), [CrushImage](https://crushimage.com/), [ShrinkMe](https://shrinkme.app/), [Crushee](https://crushee.app/), [Seopix](https://www.seopix.io/), [Imagator](https://imagator.co/), [Compressor](https://compressor.io/), [optimize.photos](https://optimize.photos/), [Batch Compress](https://batchcompress.com/en), [Bulk Image Compress](https://imagecompressr.com/)
|
||||||
|
|
||||||
|
### PNG Compressors
|
||||||
|
|
||||||
|
[TinyPNG](https://tinypng.com/), [Compress PNG](https://compresspng.com/), [OxiPNG](https://github.com/shssoichiro/oxipng), [PNGQuant](https://pngquant.org/)
|
||||||
|
|
||||||
|
***
|
||||||
|
|
||||||
|
## Image Converters
|
||||||
|
|
||||||
|
[Bulk Image Convert](https://bulkimageconvert.com), [Convertmyimage](https://convert-my-image.com/), [ImageConvert](https://imageconvert.org/), [imverter](https://www.imverter.com/), [Raw Pics](https://raw.pics.io/), [Converseen](https://converseen.fasterland.net/)
|
||||||
|
|
||||||
|
***
|
||||||
|
|
||||||
|
## Image Resizing
|
||||||
|
|
||||||
|
* [PixelHunter](https://pixelhunter.io/) - Resize Images for Different Sites
|
||||||
|
* [Resize App Icon](https://resizeappicon.com/) - Resize Square Images
|
||||||
|
|
||||||
|
[Simple Image Resizer](https://www.simpleimageresizer.com/), [ImageResizer](https://imageresizer.com/), [PicResize](https://picresize.com/), [Birme](https://www.birme.net/), [Bulk Image Resize](https://bulkimageresize.com/), [ResizeNow](https://www.resizenow.com/en),[BulkResizePhotos](https://bulkresizephotos.com/)
|
||||||
|
|
||||||
|
***
|
||||||
|
|
||||||
## IPTV Tools
|
## IPTV Tools
|
||||||
|
|
||||||
[Forum](https://iptv.community/) / [Players](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/storage#wiki_m3u_players) / [Manager](https://cabernetwork.github.io/) / [Playlists](https://rentry.co/fmhybase64#iptv-playlists) / [Search](https://www.foodieguide.com/iptvsearch/) / [m3u to txt](https://siptv.eu/converter/) / [M3U Editor](https://m3u4u.com/) / [M3U Downloader](https://github.com/nilaoda/N_m3u8DL-RE) / [CLI](https://nilaoda.github.io/N_m3u8DL-CLI/) / [List Checker](https://github.com/peterpt/IPTV-CHECK)
|
[Forum](https://iptv.community/) / [Players](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/storage#wiki_m3u_players) / [Manager](https://cabernetwork.github.io/) / [Playlists](https://rentry.co/fmhybase64#iptv-playlists) / [Search](https://www.foodieguide.com/iptvsearch/) / [m3u to txt](https://siptv.eu/converter/) / [M3U Editor](https://m3u4u.com/) / [M3U Downloader](https://github.com/nilaoda/N_m3u8DL-RE) / [CLI](https://nilaoda.github.io/N_m3u8DL-CLI/) / [List Checker](https://github.com/peterpt/IPTV-CHECK)
|
||||||
|
|
@ -850,7 +877,7 @@
|
||||||
|
|
||||||
### Random Sites
|
### Random Sites
|
||||||
|
|
||||||
[The Red Button](https://clicktheredbutton.com/), [BoredButton](https://www.boredbutton.com/), [Sharkle!](https://sharkle.com/), [The Useless Web](https://theuselessweb.com/) / [2](https://theuselessweb.site/), [JumpStick](https://jumpstick.app/), [OpenBulkURL](https://openbulkurl.com/random/), [The Forest](https://theforest.link/), [WhatsMYIP](http://random.whatsmyip.org/), [Random-Website](https://random-website.com/), [Wilderness Land](https://wilderness.land/), [CloudHiker](https://cloudhiker.net/), [Moonjump](https://moonjump.app/)
|
[Vijay's Virtual Vibes](https://vijaysvibes.uk/), [The Red Button](https://clicktheredbutton.com/), [BoredButton](https://www.boredbutton.com/), [Sharkle!](https://sharkle.com/), [The Useless Web](https://theuselessweb.com/) / [2](https://theuselessweb.site/), [JumpStick](https://jumpstick.app/), [OpenBulkURL](https://openbulkurl.com/random/), [The Forest](https://theforest.link/), [WhatsMYIP](http://random.whatsmyip.org/), [Random-Website](https://random-website.com/), [Wilderness Land](https://wilderness.land/), [CloudHiker](https://cloudhiker.net/), [Moonjump](https://moonjump.app/)
|
||||||
|
|
||||||
***
|
***
|
||||||
|
|
||||||
|
|
@ -877,6 +904,7 @@
|
||||||
* [/r/RepackWorld](https://reddit.com/r/RepackWorld)
|
* [/r/RepackWorld](https://reddit.com/r/RepackWorld)
|
||||||
* [GameStatus](https://gamestatus.info/)
|
* [GameStatus](https://gamestatus.info/)
|
||||||
* [fitgirl_repack](https://t.me/fitgirl_repack)
|
* [fitgirl_repack](https://t.me/fitgirl_repack)
|
||||||
|
* [GitGud](https://discord.gg/APfesEBjjn)
|
||||||
|
|
||||||
***
|
***
|
||||||
|
|
||||||
|
|
@ -890,7 +918,7 @@
|
||||||
|
|
||||||
## SMS Verification Sites
|
## SMS Verification Sites
|
||||||
|
|
||||||
[2ndline](https://www.2ndline.co/), [TextNow](https://www.textnow.com/), [smspool](https://www.smspool.net/free-sms-verification), [GetFreeSMSNUmber](https://getfreesmsnumber.com/), [SMS Receive](https://sms-receive.net/), [Receive SMS Online](https://www.receivesmsonline.net/), [receivesmsonline](https://receivesmsonline.in/), [My Trash Mobile](https://www.mytrashmobile.com/), [freesmsverification](http://freesmsverification.com/), [temp-sms](https://temp-sms.org/), [temporary-phone-number](https://temporary-phone-number.com/), [spoofbox](https://www.spoofbox.com/en/tool/trash-mobile/number), [receive-sms-online](https://www.receive-sms-online.info/), [smsfinders](https://smsfinders.com/), [yunjisms](https://yunjisms.xyz/), [smscodeonline](https://smscodeonline.com/), [mianfeijiema](https://mianfeijiema.com/), [jiemahao](https://jiemahao.com/), [storytrain](https://www.storytrain.info/), [Temp Number](https://temp-number.com/), [sms24](https://www.sms24.me/), [receive-smss](https://receive-smss.com), [freesmscenter](https://freesmscenter.com/), [receive-sms](https://receive-sms.cc/), [spytm](https://spytm.com/), [receive-sms-free](https://receive-sms-free.cc/), [tempsmss](https://tempsmss.com/), [quackr](https://quackr.io/), [smsnator](https://smsnator.online/), [InboxSMS](https://inboxsms.me/), [anonymsms](https://anonymsms.com/temporary-phone-number/), [onlinesim](https://onlinesim.io/), [ReceiveaSMS](https://receive-a-sms.com/), [Receive SMS Online Free](http://receivefreesms.com/), [sms-activate](https://sms-activate.org/en/freeNumbers), [proovl](https://proovl.com/numbers), [receivefreesms](http://receivefreesms.net/), [receivesmsonline](http://receivesmsonline.in/), [hs3x](http://hs3x.com/), [receiveonlinesms](http://receiveonlinesms.biz/), [freereceivesmsonline](http://freereceivesmsonline.com/), [shejiinn](https://www.shejiinn.com/), [jiemadi](https://www.jiemadi.com/en), [freephonenum](https://freephonenum.com/), [receivesmsonline](https://receivesmsonline.me/), [freereceivesmsonline](https://freereceivesmsonline.com/), [7sim](https://7sim.pro/), [jiemagou](https://www.jiemagou.com/en), [yunjiema](https://yunjiema.net/), [supercloudsms](https://supercloudsms.com/en), [us-phone-number](https://us-phone-number.com/), [shownumber](https://lothelper.com/en/shownumber), [receivesmsverification](https://receivesmsverification.com/), [yunduanxin](https://yunduanxin.net/), [bestsms](https://bestsms.xyz/), [114sim](https://114sim.com/), [smsget](https://smsget.net/), [free-sms-receive](https://www.free-sms-receive.com/)
|
[2ndline](https://www.2ndline.co/), [TextNow](https://www.textnow.com/), [smspool](https://www.smspool.net/free-sms-verification), [GetFreeSMSNUmber](https://getfreesmsnumber.com/), [SMS Receive](https://sms-receive.net/), [Receive SMS Online](https://www.receivesmsonline.net/), [receivesmsonline](https://receivesmsonline.in/), [My Trash Mobile](https://www.mytrashmobile.com/), [freesmsverification](http://freesmsverification.com/), [temp-sms](https://temp-sms.org/), [temporary-phone-number](https://temporary-phone-number.com/), [spoofbox](https://www.spoofbox.com/en/tool/trash-mobile/number), [receive-sms-online](https://www.receive-sms-online.info/), [smsfinders](https://smsfinders.com/), [yunjisms](https://yunjisms.xyz/), [smscodeonline](https://smscodeonline.com/), [mianfeijiema](https://mianfeijiema.com/), [jiemahao](https://jiemahao.com/), [storytrain](https://www.storytrain.info/), [Temp Number](https://temp-number.com/), [sms24](https://www.sms24.me/), [receive-smss](https://receive-smss.com), [freesmscenter](https://freesmscenter.com/), [receive-sms](https://receive-sms.cc/), [spytm](https://spytm.com/), [receive-sms-free](https://receive-sms-free.cc/), [tempsmss](https://tempsmss.com/), [quackr](https://quackr.io/), [smsnator](https://smsnator.online/), [InboxSMS](https://inboxsms.me/), [anonymsms](https://anonymsms.com/temporary-phone-number/), [onlinesim](https://onlinesim.io/), [ReceiveaSMS](https://receive-a-sms.com/), [Receive SMS Online Free](http://receivefreesms.com/), [sms-activate](https://sms-activate.org/en/freeNumbers), [proovl](https://proovl.com/numbers), [receivefreesms](http://receivefreesms.net/), [receivesmsonline](http://receivesmsonline.in/), [hs3x](http://hs3x.com/), [receiveonlinesms](http://receiveonlinesms.biz/), [freereceivesmsonline](http://freereceivesmsonline.com/), [shejiinn](https://www.shejiinn.com/), [jiemadi](https://www.jiemadi.com/en), [freephonenum](https://freephonenum.com/), [receivesmsonline](https://receivesmsonline.me/), [freereceivesmsonline](https://freereceivesmsonline.com/), [7sim](https://7sim.pro/), [jiemagou](https://www.jiemagou.com/en), [yunjiema](https://yunjiema.net/), [supercloudsms](https://supercloudsms.com/en), [us-phone-number](https://us-phone-number.com/), [shownumber](https://lothelper.com/en/shownumber), [receivesmsverification](https://receivesmsverification.com/), [yunduanxin](https://yunduanxin.net/), [bestsms](https://bestsms.xyz/), [114sim](https://114sim.com/), [smsget](https://smsget.net/), [free-sms-receive](https://www.free-sms-receive.com/), [sms247](https://sms247.net/), [otp4free](https://www.otp4free.com/)
|
||||||
|
|
||||||
### No CC Required Trial Sites
|
### No CC Required Trial Sites
|
||||||
|
|
||||||
|
|
|
||||||
|
|
@ -15,7 +15,7 @@
|
||||||
* [tumblr-utils](https://github.com/bbolli/tumblr-utils) - Tumblr Utilities
|
* [tumblr-utils](https://github.com/bbolli/tumblr-utils) - Tumblr Utilities
|
||||||
* [Tumblr Savior](https://bjornstar.com/tumblr-savior) - Tumblr Dashboard Filter
|
* [Tumblr Savior](https://bjornstar.com/tumblr-savior) - Tumblr Dashboard Filter
|
||||||
* [TumblrOriginalPostFinder](https://jetblackcode.com/TumblrOriginalPostFinder) - Tumblr Post Finder
|
* [TumblrOriginalPostFinder](https://jetblackcode.com/TumblrOriginalPostFinder) - Tumblr Post Finder
|
||||||
* [Pillowfort](https://www.pillowfort.social/) - Tumblr Alternative
|
* [Pillowfort](https://www.pillowfort.social/) or [Cohost](https://cohost.org/) - Tumblr Alternatives
|
||||||
|
|
||||||
***
|
***
|
||||||
|
|
||||||
|
|
@ -177,6 +177,7 @@
|
||||||
* [Unreadit](https://app.mailbrew.com/unreadit) - Reddit Newsletters
|
* [Unreadit](https://app.mailbrew.com/unreadit) - Reddit Newsletters
|
||||||
* [Reddit Shadow Ban Info](https://redd.it/1btuwel) - Check if You've been Shadowbanned
|
* [Reddit Shadow Ban Info](https://redd.it/1btuwel) - Check if You've been Shadowbanned
|
||||||
* [Reddit Markdown Guide](https://www.reddit.com/wiki/markdown) - Learn Reddit Markdown
|
* [Reddit Markdown Guide](https://www.reddit.com/wiki/markdown) - Learn Reddit Markdown
|
||||||
|
* [Redbar](https://chromewebstore.google.com/detail/redbar-sidebar-for-reddit/gkclfabkdcgimggblodknofgkigbfcid) - Sidebar for Reddit
|
||||||
* [Reddit Preview](https://redditpreview.com/) - Preview Reddit Posts
|
* [Reddit Preview](https://redditpreview.com/) - Preview Reddit Posts
|
||||||
* [Redirect Privated](https://greasyfork.org/en/scripts/468945) - Redirect Private Pages to Cached Versions
|
* [Redirect Privated](https://greasyfork.org/en/scripts/468945) - Redirect Private Pages to Cached Versions
|
||||||
* [redditpx](https://www.redditpx.com/) or [Redditp](https://redditp.com/) - Reddit Image / Video Slideshows
|
* [redditpx](https://www.redditpx.com/) or [Redditp](https://redditp.com/) - Reddit Image / Video Slideshows
|
||||||
|
|
@ -221,6 +222,7 @@
|
||||||
* [tildes](https://tildes.net/) - Reddit Alt
|
* [tildes](https://tildes.net/) - Reddit Alt
|
||||||
* [Upgoat](https://www.upgoat.net/) - Reddit Alt
|
* [Upgoat](https://www.upgoat.net/) - Reddit Alt
|
||||||
* [Scored](https://communities.win/) - Reddit Alt
|
* [Scored](https://communities.win/) - Reddit Alt
|
||||||
|
* [Ramble](https://ramble.pw/) - Reddit Alt
|
||||||
* [Squabblr](https://squabblr.co/) - Reddit Alt
|
* [Squabblr](https://squabblr.co/) - Reddit Alt
|
||||||
* [Discuit](https://discuit.net/) - Reddit Alt
|
* [Discuit](https://discuit.net/) - Reddit Alt
|
||||||
|
|
||||||
|
|
@ -233,7 +235,7 @@
|
||||||
* ⭐ **[Reveddit](https://www.reveddit.com/)** or [Unedit](https://denvercoder1.github.io/unedit-for-reddit/) - View Deleted Reddit Posts
|
* ⭐ **[Reveddit](https://www.reveddit.com/)** or [Unedit](https://denvercoder1.github.io/unedit-for-reddit/) - View Deleted Reddit Posts
|
||||||
* [ReSavr](https://www.resavr.com/) or [Comment History](https://academictorrents.com/details/89d24ff9d5fbc1efcdaf9d7689d72b7548f699fc) - Reddit Comment Archives
|
* [ReSavr](https://www.resavr.com/) or [Comment History](https://academictorrents.com/details/89d24ff9d5fbc1efcdaf9d7689d72b7548f699fc) - Reddit Comment Archives
|
||||||
* [RSOG](https://www.rsog.org/) - Reddit Search on Google / [Userscript](https://greasyfork.org/en/scripts/462356)
|
* [RSOG](https://www.rsog.org/) - Reddit Search on Google / [Userscript](https://greasyfork.org/en/scripts/462356)
|
||||||
* [Expanse](https://github.com/jc9108/expanse), [redarcs](https://the-eye.eu/redarcs/) or [Reddit Archive](https://www.redditarchive.com/) - Reddit Post Archive Tools / [Note](https://ibb.co/R9jC5bk)
|
* [Expanse](https://github.com/jc9108/expanse), [redarcs](https://the-eye.eu/redarcs/), [Rareddit](https://www.rareddit.com/) or [Reddit Archive](https://www.redditarchive.com/) - Reddit Post Archive Tools / [Note](https://ibb.co/R9jC5bk)
|
||||||
* [RedditMetis](https://redditmetis.com/), [Reddit-User-Analyser](https://reddit-user-analyser.netlify.app/) or [Redective](https://www.redective.com/) - Reddit Profile Information
|
* [RedditMetis](https://redditmetis.com/), [Reddit-User-Analyser](https://reddit-user-analyser.netlify.app/) or [Redective](https://www.redective.com/) - Reddit Profile Information
|
||||||
* [Reddit Comment Search](https://www.redditcommentsearch.com/) - Search Reddit Comments
|
* [Reddit Comment Search](https://www.redditcommentsearch.com/) - Search Reddit Comments
|
||||||
* [rComments](https://github.com/iampueroo/rComments) - Explore Comments / Replies without Clicking a Post
|
* [rComments](https://github.com/iampueroo/rComments) - Explore Comments / Replies without Clicking a Post
|
||||||
|
|
@ -361,6 +363,7 @@
|
||||||
* [Playlist Creator for YouTube](https://chromewebstore.google.com/detail/drag-drop-playlist-creato/aklnkkbopjjemjlkffhamaepagbmblbg) or [Playlists at YouTube](https://playlists.at/youtube/) - Playlists Creators
|
* [Playlist Creator for YouTube](https://chromewebstore.google.com/detail/drag-drop-playlist-creato/aklnkkbopjjemjlkffhamaepagbmblbg) or [Playlists at YouTube](https://playlists.at/youtube/) - Playlists Creators
|
||||||
* [Anon Playlists](https://neverducky.github.io/anonymous-youtube-playlists/) - Create Anon Playlists
|
* [Anon Playlists](https://neverducky.github.io/anonymous-youtube-playlists/) - Create Anon Playlists
|
||||||
* [ytcc](https://github.com/woefe/ytcc) or [Multiselect](https://addons.mozilla.org/en-US/firefox/addon/multiselect-for-youtube/), [2](https://chromewebstore.google.com/detail/gpgbiinpmelaihndlegbgfkmnpofgfei) - Playlist Managers
|
* [ytcc](https://github.com/woefe/ytcc) or [Multiselect](https://addons.mozilla.org/en-US/firefox/addon/multiselect-for-youtube/), [2](https://chromewebstore.google.com/detail/gpgbiinpmelaihndlegbgfkmnpofgfei) - Playlist Managers
|
||||||
|
* [YTPlaylistSorter](https://ytplaylistsorter.carterrj.co.uk/index.php) - Sorts YT Playlists
|
||||||
* [playlist.tools](https://playlist.tools/) - YouTube Playlist Reverser
|
* [playlist.tools](https://playlist.tools/) - YouTube Playlist Reverser
|
||||||
* [Playlist Randomizer](https://playlist-randomizer.com/) - YouTube Playlist Randomizer
|
* [Playlist Randomizer](https://playlist-randomizer.com/) - YouTube Playlist Randomizer
|
||||||
* [YT Playlist Length](https://ytplaylist-len.sharats.dev/) - Playlist Length Checker
|
* [YT Playlist Length](https://ytplaylist-len.sharats.dev/) - Playlist Length Checker
|
||||||
|
|
@ -613,7 +616,7 @@
|
||||||
* [Twitter Demetricator](https://bengrosser.com/projects/twitter-demetricator/) - Remove All Twitter Metrics
|
* [Twitter Demetricator](https://bengrosser.com/projects/twitter-demetricator/) - Remove All Twitter Metrics
|
||||||
* [Thread Reader App](https://threadreaderapp.com/) - Unroll Twitter Threads / Search
|
* [Thread Reader App](https://threadreaderapp.com/) - Unroll Twitter Threads / Search
|
||||||
* [Relink](https://www.relink.page/) - Fix Twitter Link Images
|
* [Relink](https://www.relink.page/) - Fix Twitter Link Images
|
||||||
* [Hide Content Warning](https://greasyfork.org/en/scripts/437359) - Remove Sensitive Content Blur
|
* [Hide Content Warning](https://greasyfork.org/en/scripts/437359) or [Disable Blur](https://userstyles.world/style/15658/) - Remove Sensitive Content Blur
|
||||||
|
|
||||||
***
|
***
|
||||||
|
|
||||||
|
|
|
||||||
|
|
@ -99,7 +99,7 @@
|
||||||
* 🌐 **[Awesome CLI Apps](https://github.com/agarrharr/awesome-cli-apps)** or [Command Line Tools](https://github.com/learn-anything/command-line-tools) - Command Line Resources
|
* 🌐 **[Awesome CLI Apps](https://github.com/agarrharr/awesome-cli-apps)** or [Command Line Tools](https://github.com/learn-anything/command-line-tools) - Command Line Resources
|
||||||
* ⭐ **[Clink](https://github.com/chrisant996/clink)** - Command Line Editing
|
* ⭐ **[Clink](https://github.com/chrisant996/clink)** - Command Line Editing
|
||||||
* ⭐ **[ss64](https://ss64.com/)** - Command Line Reference Index
|
* ⭐ **[ss64](https://ss64.com/)** - Command Line Reference Index
|
||||||
* [Windows Terminal](https://www.microsoft.com/store/productId/9N0DX20HK701) / [2](https://github.com/microsoft/terminal/), [kitty](https://sw.kovidgoyal.net/kitty/), [Tess](https://github.com/SquitchYT/Tess), [ConEmu](https://github.com/Maximus5/ConEmu), [Hyper](https://hyper.is/), [Tabby](https://tabby.sh/), [console 2](https://github.com/cbucher/console), or [MobaXterm](https://mobaxterm.mobatek.net/) - Windows Terminals
|
* [Windows Terminal](https://www.microsoft.com/store/productId/9N0DX20HK701) / [2](https://github.com/microsoft/terminal/), [kitty](https://sw.kovidgoyal.net/kitty/), [Tess](https://github.com/SquitchYT/Tess), [ConEmu](https://github.com/Maximus5/ConEmu), [Hyper](https://hyper.is/), [Tabby](https://tabby.sh/) or [MobaXterm](https://mobaxterm.mobatek.net/) - Windows Terminals
|
||||||
* [BusyBox](https://frippery.org/busybox/) - Unix Commands for Windows
|
* [BusyBox](https://frippery.org/busybox/) - Unix Commands for Windows
|
||||||
* [Tiny Care Terminal](https://github.com/notwaldorf/tiny-care-terminal) - Terminal Dashboard That Cares
|
* [Tiny Care Terminal](https://github.com/notwaldorf/tiny-care-terminal) - Terminal Dashboard That Cares
|
||||||
* [Gradient Terminal](https://github.com/aurora-0025/gradient-terminal) - Display Terminal Output as Gradient
|
* [Gradient Terminal](https://github.com/aurora-0025/gradient-terminal) - Display Terminal Output as Gradient
|
||||||
|
|
@ -332,6 +332,7 @@
|
||||||
* [Fido](https://github.com/pbatard/Fido) - ISO Powershell Script
|
* [Fido](https://github.com/pbatard/Fido) - ISO Powershell Script
|
||||||
* [MSDN Files](https://files.rg-adguard.net/) or [MVS dump](https://awuctl.github.io/mvs/) - Verify ISO Legitimacy
|
* [MSDN Files](https://files.rg-adguard.net/) or [MVS dump](https://awuctl.github.io/mvs/) - Verify ISO Legitimacy
|
||||||
* [CoolStar](https://coolstar.org/chromebook/windows-install.html) - Install Windows on Chromebook
|
* [CoolStar](https://coolstar.org/chromebook/windows-install.html) - Install Windows on Chromebook
|
||||||
|
* [Clean Install](https://rentry.co/Clean_Install) - Windows Clean Installation Guide
|
||||||
|
|
||||||
***
|
***
|
||||||
|
|
||||||
|
|
@ -378,8 +379,6 @@
|
||||||
* [OpenBoardData](https://openboarddata.org/) - Board Repair Data
|
* [OpenBoardData](https://openboarddata.org/) - Board Repair Data
|
||||||
* [Magic Trace](https://github.com/janestreet/magic-trace) - Diagnose Performance Issues using Intel Processor Trace
|
* [Magic Trace](https://github.com/janestreet/magic-trace) - Diagnose Performance Issues using Intel Processor Trace
|
||||||
* [Intel BIOS Guide](https://docs.google.com/document/d/1s43_3YGJIy3zs0ZIksoOmxgrDKnu4ZNhhnXW_NiJZ0I/edit) - Intel BIOS Settings Explanation
|
* [Intel BIOS Guide](https://docs.google.com/document/d/1s43_3YGJIy3zs0ZIksoOmxgrDKnu4ZNhhnXW_NiJZ0I/edit) - Intel BIOS Settings Explanation
|
||||||
* [BiOSBug](https://www.biosbug.com/) - Remove / Reset BiOS Password / [Tutorial](https://www.youtube.com/watch?v=GolIjI2HS5w)
|
|
||||||
* [BIOS-PW](https://bios-pw.org/) - System Password Recovery Tools
|
|
||||||
* [PC Health Check](https://aka.ms/GetPCHealthCheckApp) or [WhyNotWin11](https://github.com/rcmaehl/WhyNotWin11) - Identify why your PC isn't Windows 11 ready
|
* [PC Health Check](https://aka.ms/GetPCHealthCheckApp) or [WhyNotWin11](https://github.com/rcmaehl/WhyNotWin11) - Identify why your PC isn't Windows 11 ready
|
||||||
|
|
||||||
***
|
***
|
||||||
|
|
@ -404,14 +403,25 @@
|
||||||
* [FolderMarker](https://foldermarker.com/) or [CustomFolder](https://www.gdzsoft.com/) - Custom Folders & Markers
|
* [FolderMarker](https://foldermarker.com/) or [CustomFolder](https://www.gdzsoft.com/) - Custom Folders & Markers
|
||||||
* [Recycle Bin Themes](https://github.com/sdushantha/recycle-bin-themes) - Custom Recycle Bin Icons
|
* [Recycle Bin Themes](https://github.com/sdushantha/recycle-bin-themes) - Custom Recycle Bin Icons
|
||||||
* [ElevenClock](https://www.marticliment.com/elevenclock/) - Customize Windows 11 Clock
|
* [ElevenClock](https://www.marticliment.com/elevenclock/) - Customize Windows 11 Clock
|
||||||
|
* [TranslucentSM](https://github.com/rounk-ctrl/TranslucentSM) - Translucent Start Menu
|
||||||
|
* [TranslucentFlyouts](https://github.com/ALTaleX531/TranslucentFlyouts) - Translucent Context Menus / [GUI](https://github.com/Satanarious/TranslucentFlyoutsConfig)
|
||||||
|
* [TranslucentTB](https://github.com/TranslucentTB/TranslucentTB) - Translucent Windows Taskbar
|
||||||
|
* [ExplorerBlurMica](https://github.com/Maplespe/ExplorerBlurMica) - Blur / Acrylic Effect for File Explorer
|
||||||
|
* [RetroBar](https://github.com/dremin/RetroBar) - Retro Classic Taskbars
|
||||||
|
* [StartAllBack](https://www.startallback.com/) - Restore Classic Start Menu in Windows 11
|
||||||
|
* [Win98Icons](https://win98icons.alexmeub.com/) - Classic Win98 Icons
|
||||||
|
* [7tsp-Icon-themes](https://github.com/niivu/7tsp-Icon-themes) - Custmon Icon Themes
|
||||||
|
* [Modern Flyouts](https://apps.microsoft.com/store/detail/modernflyouts-preview/9MT60QV066RP) - Modern Context Menus / [GitHub](https://github.com/ModernFlyouts-Community/ModernFlyouts)
|
||||||
|
* [ModernWinver](https://github.com/torchgm/NewModernWinver) or [WinverUWP](https://github.com/dongle-the-gadget/WinverUWP) - Modern Windows About Page
|
||||||
|
|
||||||
***
|
***
|
||||||
|
|
||||||
## ▷ Themes / Ricing
|
## ▷ Custom Themes
|
||||||
|
|
||||||
* 🌐 **[Awesome Ricing](https://github.com/fosslife/awesome-ricing)** or [Windows-Ricing](https://github.com/winthemers/wiki) - Windows Ricing Resources
|
* 🌐 **[Awesome Ricing](https://github.com/fosslife/awesome-ricing)** or [Windows-Ricing](https://github.com/winthemers/wiki) - Windows Ricing Resources
|
||||||
* ⭐ **[Dracula](https://draculatheme.com/)** / [Discord](https://discord.com/invite/yDcFsrYuq9), [Something Beautiful](https://rosepinetheme.com/) / [Discord](https://discord.gg/r6wf35KVJW), [Catppuccin](https://github.com/catppuccin) / [Discord](https://discord.gg/r6Mdz5dpFc), [Aura Theme](https://github.com/daltonmenezes/aura-theme) or [theme.park](https://theme-park.dev/) - Custom App Themes
|
* ⭐ **[Dracula](https://draculatheme.com/)** / [Discord](https://discord.com/invite/yDcFsrYuq9), [Something Beautiful](https://rosepinetheme.com/) / [Discord](https://discord.gg/r6wf35KVJW), [Catppuccin](https://github.com/catppuccin) / [Discord](https://discord.gg/r6Mdz5dpFc), [Aura Theme](https://github.com/daltonmenezes/aura-theme) or [theme.park](https://theme-park.dev/) - Custom App Themes
|
||||||
* ⭐ **[terminal.sexy](https://terminal.sexy/)**, [TerminalSplash](https://terminalsplash.com/), [Solarized](https://ethanschoonover.com/solarized) or [WindowsTerminalThemes](https://windowsterminalthemes.dev/) - Terminal Themes
|
* ⭐ **[terminal.sexy](https://terminal.sexy/)**, [TerminalSplash](https://terminalsplash.com/), [Solarized](https://ethanschoonover.com/solarized) or [WindowsTerminalThemes](https://windowsterminalthemes.dev/) - Terminal Themes
|
||||||
|
* [Windows 10 Themes](https://github.com/niivu/Windows-10-themes), [Windows 11 Themes](https://github.com/niivu/Windows-11-themes) or [VSThemes](https://vsthemes.org/en/) - Custom Windows Themes
|
||||||
* [Chloechantelle Guide](https://www.ricing.chloechantelle.com/) or [Heliohost Guide](https://ninjasr.heliohost.org/w/lb/windows) - Windows Customization Guides
|
* [Chloechantelle Guide](https://www.ricing.chloechantelle.com/) or [Heliohost Guide](https://ninjasr.heliohost.org/w/lb/windows) - Windows Customization Guides
|
||||||
* [Blackbox 4 Windows](https://blackbox4windows.com/) - Custom Windows Shells / Widgets
|
* [Blackbox 4 Windows](https://blackbox4windows.com/) - Custom Windows Shells / Widgets
|
||||||
* [Alternative Windows Shells Wiki](https://en.wikipedia.org/wiki/List_of_alternative_shells_for_Windows) - Alt Windows Shells
|
* [Alternative Windows Shells Wiki](https://en.wikipedia.org/wiki/List_of_alternative_shells_for_Windows) - Alt Windows Shells
|
||||||
|
|
@ -427,15 +437,6 @@
|
||||||
* [Macdows11](https://redd.it/pd5ha6) - Windows 11 Mac Theme Guide
|
* [Macdows11](https://redd.it/pd5ha6) - Windows 11 Mac Theme Guide
|
||||||
* [AccentColorizer](https://github.com/krlvm/AccentColorizer) - Custom Windows Accent Color
|
* [AccentColorizer](https://github.com/krlvm/AccentColorizer) - Custom Windows Accent Color
|
||||||
* [MicaForEveryone](https://github.com/MicaForEveryone/MicaForEveryone) - System Backdrop Customization
|
* [MicaForEveryone](https://github.com/MicaForEveryone/MicaForEveryone) - System Backdrop Customization
|
||||||
* [TranslucentSM](https://github.com/rounk-ctrl/TranslucentSM) - Translucent Start Menu
|
|
||||||
* [TranslucentFlyouts](https://github.com/ALTaleX531/TranslucentFlyouts) - Translucent Context Menus / [GUI](https://github.com/Satanarious/TranslucentFlyoutsConfig)
|
|
||||||
* [TranslucentTB](https://github.com/TranslucentTB/TranslucentTB) - Translucent Windows Taskbar
|
|
||||||
* [ExplorerBlurMica](https://github.com/Maplespe/ExplorerBlurMica) - Blur / Acrylic Effect for File Explorer
|
|
||||||
* [RetroBar](https://github.com/dremin/RetroBar) - Retro Classic Taskbars
|
|
||||||
* [StartAllBack](https://www.startallback.com/) - Restore Classic Start Menu in Windows 11
|
|
||||||
* [Win98Icons](https://win98icons.alexmeub.com/) - Classic Win98 Icons
|
|
||||||
* [Modern Flyouts](https://apps.microsoft.com/store/detail/modernflyouts-preview/9MT60QV066RP) - Modern Context Menus / [GitHub](https://github.com/ModernFlyouts-Community/ModernFlyouts)
|
|
||||||
* [ModernWinver](https://github.com/torchgm/NewModernWinver) or [WinverUWP](https://github.com/dongle-the-gadget/WinverUWP) - Modern Windows About Page
|
|
||||||
* [Pokemon Terminal](https://github.com/LazoCoder/Pokemon-Terminal) - Pokémon Terminal Themes
|
* [Pokemon Terminal](https://github.com/LazoCoder/Pokemon-Terminal) - Pokémon Terminal Themes
|
||||||
* [ExcelDarkThemeFix](https://github.com/matafokka/ExcelDarkThemeFix) - Fix Excel on Themed Windows
|
* [ExcelDarkThemeFix](https://github.com/matafokka/ExcelDarkThemeFix) - Fix Excel on Themed Windows
|
||||||
|
|
||||||
|
|
@ -453,6 +454,7 @@
|
||||||
* [Awesome Wallpaper](https://awesome-wallpaper.com/) - Wallpaper Manager
|
* [Awesome Wallpaper](https://awesome-wallpaper.com/) - Wallpaper Manager
|
||||||
* [SuperPaper](https://github.com/hhannine/superpaper) - Wallpaper Manager
|
* [SuperPaper](https://github.com/hhannine/superpaper) - Wallpaper Manager
|
||||||
* [Faerber](https://farbenfroh.io/) - Edit Wallpaper to Match Color Scheme
|
* [Faerber](https://farbenfroh.io/) - Edit Wallpaper to Match Color Scheme
|
||||||
|
* [Background Switcher](https://johnsad.ventures/software/backgroundswitcher/) - Multi-Host Wallpaper Switcher
|
||||||
* [AutoWall](https://github.com/SegoCode/AutoWall) - Turn Videos / GIFs to Live Wallpapers
|
* [AutoWall](https://github.com/SegoCode/AutoWall) - Turn Videos / GIFs to Live Wallpapers
|
||||||
* [Scenic Illustrations](https://www.pixeltrue.com/scenic-illustrations) - Landscape Wallpapers
|
* [Scenic Illustrations](https://www.pixeltrue.com/scenic-illustrations) - Landscape Wallpapers
|
||||||
* [CoolBackgrounds](https://coolbackgrounds.io/) or [wallup](https://wallup.net/) - Customizable Wallpapers
|
* [CoolBackgrounds](https://coolbackgrounds.io/) or [wallup](https://wallup.net/) - Customizable Wallpapers
|
||||||
|
|
|
||||||
|
|
@ -13,7 +13,7 @@
|
||||||
* ⭐ **[RambleFix](https://ramblefix.com/)**, [SpeechTexter](https://www.speechtexter.com/), [SpeechNotes](https://speechnotes.co/), [LilySpeech](https://lilyspeech.com/), [VoiceToText](https://voicetotext.org/), [TalkTyper](https://talktyper.com/), [Dictation](https://dictation.io/speech) or [VoiceNotebook](https://voicenotebook.com/) - Speech to Text
|
* ⭐ **[RambleFix](https://ramblefix.com/)**, [SpeechTexter](https://www.speechtexter.com/), [SpeechNotes](https://speechnotes.co/), [LilySpeech](https://lilyspeech.com/), [VoiceToText](https://voicetotext.org/), [TalkTyper](https://talktyper.com/), [Dictation](https://dictation.io/speech) or [VoiceNotebook](https://voicenotebook.com/) - Speech to Text
|
||||||
* ⭐ **[TextCleanr](https://www.textcleanr.com/)**, [Text Mechanic](https://textmechanic.com/), [TextFixer](https://www.textfixer.com/), [OnlineTextTools](https://onlinetexttools.com/), [Convert Case](https://convertcase.net/), [TextCleaner](https://textcleaner.net/all-tools/), [SortMyList](https://sortmylist.com/) or [The Alphabetizer](https://alphabetizer.flap.tv/) - Organize / Format Text
|
* ⭐ **[TextCleanr](https://www.textcleanr.com/)**, [Text Mechanic](https://textmechanic.com/), [TextFixer](https://www.textfixer.com/), [OnlineTextTools](https://onlinetexttools.com/), [Convert Case](https://convertcase.net/), [TextCleaner](https://textcleaner.net/all-tools/), [SortMyList](https://sortmylist.com/) or [The Alphabetizer](https://alphabetizer.flap.tv/) - Organize / Format Text
|
||||||
* [Lyx](https://www.lyx.org/), [Typst](https://typst.app/home), [TeXStudio](https://texstudio.org/) or [Papeeria](https://papeeria.com/) - LaTeX Editors / [Guide](https://www.learnlatex.org/)
|
* [Lyx](https://www.lyx.org/), [Typst](https://typst.app/home), [TeXStudio](https://texstudio.org/) or [Papeeria](https://papeeria.com/) - LaTeX Editors / [Guide](https://www.learnlatex.org/)
|
||||||
* [OpenPaper](https://openpaper.work/en/), [papis](https://github.com/papis/papis), [Paperless-ngx](https://docs.paperless-ngx.com) or [DataShare](https://datashare.icij.org/) - Document Managers
|
* [OpenPaper](https://openpaper.work/en/), [papis](https://github.com/papis/papis), [PaperMerge](https://www.papermerge.com/), [Paperless-ngx](https://docs.paperless-ngx.com) or [DataShare](https://datashare.icij.org/) - Document Managers
|
||||||
* [diffr](https://loilo.github.io/diffr/), [TextCompare](https://www.textcompare.org/), [Text-Compare](https://text-compare.com/) or [DiffNow](https://www.diffnow.com/) - Compare Text
|
* [diffr](https://loilo.github.io/diffr/), [TextCompare](https://www.textcompare.org/), [Text-Compare](https://text-compare.com/) or [DiffNow](https://www.diffnow.com/) - Compare Text
|
||||||
* [Count Duplicates](https://www.somacon.com/p568.php) or [DuplicateWord](https://duplicateword.com/) - Count / Remove Duplicates in a List
|
* [Count Duplicates](https://www.somacon.com/p568.php) or [DuplicateWord](https://duplicateword.com/) - Count / Remove Duplicates in a List
|
||||||
* [Delim](https://delim.co/) - Comma Separating Tool
|
* [Delim](https://delim.co/) - Comma Separating Tool
|
||||||
|
|
@ -48,6 +48,7 @@
|
||||||
* [Mozilla Community Pastebin](https://paste.mozilla.org/) - Multi-Syntax / Markdown Support
|
* [Mozilla Community Pastebin](https://paste.mozilla.org/) - Multi-Syntax / Markdown Support
|
||||||
* [dpaste](https://dpaste.org/) / [Source](https://github.com/DarrenOfficial/dpaste) - Multi-Syntax / Markdown Support
|
* [dpaste](https://dpaste.org/) / [Source](https://github.com/DarrenOfficial/dpaste) - Multi-Syntax / Markdown Support
|
||||||
* [cryptgeon](https://cryptgeon.org/) / [Source](https://github.com/cupcakearmy/cryptgeon) - Single View / Plain Text
|
* [cryptgeon](https://cryptgeon.org/) / [Source](https://github.com/cupcakearmy/cryptgeon) - Single View / Plain Text
|
||||||
|
* [0bin](https://0bin.net/) - Multi-Syntax / Markdown Support
|
||||||
* [Paste.ee](https://paste.ee/) - Multi-Syntax / Markdown Support
|
* [Paste.ee](https://paste.ee/) - Multi-Syntax / Markdown Support
|
||||||
* [pst.moe](https://pst.moe/) / [Source](https://git.fuwafuwa.moe/lesderid/pastethingy) - Multi-Syntax / Markdown Support
|
* [pst.moe](https://pst.moe/) / [Source](https://git.fuwafuwa.moe/lesderid/pastethingy) - Multi-Syntax / Markdown Support
|
||||||
* [dpaste.com](https://dpaste.com/) - Multi-Syntax / Markdown Support
|
* [dpaste.com](https://dpaste.com/) - Multi-Syntax / Markdown Support
|
||||||
|
|
@ -73,6 +74,7 @@
|
||||||
* ⭐ **[Translate Web Pages](https://github.com/FilipePS/Traduzir-paginas-web)**, [OpenAI Translator](https://github.com/yetone/openai-translator), [Simple Translate](https://simple-translate.sienori.com/), [Saladict](https://saladict.crimx.com/), [Linguist Translator](https://github.com/translate-tools/linguist), [S3Translator](https://www.s3blog.org/s3translator.html), [Firefox Translations](https://addons.mozilla.org/en-US/firefox/addon/firefox-translations/), [ImmersiveTranslate](https://immersivetranslate.com/en/), [Mate Translate](https://gikken.co/mate-translate) or [ImTranslator](https://imtranslator.net/) - Translation Extensions
|
* ⭐ **[Translate Web Pages](https://github.com/FilipePS/Traduzir-paginas-web)**, [OpenAI Translator](https://github.com/yetone/openai-translator), [Simple Translate](https://simple-translate.sienori.com/), [Saladict](https://saladict.crimx.com/), [Linguist Translator](https://github.com/translate-tools/linguist), [S3Translator](https://www.s3blog.org/s3translator.html), [Firefox Translations](https://addons.mozilla.org/en-US/firefox/addon/firefox-translations/), [ImmersiveTranslate](https://immersivetranslate.com/en/), [Mate Translate](https://gikken.co/mate-translate) or [ImTranslator](https://imtranslator.net/) - Translation Extensions
|
||||||
* ⭐ **[DeepLX](https://github.com/OwO-Network/DeepLX)** or [DeepL](https://www.deepl.com/translator)
|
* ⭐ **[DeepLX](https://github.com/OwO-Network/DeepLX)** or [DeepL](https://www.deepl.com/translator)
|
||||||
* ⭐ **[Google Translate](https://translate.google.com/)**
|
* ⭐ **[Google Translate](https://translate.google.com/)**
|
||||||
|
* ⭐ **[/r/Translator](https://www.reddit.com/r/translator/)** - Translation Request Community
|
||||||
* [Crow Translate](https://crow-translate.github.io/) or [Argos](https://github.com/argosopentech/argos-translate) - Translation Apps
|
* [Crow Translate](https://crow-translate.github.io/) or [Argos](https://github.com/argosopentech/argos-translate) - Translation Apps
|
||||||
* [Translate Shell](https://www.soimort.org/translate-shell/) - Translation CLI / [github](https://github.com/soimort/translate-shell)
|
* [Translate Shell](https://www.soimort.org/translate-shell/) - Translation CLI / [github](https://github.com/soimort/translate-shell)
|
||||||
* [OnlineDocTranslator](https://www.onlinedoctranslator.com/en/) - Document Translator
|
* [OnlineDocTranslator](https://www.onlinedoctranslator.com/en/) - Document Translator
|
||||||
|
|
@ -150,7 +152,7 @@
|
||||||
|
|
||||||
## ▷ Emoji Indexes
|
## ▷ Emoji Indexes
|
||||||
|
|
||||||
* ⭐ **[Emojipedia](https://emojipedia.org/)** or [EmojiBatch](https://www.emojibatch.com/)
|
* ⭐ **[Emojipedia](https://emojipedia.org/)**, [EmojiDB](https://emojidb.org/) or [EmojiBatch](https://www.emojibatch.com/)
|
||||||
* [Emoji Engine](https://www.emojiengine.com/) - Multilingual Emoji Search
|
* [Emoji Engine](https://www.emojiengine.com/) - Multilingual Emoji Search
|
||||||
* [winMoji](https://www.winmoji.com/) - Emoji Managers
|
* [winMoji](https://www.winmoji.com/) - Emoji Managers
|
||||||
* [EmojiRequests](https://emojirequest.com/) - Custom User-Made Emojis
|
* [EmojiRequests](https://emojirequest.com/) - Custom User-Made Emojis
|
||||||
|
|
@ -209,7 +211,6 @@
|
||||||
* ⭐ **Obsidian Tools** - [Resources](https://github.com/kmaasrud/awesome-obsidian) / [Share Notes](https://noteshare.space/) / [Live Sync](https://github.com/vrtmrz/obsidian-livesync) / [Backup](https://github.com/denolehov/obsidian-git) / [ChatGPT Addon](https://github.com/logancyang/obsidian-copilot), [2](https://github.com/vasilecampeanu/obsidian-weaver)
|
* ⭐ **Obsidian Tools** - [Resources](https://github.com/kmaasrud/awesome-obsidian) / [Share Notes](https://noteshare.space/) / [Live Sync](https://github.com/vrtmrz/obsidian-livesync) / [Backup](https://github.com/denolehov/obsidian-git) / [ChatGPT Addon](https://github.com/logancyang/obsidian-copilot), [2](https://github.com/vasilecampeanu/obsidian-weaver)
|
||||||
* ⭐ **[Notion](https://www.notion.so/)**
|
* ⭐ **[Notion](https://www.notion.so/)**
|
||||||
* ⭐ **Notion Tools** - [Themes](https://notionthemes.yudax.me/) / [Templates](https://notionpages.com/) / [Resources](https://www.notioneverything.com/notion-world), [2](https://chief-ease-8ab.notion.site/List-of-200-Notion-Resources-e1b46cd365094265bd47b8a2b25bb41e) / [Guide](https://easlo.notion.site/Notion-Beginner-to-Advanced-8a492960b049433289c4a8d362204d20)
|
* ⭐ **Notion Tools** - [Themes](https://notionthemes.yudax.me/) / [Templates](https://notionpages.com/) / [Resources](https://www.notioneverything.com/notion-world), [2](https://chief-ease-8ab.notion.site/List-of-200-Notion-Resources-e1b46cd365094265bd47b8a2b25bb41e) / [Guide](https://easlo.notion.site/Notion-Beginner-to-Advanced-8a492960b049433289c4a8d362204d20)
|
||||||
* ⭐ **[Note Garden](https://notegarden.io/)** - Note-Taking / Auto Courses
|
|
||||||
* ⭐ **[Notesnook](https://notesnook.com/)**
|
* ⭐ **[Notesnook](https://notesnook.com/)**
|
||||||
* ⭐ **[AnyType](https://anytype.io/)**
|
* ⭐ **[AnyType](https://anytype.io/)**
|
||||||
* ⭐ **[Logseq](https://logseq.com/)**
|
* ⭐ **[Logseq](https://logseq.com/)**
|
||||||
|
|
@ -217,6 +218,7 @@
|
||||||
* [Desklamp](https://desklamp.io/) - Reading / Note Taking / Highlighting Tool / [Guide](https://app.desklamp.io/read?id=46b203c6-d8df-453d-b546-95a8fa7a44b9&mode=explore)
|
* [Desklamp](https://desklamp.io/) - Reading / Note Taking / Highlighting Tool / [Guide](https://app.desklamp.io/read?id=46b203c6-d8df-453d-b546-95a8fa7a44b9&mode=explore)
|
||||||
* [FromScratch](https://fromscratch.rocks/) - Note Taking
|
* [FromScratch](https://fromscratch.rocks/) - Note Taking
|
||||||
* [Kompad](https://kompad.vercel.app/) - Note Taking
|
* [Kompad](https://kompad.vercel.app/) - Note Taking
|
||||||
|
* [Note Garden](https://notegarden.io/) - Note-Taking / Auto Courses
|
||||||
* [benotes](https://benotes.org/) - Self-hosted Bookmarks and Note Taking
|
* [benotes](https://benotes.org/) - Self-hosted Bookmarks and Note Taking
|
||||||
* [Saber](https://saber.adil.hanney.org/) - Crossplatform Handwritten Notes
|
* [Saber](https://saber.adil.hanney.org/) - Crossplatform Handwritten Notes
|
||||||
* [Trilium](https://github.com/zadam/trilium) - Note Taking
|
* [Trilium](https://github.com/zadam/trilium) - Note Taking
|
||||||
|
|
@ -472,6 +474,7 @@
|
||||||
* [FONToMASS](https://m.vk.com/topic-178186634_39300099?offset=0)
|
* [FONToMASS](https://m.vk.com/topic-178186634_39300099?offset=0)
|
||||||
* [Font Squirrel](https://www.fontsquirrel.com/)
|
* [Font Squirrel](https://www.fontsquirrel.com/)
|
||||||
* [Free Fonts Family](https://freefontsfamily.com/)
|
* [Free Fonts Family](https://freefontsfamily.com/)
|
||||||
|
* [DFonts](https://www.dfonts.org/)
|
||||||
* [FontSpark](https://fontspark.com/)
|
* [FontSpark](https://fontspark.com/)
|
||||||
* [Velvetyne](https://velvetyne.fr/)
|
* [Velvetyne](https://velvetyne.fr/)
|
||||||
* [FontPair](https://www.fontpair.co/fonts)
|
* [FontPair](https://www.fontpair.co/fonts)
|
||||||
|
|
@ -539,6 +542,7 @@
|
||||||
* [DiscordFonts](https://lingojam.com/DiscordFonts)
|
* [DiscordFonts](https://lingojam.com/DiscordFonts)
|
||||||
* [MessLetters](https://www.messletters.com/)
|
* [MessLetters](https://www.messletters.com/)
|
||||||
* [Fancy Text](https://fancy-text.net/)
|
* [Fancy Text](https://fancy-text.net/)
|
||||||
|
* [FontGenerator](https://fontgenerator.cc/)
|
||||||
* [YayText](https://yaytext.com/)
|
* [YayText](https://yaytext.com/)
|
||||||
* [Font-Generator](https://www.font-generator.com/)
|
* [Font-Generator](https://www.font-generator.com/)
|
||||||
* [LingoJam](https://lingojam.com/WeirdTextGenerator)
|
* [LingoJam](https://lingojam.com/WeirdTextGenerator)
|
||||||
|
|
|
||||||
|
|
@ -171,11 +171,10 @@
|
||||||
* ⭐ **[TrackerStatus](https://trackerstatus.info/)** - Tracker Status Updates
|
* ⭐ **[TrackerStatus](https://trackerstatus.info/)** - Tracker Status Updates
|
||||||
* [TrackerChecker](https://github.com/NDDDDDDDDD/TrackerChecker) - Check if Private Trackers Open Signups
|
* [TrackerChecker](https://github.com/NDDDDDDDDD/TrackerChecker) - Check if Private Trackers Open Signups
|
||||||
* [/r/trackers](https://reddit.com/r/trackers) - Tracker Discussion
|
* [/r/trackers](https://reddit.com/r/trackers) - Tracker Discussion
|
||||||
* [/r/trackersignups](https://www.reddit.com/r/trackersignups/), [/r/OpenSignups](https://www.reddit.com/r/OpenSignups/) or [/r/OpenedSignups](https://www.reddit.com/r/OpenedSignups/) - Open Tracker Signup Subs
|
* [/r/OpenSignups](https://www.reddit.com/r/OpenSignups/) or [/r/OpenedSignups](https://www.reddit.com/r/OpenedSignups/) - Open Tracker Signup Subs
|
||||||
* [TheShow](https://theshow.click/login.php) - Open Registrations
|
* [TheShow](https://theshow.click/login.php) - Open Registrations
|
||||||
* [MyAnonaMouse](https://www.myanonamouse.net/) - Open Applications
|
* [MyAnonaMouse](https://www.myanonamouse.net/) - Open Applications
|
||||||
* [hdvinnie](https://hdvinnie.github.io/Private-Trackers-Spreadsheet/) - Open Tracker Invites
|
* [hdvinnie](https://hdvinnie.github.io/Private-Trackers-Spreadsheet/) - Private Tracker List
|
||||||
* [Tracker Tracker](https://docs.google.com/spreadsheets/d/1zYZ2107xOZwQ37AjLTc5A4dUJl0ilg8oMrZyA0BGvc0/) - Open Tracker Invites
|
|
||||||
* [OpenSignups](https://t.me/trackersignup) - Open Signups Private Trackers / Telegram
|
* [OpenSignups](https://t.me/trackersignup) - Open Signups Private Trackers / Telegram
|
||||||
* [Upload-Assistant](https://github.com/L4GSP1KE/Upload-Assistant) - Private Tracker Auto-Upload
|
* [Upload-Assistant](https://github.com/L4GSP1KE/Upload-Assistant) - Private Tracker Auto-Upload
|
||||||
* [TrackerScreenshot](https://github.com/KlevGG/TrackerScreenshot) - Auto Screenshot Tracker Stats
|
* [TrackerScreenshot](https://github.com/KlevGG/TrackerScreenshot) - Auto Screenshot Tracker Stats
|
||||||
|
|
|
||||||
|
|
@ -6,19 +6,17 @@
|
||||||
|
|
||||||
# ► Video Tools
|
# ► Video Tools
|
||||||
|
|
||||||
* ⭐ **[PixVerse](https://pixverse.ai/)** / [Discord](https://discord.com/invite/MXHErdJHMg), [StableVideo](https://www.stablevideo.com/) or [Stable Diffusion Videos](https://github.com/nateraw/stable-diffusion-videos) - AI Video Generators
|
* ⭐ **[PixVerse](https://pixverse.ai/)** / [Discord](https://discord.com/invite/MXHErdJHMg), [StableVideo](https://www.stablevideo.com/), [Haiper](https://haiper.ai/) or [Stable Diffusion Videos](https://github.com/nateraw/stable-diffusion-videos) - AI Video Generators
|
||||||
* ⭐ **[Waifu2x GUI](https://github.com/AaronFeng753/Waifu2x-Extension-GUI)**,[Video2x](https://github.com/k4yt3x/video2x), [Enhancr](https://github.com/mafiosnik777/enhancr) or [Dandere2x](https://github.com/akai-katto/dandere2x) - Video Upscalers
|
* ⭐ **[Waifu2x GUI](https://github.com/AaronFeng753/Waifu2x-Extension-GUI)**,[Video2x](https://github.com/k4yt3x/video2x), [Enhancr](https://github.com/mafiosnik777/enhancr) or [Dandere2x](https://github.com/akai-katto/dandere2x) - Video Upscalers
|
||||||
* ⭐ **[PlayPhrase](https://playphrase.me/)**, [clip.cafe](https://clip.cafe/), [ClipBase](https://clipbase.xyz/), [Filmot](https://filmot.com/) or [Yarn](https://yarn.co/) / [2](https://getyarn.io/) - Internet Clip Quote Search
|
* ⭐ **[PlayPhrase](https://playphrase.me/)**, [clip.cafe](https://clip.cafe/), [ClipBase](https://clipbase.xyz/), [Filmot](https://filmot.com/) or [Yarn](https://yarn.co/) / [2](https://getyarn.io/) - Internet Clip Quote Search
|
||||||
* [Synthesis Colab](https://github.com/camenduru/text-to-video-synthesis-colab), [text-to-video](https://text-to-video.vercel.app), [Text2Video-Zero](https://github.com/Picsart-AI-Research/Text2Video-Zero), [LensGo](https://lensgo.ai/), [Pika Labs](https://www.pika.art/) or [Damo](https://huggingface.co/spaces/damo-vilab/modelscope-text-to-video-synthesis) - Text to Video AIs
|
* [Synthesis Colab](https://github.com/camenduru/text-to-video-synthesis-colab), [text-to-video](https://text-to-video.vercel.app), [Text2Video-Zero](https://github.com/Picsart-AI-Research/Text2Video-Zero), [LensGo](https://lensgo.ai/), [Pika Labs](https://www.pika.art/) or [Damo](https://huggingface.co/spaces/damo-vilab/modelscope-text-to-video-synthesis) - Text to Video AIs
|
||||||
* [Rollideo](https://rollideo.com/) - Text to Subbed Video
|
* [Rollideo](https://rollideo.com/) - Text to Subbed Video
|
||||||
* [Video Llava](https://replicate.com/nateraw/video-llava) - Video Description AI
|
* [Video Llava](https://replicate.com/nateraw/video-llava) - Video Description AI
|
||||||
* [Brainrot.js](https://brainrotjs.com/) - AI Celebrity Discussion Short Video Generator
|
|
||||||
* [VCSI](https://github.com/amietn/vcsi) - Create Video Contact Sheets / Thumbnails
|
* [VCSI](https://github.com/amietn/vcsi) - Create Video Contact Sheets / Thumbnails
|
||||||
* [VMAF](https://github.com/Netflix/vmaf) - Video Quality Assessment
|
* [VMAF](https://github.com/Netflix/vmaf) - Video Quality Assessment
|
||||||
* [TinyVid](https://kamua.com/tinyvid), [VideoSmaller](https://www.videosmaller.com/), [YouCompress](https://www.youcompress.com/), [Compress Video Online](https://compress-video-online.com/), [8mb.video](https://8mb.video/) or [MP4Compress](https://www.mp4compress.com/) - Video Compressors
|
* [TinyVid](https://kamua.com/tinyvid), [VideoSmaller](https://www.videosmaller.com/), [YouCompress](https://www.youcompress.com/), [Compress Video Online](https://compress-video-online.com/), [8mb.video](https://8mb.video/) or [MP4Compress](https://www.mp4compress.com/) - Video Compressors
|
||||||
* [videoduplicatefinder](https://github.com/0x90d/videoduplicatefinder) - Duplicate Video Finder
|
* [videoduplicatefinder](https://github.com/0x90d/videoduplicatefinder) - Duplicate Video Finder
|
||||||
* [SimSwap](https://github.com/neuralchen/SimSwap) or [Roop](https://github.com/s0md3v/roop) - Video Face Swap Tools
|
* [SimSwap](https://github.com/neuralchen/SimSwap) or [Roop](https://github.com/s0md3v/roop) - Video Face Swap Tools
|
||||||
* [deepware](https://scanner.deepware.ai/) - Detect Deepfake Videos
|
|
||||||
* [ImgBurn](https://www.majorgeeks.com/files/details/imgburn.html), [DVDStyler](https://www.dvdstyler.org/en/), [DeepBurner](https://www.deepburner.com/) or [Alcohol Soft](https://www.alcohol-soft.com/) - CD / DVD Burning
|
* [ImgBurn](https://www.majorgeeks.com/files/details/imgburn.html), [DVDStyler](https://www.dvdstyler.org/en/), [DeepBurner](https://www.deepburner.com/) or [Alcohol Soft](https://www.alcohol-soft.com/) - CD / DVD Burning
|
||||||
* [MakeMKV](https://www.makemkv.com/) - Create MKV From Blu-ray / DVD
|
* [MakeMKV](https://www.makemkv.com/) - Create MKV From Blu-ray / DVD
|
||||||
* [VidCoder](https://vidcoder.net/) or [DVDDecrypter](http://dvddecrypter.org.uk/) - DVD / Blu-ray Ripping
|
* [VidCoder](https://vidcoder.net/) or [DVDDecrypter](http://dvddecrypter.org.uk/) - DVD / Blu-ray Ripping
|
||||||
|
|
@ -119,14 +117,16 @@
|
||||||
* [TwitchChat](https://twitchat.fr/) - Live Stream Manager / [Discord](https://discord.com/invite/fmqD2xUYvP)
|
* [TwitchChat](https://twitchat.fr/) - Live Stream Manager / [Discord](https://discord.com/invite/fmqD2xUYvP)
|
||||||
* [VDO Ninja](https://vdo.ninja/) - Live Stream Colab Tool
|
* [VDO Ninja](https://vdo.ninja/) - Live Stream Colab Tool
|
||||||
* [LiveStreamDVR](https://github.com/MrBrax/LiveStreamDVR) / [Display Chat](https://github.com/MrBrax/twitch-vod-chat) - Live Stream Recorders
|
* [LiveStreamDVR](https://github.com/MrBrax/LiveStreamDVR) / [Display Chat](https://github.com/MrBrax/twitch-vod-chat) - Live Stream Recorders
|
||||||
* [Owncast](https://owncast.online/) or [OpenStreamingPlatform](https://openstreamingplatform.com/) - Self-Hosted Live Streaming
|
* [Owncast](https://owncast.online/), [Restreamer](https://github.com/datarhei/restreamer) or [OpenStreamingPlatform](https://openstreamingplatform.com/) - Self-Hosted Live Streaming
|
||||||
* [WDFlat](https://www.wdflat.com/) - Stream Elements
|
* [WDFlat](https://www.wdflat.com/) - Stream Elements
|
||||||
* [Strem](https://github.com/strem-app/strem) - Stream Automation
|
* [Strem](https://github.com/strem-app/strem) - Stream Automation
|
||||||
* [ppInk](https://github.com/PubPub-zz/ppInk/), [glnk](https://github.com/geovens/gInk), [Annotate Screen](https://annotatescreen.com/) or [Live Draw](https://github.com/antfu/live-draw) - Screen Annotation
|
* [ppInk](https://github.com/PubPub-zz/ppInk/), [glnk](https://github.com/geovens/gInk), [Annotate Screen](https://annotatescreen.com/) or [Live Draw](https://github.com/antfu/live-draw) - Screen Annotation
|
||||||
|
* [Songify](https://songify.overcode.tv/) - Current Playing Song App
|
||||||
* [StreamPi](https://stream-pi.com/) or [ODeck](https://github.com/willianrod/ODeck) - ElGato Streamdeck Alternatives
|
* [StreamPi](https://stream-pi.com/) or [ODeck](https://github.com/willianrod/ODeck) - ElGato Streamdeck Alternatives
|
||||||
* [VTuber Kit](https://kyuppin.itch.io/vtuber-kit), [Inochi2D](https://inochi2d.com/) / [Discord](https://discord.com/invite/abnxwN6r9v) or [Vtube Studio](https://denchisoft.com/) - VTuber Apps
|
* [VTuber Kit](https://kyuppin.itch.io/vtuber-kit), [Inochi2D](https://inochi2d.com/) / [Discord](https://discord.com/invite/abnxwN6r9v) or [Vtube Studio](https://denchisoft.com/) - VTuber Apps
|
||||||
* [Kalidoface 3D](https://3d.kalidoface.com/), [VRoid](https://vroid.com/en/studio), [Animaze](https://www.animaze.us/) or [TransTube](https://girkovarpa.itch.io/transtube) - VTuber Characters
|
* [Kalidoface 3D](https://3d.kalidoface.com/), [VRoid](https://vroid.com/en/studio), [Animaze](https://www.animaze.us/) or [TransTube](https://girkovarpa.itch.io/transtube) - VTuber Characters
|
||||||
* [avatarify-python](https://github.com/alievk/avatarify-python) or [veadotube](https://olmewe.itch.io/veadotube-mini) - Video Call Avatars
|
* [avatarify-python](https://github.com/alievk/avatarify-python) or [veadotube](https://olmewe.itch.io/veadotube-mini) - Video Call Avatars
|
||||||
|
* [VTuberized Logos](https://vtuber-style-logos.vercel.app/) - VTuber Style Logos
|
||||||
* [real-url](https://github.com/wbt5/real-url) - Copy Live Stream URLs
|
* [real-url](https://github.com/wbt5/real-url) - Copy Live Stream URLs
|
||||||
* [Chat-Downloader](https://github.com/xenova/chat-downloader) - Retrieve Chat Messages from Livestreams
|
* [Chat-Downloader](https://github.com/xenova/chat-downloader) - Retrieve Chat Messages from Livestreams
|
||||||
|
|
||||||
|
|
@ -310,6 +310,7 @@
|
||||||
* [TubeOffline](https://www.tubeoffline.com/) - Multi-Site / Online
|
* [TubeOffline](https://www.tubeoffline.com/) - Multi-Site / Online
|
||||||
* [VideoFK](https://www.videofk.com/) - Multi-Site / Online
|
* [VideoFK](https://www.videofk.com/) - Multi-Site / Online
|
||||||
* [SASRIP](https://sasrip.sas41.com/) - Multi-Site / Online
|
* [SASRIP](https://sasrip.sas41.com/) - Multi-Site / Online
|
||||||
|
* [Paste2Download](https://www.paste2download.com/) - Multi-Site / Online / 720p / [Supported Sites](https://pastes.fmhy.net/0rfFsE)
|
||||||
* [you-get](https://you-get.org/) - Multi-Site / CLI
|
* [you-get](https://you-get.org/) - Multi-Site / CLI
|
||||||
* [Hitomi Downloader](https://github.com/KurtBestor/Hitomi-Downloader) - Multi-Site / Software
|
* [Hitomi Downloader](https://github.com/KurtBestor/Hitomi-Downloader) - Multi-Site / Software
|
||||||
* [Yout](https://yout.com/) - Multi-Site / Online
|
* [Yout](https://yout.com/) - Multi-Site / Online
|
||||||
|
|
@ -421,7 +422,7 @@
|
||||||
|
|
||||||
* 🌐 **[Creator Resources](https://www.newgrounds.com/wiki/creator-resources/)** - Art & Animation Resource Index
|
* 🌐 **[Creator Resources](https://www.newgrounds.com/wiki/creator-resources/)** - Art & Animation Resource Index
|
||||||
* ⭐ **[Unreal Engine](https://www.unrealengine.com/)**, [MoonRay](https://openmoonray.org/), [cgsoftbox](https://t.me/cgsoftbox), [SketchUp](https://www.sketchup.com/) or [Twinmotion](https://www.twinmotion.com/en-US) - 3D Creation Tools
|
* ⭐ **[Unreal Engine](https://www.unrealengine.com/)**, [MoonRay](https://openmoonray.org/), [cgsoftbox](https://t.me/cgsoftbox), [SketchUp](https://www.sketchup.com/) or [Twinmotion](https://www.twinmotion.com/en-US) - 3D Creation Tools
|
||||||
* ⭐ **[LeiaPix](https://www.leiapix.com/)** - 2D Image to 3D Animation Tool
|
* ⭐ **[Immersity AI](https://www.immersity.ai/)** - 2D Image to 3D Animation Tool
|
||||||
* [OpenToonz](https://opentoonz.github.io/e/), [Wick Editor](https://www.wickeditor.com/editor/), [Clipnote Studio](https://calcium-chan.itch.io/clipnote) or [Pencil2D](https://www.pencil2d.org/) - Animation Tools
|
* [OpenToonz](https://opentoonz.github.io/e/), [Wick Editor](https://www.wickeditor.com/editor/), [Clipnote Studio](https://calcium-chan.itch.io/clipnote) or [Pencil2D](https://www.pencil2d.org/) - Animation Tools
|
||||||
* [Animaker](https://www.animaker.com/) - Animated Video Creator
|
* [Animaker](https://www.animaker.com/) - Animated Video Creator
|
||||||
* [CG_Hacker](https://t.me/CG_Hacker), [cg_tuts](https://t.me/cg_tuts) or [cgreferenceshub](https://t.me/cgreferenceshub) - CG Tutorials
|
* [CG_Hacker](https://t.me/CG_Hacker), [cg_tuts](https://t.me/cg_tuts) or [cgreferenceshub](https://t.me/cgreferenceshub) - CG Tutorials
|
||||||
|
|
@ -443,7 +444,7 @@
|
||||||
* [LibreSprite](https://libresprite.github.io/), [Pixel Compresor](https://makham.itch.io/pixel-composer), [JPixel](https://emad.itch.io/jpixel) or [SpookyGhost](https://encelo.itch.io/spookyghost) - Pixel Art Animation Tools
|
* [LibreSprite](https://libresprite.github.io/), [Pixel Compresor](https://makham.itch.io/pixel-composer), [JPixel](https://emad.itch.io/jpixel) or [SpookyGhost](https://encelo.itch.io/spookyghost) - Pixel Art Animation Tools
|
||||||
* [Animated Drawings](https://sketch.metademolab.com/), [FAIR Animated Drawings](https://fairanimateddrawings.com/site/home) or [MotorPen](https://motorpen.com/) - Animate Drawings
|
* [Animated Drawings](https://sketch.metademolab.com/), [FAIR Animated Drawings](https://fairanimateddrawings.com/site/home) or [MotorPen](https://motorpen.com/) - Animate Drawings
|
||||||
* [FlipAnim](https://flipanim.com/) - Create Animated Flipbooks
|
* [FlipAnim](https://flipanim.com/) - Create Animated Flipbooks
|
||||||
* [Picrew](https://picrew.me/) - Animated Character Maker
|
* [Viggle](https://viggle.ai/) / [Discord](https://discord.com/invite/viggle) or [Picrew](https://picrew.me/) - Animated Character Creators
|
||||||
* [Mixamo](https://www.mixamo.com/) or [Cascadeur](https://cascadeur.com/) - 3D Character Animation Tools
|
* [Mixamo](https://www.mixamo.com/) or [Cascadeur](https://cascadeur.com/) - 3D Character Animation Tools
|
||||||
* [MMHuman3D](https://github.com/open-mmlab/mmhuman3d) - 3D Human Model Creator
|
* [MMHuman3D](https://github.com/open-mmlab/mmhuman3d) - 3D Human Model Creator
|
||||||
* [Talking Face Avatar](https://github.com/saba99/Talking_Face_Avatar) - Talking Avatar Generator
|
* [Talking Face Avatar](https://github.com/saba99/Talking_Face_Avatar) - Talking Avatar Generator
|
||||||
|
|
|
||||||
|
|
@ -9,14 +9,15 @@
|
||||||
## ▷ Multi Server
|
## ▷ Multi Server
|
||||||
|
|
||||||
* 🌐 **[movie-web](https://erynith.github.io/movie-web-instances/)** - Movies / TV / Anime / 4K / 1080p / Ad-Free / [Add Sources](https://docs.sudo-flix.lol/extension) / [Docs](https://docs.sudo-flix.lol/) / [Discord](https://discord.gg/EDYT5bjSvp)
|
* 🌐 **[movie-web](https://erynith.github.io/movie-web-instances/)** - Movies / TV / Anime / 4K / 1080p / Ad-Free / [Add Sources](https://docs.sudo-flix.lol/extension) / [Docs](https://docs.sudo-flix.lol/) / [Discord](https://discord.gg/EDYT5bjSvp)
|
||||||
* ⭐ **[Binged](https://binged.live/)**, [2](https://binge.lol/), [3](https://binged.in/) - Movies / TV / Anime / 4K / 1080p / [Discord](https://discord.gg/f2SvhcKCKS)
|
|
||||||
* ⭐ **[Braflix](https://www.braflix.so/)** - Movies / TV / Anime / 4K / 1080p / [Discord](https://discord.gg/wWKmxARaWH) / [Note](https://pastebin.com/4qWrYKtH)
|
* ⭐ **[Braflix](https://www.braflix.so/)** - Movies / TV / Anime / 4K / 1080p / [Discord](https://discord.gg/wWKmxARaWH) / [Note](https://pastebin.com/4qWrYKtH)
|
||||||
|
* ⭐ **[Binged](https://binged.live/)**, [2](https://binge.lol/), [3](https://binged.in/) - Movies / TV / Anime / 4K / 1080p / [Discord](https://discord.gg/f2SvhcKCKS)
|
||||||
* ⭐ **[FMovies](https://fmovies24.to/)** - Movies / TV / Anime / 1080p / [Mirrors](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/storage#wiki_fmovies_clones)
|
* ⭐ **[FMovies](https://fmovies24.to/)** - Movies / TV / Anime / 1080p / [Mirrors](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/storage#wiki_fmovies_clones)
|
||||||
* ⭐ **[watch.lonelil](https://watch.lonelil.ru/)** - Movies / TV / Anime / 4K / 1080p / [Discord](https://discord.com/invite/BKts6Jb5sA) / [Telegram](https://t.me/watchlonelil)
|
* ⭐ **[watch.lonelil](https://watch.lonelil.ru/)** - Movies / TV / Anime / 4K / 1080p / [Discord](https://discord.com/invite/BKts6Jb5sA) / [Telegram](https://t.me/watchlonelil)
|
||||||
* ⭐ **[NunFlix](https://nunflix.com/)** - Movies / TV / Anime / 4K / 1080p / [Discord](https://discord.gg/CXVyfhgn26)
|
* ⭐ **[NunFlix](https://nunflix.com/)** - Movies / TV / Anime / 4K / 1080p / [Discord](https://discord.gg/CXVyfhgn26)
|
||||||
* ⭐ **[HydraHD](https://hydrahd.com/)** - Movies / TV / Anime / 1080p
|
* ⭐ **[HydraHD](https://hydrahd.com/)** - Movies / TV / Anime / 1080p
|
||||||
* ⭐ **[SusFlix](https://susflix.tv/)**, [2](https://www.susmovies.lol/), [3](https://sushbo.com/), [4](https://hbosus.com) - Movies / TV / Anime / 4K / 1080p / Ad-Free / Sign-Up Required / [Discord](https://discord.gg/BE7kTVezBN)
|
* ⭐ **[SusFlix](https://susflix.tv/)**, [2](https://www.susmovies.lol/), [3](https://sushbo.com/), [4](https://hbosus.com) - Movies / TV / Anime / 4K / 1080p / Ad-Free / Sign-Up Required / [Discord](https://discord.gg/BE7kTVezBN)
|
||||||
* ⭐ **[KipFlix](https://kipflix.vercel.app/)** - Movies / TV / Anime / 1080p / [Discord](https://discord.gg/tDKYeh9eQn)
|
* ⭐ **[KipFlix](https://kipflix.vercel.app/)** - Movies / TV / Anime / 1080p / [Discord](https://discord.gg/tDKYeh9eQn)
|
||||||
|
* ⭐ **[Watching Zone](https://www.watching.zone/)** - Movies / TV / Anime / 1080p
|
||||||
* ⭐ **[PrimeFlix](https://primeflix.lol/)** - Movies / TV / Anime / 4K / 1080p / [Discord](https://discord.gg/GbW6gzAKgc)
|
* ⭐ **[PrimeFlix](https://primeflix.lol/)** - Movies / TV / Anime / 4K / 1080p / [Discord](https://discord.gg/GbW6gzAKgc)
|
||||||
* ⭐ **[SFlix](https://sflix.to/)** - Movies / TV / Anime / 1080p / [Mirrors](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/storage#wiki_sflix_clones)
|
* ⭐ **[SFlix](https://sflix.to/)** - Movies / TV / Anime / 1080p / [Mirrors](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/storage#wiki_sflix_clones)
|
||||||
* ⭐ **[MovieBeams](https://moviebeamz.com/)** - Movies / TV / Anime / 4K / 1080p
|
* ⭐ **[MovieBeams](https://moviebeamz.com/)** - Movies / TV / Anime / 4K / 1080p
|
||||||
|
|
|
||||||
|
|
@ -12,7 +12,7 @@
|
||||||
* ↪️ **[Game Soundtracks](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/audio#wiki_.25B7_game_soundtracks)**
|
* ↪️ **[Game Soundtracks](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/audio#wiki_.25B7_game_soundtracks)**
|
||||||
* ⭐ **[Library of Codexes](https://libraryofcodexes.com/)** - Game Codex Library
|
* ⭐ **[Library of Codexes](https://libraryofcodexes.com/)** - Game Codex Library
|
||||||
* ⭐ **[HowLongToBeat](https://howlongtobeat.com/)** - Find Average Game Lengths
|
* ⭐ **[HowLongToBeat](https://howlongtobeat.com/)** - Find Average Game Lengths
|
||||||
* ⭐ **[r/tipofmyjoystick](https://www.reddit.com/r/tipofmyjoystick/)** - Find Games via Screenshot or Description
|
* ⭐ **[/r/tipofmyjoystick](https://www.reddit.com/r/tipofmyjoystick/)** - Find Games via Screenshot or Description
|
||||||
* ⭐ **[Game Pauser](https://madebyjase.com/game-pauser/)** - Pause Unpausable Cutscenes
|
* ⭐ **[Game Pauser](https://madebyjase.com/game-pauser/)** - Pause Unpausable Cutscenes
|
||||||
* ⭐ **[Valve Archive](https://valvearchive.com/)** - Rare Valve Data Archive
|
* ⭐ **[Valve Archive](https://valvearchive.com/)** - Rare Valve Data Archive
|
||||||
* [NIWA](https://www.niwanetwork.org/) - Nintendo Independent Wiki Alliance / [Discord](https://discord.gg/59Mq6qB )
|
* [NIWA](https://www.niwanetwork.org/) - Nintendo Independent Wiki Alliance / [Discord](https://discord.gg/59Mq6qB )
|
||||||
|
|
@ -27,6 +27,7 @@
|
||||||
* [Challonge](https://challonge.com/) - Tournament Creator / Manager
|
* [Challonge](https://challonge.com/) - Tournament Creator / Manager
|
||||||
* [Archipelago](https://archipelago.gg/) - Multi-Game Randomizer
|
* [Archipelago](https://archipelago.gg/) - Multi-Game Randomizer
|
||||||
* [Medal](https://medal.tv/) - Shadowplay for non Nvidia Cards / [Premium Bypass](https://medalbypass.vercel.app/)
|
* [Medal](https://medal.tv/) - Shadowplay for non Nvidia Cards / [Premium Bypass](https://medalbypass.vercel.app/)
|
||||||
|
* [RePlays](https://github.com/lulzsun/RePlays) - Game Recording Manager
|
||||||
* [Moments](https://steelseries.com/gg/moments) - Game Clip Tool
|
* [Moments](https://steelseries.com/gg/moments) - Game Clip Tool
|
||||||
* [Scanlines for Windows](https://s4windows.itch.io/scanlines-for-windows) - Add Scanlines to Games / [Discord](https://discord.gg/MqxMj8MT55)
|
* [Scanlines for Windows](https://s4windows.itch.io/scanlines-for-windows) - Add Scanlines to Games / [Discord](https://discord.gg/MqxMj8MT55)
|
||||||
* [Keystrokes](https://www.deviantart.com/jaxoriginals/art/Keystrokes-v1-3-889349339) - Keystrokes Overlay
|
* [Keystrokes](https://www.deviantart.com/jaxoriginals/art/Keystrokes-v1-3-889349339) - Keystrokes Overlay
|
||||||
|
|
@ -382,6 +383,7 @@
|
||||||
* [/r/XboxHomebrew](https://www.reddit.com/r/XboxHomebrew/) - Xbox One/Series Homebrew Subreddit
|
* [/r/XboxHomebrew](https://www.reddit.com/r/XboxHomebrew/) - Xbox One/Series Homebrew Subreddit
|
||||||
* [/r/360Hacks Guide](https://redd.it/8y9jql) - Xbox 360 Modding Guide
|
* [/r/360Hacks Guide](https://redd.it/8y9jql) - Xbox 360 Modding Guide
|
||||||
* [C-Xbox Tool](https://gbatemp.net/download/c-xbox-tool.7615/) - .XBE to ISO File Converter
|
* [C-Xbox Tool](https://gbatemp.net/download/c-xbox-tool.7615/) - .XBE to ISO File Converter
|
||||||
|
* [NKit](https://wiki.gbatemp.net/wiki/NKit) - Disc Image Processor
|
||||||
* [NASOS](https://download.digiex.net/Consoles/GameCube/Apps/NASOSbeta1.rar) - Gamecube iso.dec to ISO Converter
|
* [NASOS](https://download.digiex.net/Consoles/GameCube/Apps/NASOSbeta1.rar) - Gamecube iso.dec to ISO Converter
|
||||||
* [hakchi2 CE](https://github.com/TeamShinkansen/Hakchi2-CE) / [Discord](https://discord.gg/UUvqsAR) - Add More Roms to NES/SNES Classic Mini
|
* [hakchi2 CE](https://github.com/TeamShinkansen/Hakchi2-CE) / [Discord](https://discord.gg/UUvqsAR) - Add More Roms to NES/SNES Classic Mini
|
||||||
* [Easy Guide to Making Amiibo](https://redd.it/5ywlol) - How to Make Your Own Amiibo
|
* [Easy Guide to Making Amiibo](https://redd.it/5ywlol) - How to Make Your Own Amiibo
|
||||||
|
|
@ -671,6 +673,7 @@
|
||||||
* [TTs Online](https://redd.it/ie6gi7) - MKW Online Time Trials Mod
|
* [TTs Online](https://redd.it/ie6gi7) - MKW Online Time Trials Mod
|
||||||
* [CTGPRecords](https://www.youtube.com/@CTGPRecords) - Custom Track Records / Videos
|
* [CTGPRecords](https://www.youtube.com/@CTGPRecords) - Custom Track Records / Videos
|
||||||
* [MaxVRList](https://maxvrlist.com/) - VR Leaderboards
|
* [MaxVRList](https://maxvrlist.com/) - VR Leaderboards
|
||||||
|
* [xer](https://xer.fr/mkw) - MKW Item Probabilities
|
||||||
* Tockdom Wikis - [MKW](https://wiki.tockdom.com/wiki/Main_Page) / [MK8](https://mk8.tockdom.com/) / [MK3DS](https://mk3ds.com/) / [MKDS](https://wiki.dshack.org/) / [MKDD](https://mkdd.org/) - Custom Mario Kart Wikis
|
* Tockdom Wikis - [MKW](https://wiki.tockdom.com/wiki/Main_Page) / [MK8](https://mk8.tockdom.com/) / [MK3DS](https://mk3ds.com/) / [MKDS](https://wiki.dshack.org/) / [MKDD](https://mkdd.org/) - Custom Mario Kart Wikis
|
||||||
* [Custom Track Tutorial](https://wiki.tockdom.com/wiki/Custom_Track_Tutorial) - How-to Make Custom MKW Tracks
|
* [Custom Track Tutorial](https://wiki.tockdom.com/wiki/Custom_Track_Tutorial) - How-to Make Custom MKW Tracks
|
||||||
* [MKW Texture Hacks](https://wiki.tockdom.com/wiki/Texture_Hack_Distribution) - Custom MKW Textures
|
* [MKW Texture Hacks](https://wiki.tockdom.com/wiki/Texture_Hack_Distribution) - Custom MKW Textures
|
||||||
|
|
@ -748,7 +751,7 @@
|
||||||
## ▷ Tabletop Tools
|
## ▷ Tabletop Tools
|
||||||
|
|
||||||
* 🌐 **[Awesome TTRPG](https://github.com/Zireael07/awesome-tabletop-rpgs)** - Online TTRPGs / Resources
|
* 🌐 **[Awesome TTRPG](https://github.com/Zireael07/awesome-tabletop-rpgs)** - Online TTRPGs / Resources
|
||||||
* 🌐 **[5ETools](https://5e.tools/)**, [Kassoon](https://www.kassoon.com/dnd/) or [DragonsFoot](https://www.dragonsfoot.org/) - Dungeons & Dragons Tools
|
* 🌐 **[5ETools](https://5e.tools/)**, [Roll for Fantasy](https://rollforfantasy.com/), [Kassoon](https://www.kassoon.com/dnd/) or [DragonsFoot](https://www.dragonsfoot.org/) - TTRPG Tools
|
||||||
* ⭐ **[dice.run](https://dice.run/)**, [Random Dice](http://www.dicesimulator.com/), [Desktop Dice](https://girkovarpa.itch.io/desktopdice) or [Google Dice](https://g.co/kgs/fVJuzq) - Dice Simulators
|
* ⭐ **[dice.run](https://dice.run/)**, [Random Dice](http://www.dicesimulator.com/), [Desktop Dice](https://girkovarpa.itch.io/desktopdice) or [Google Dice](https://g.co/kgs/fVJuzq) - Dice Simulators
|
||||||
* ⭐ **[Kanka](https://kanka.io/en-US)** - Tabletop RPG Manager
|
* ⭐ **[Kanka](https://kanka.io/en-US)** - Tabletop RPG Manager
|
||||||
* [RPG.net](https://forum.rpg.net/) - RPG Forums
|
* [RPG.net](https://forum.rpg.net/) - RPG Forums
|
||||||
|
|
|
||||||
82
img-tools.md
82
img-tools.md
|
|
@ -6,6 +6,23 @@
|
||||||
|
|
||||||
# ► Image Editing
|
# ► Image Editing
|
||||||
|
|
||||||
|
* ⭐ **[Remove Background Web](https://huggingface.co/spaces/Xenova/remove-background-web)**, [remove.bg](https://www.remove.bg/), [RemoveBG-GIMP](https://github.com/manu12121999/RemoveBG-GIMP), [Rembg](https://github.com/danielgatis/rembg), [Adobe Express Background Remover](https://www.adobe.com/express/feature/image/remove-background) or [magic-copy](https://github.com/kevmo314/magic-copy) - Background Removers
|
||||||
|
* [Scribus](https://www.scribus.net/) - Page Layout & Typesetting Program
|
||||||
|
* [FilmDev](https://filmdev.org/) - Film Development Recipes
|
||||||
|
* [StyleCLIP](https://github.com/orpatashnik/StyleCLIP) - Text Driven Image Manipulation / [Video](https://youtu.be/5icI0NgALnQ)
|
||||||
|
* [Images.weserv.nl](https://images.weserv.nl/) - Image Editing Server
|
||||||
|
* [Craft](https://www.invisionapp.com/craft) - Photoshop / Sketch Plugins
|
||||||
|
* [Preset.id](https://preset.id/) - Adobe Lightroom Presets
|
||||||
|
* [GradientArt](https://gra.dient.art/) or [TailBlend](https://tailblend.vercel.app/) - Gradient Editor
|
||||||
|
* [VeoLuz](https://jaredforsyth.com/veoluz/) - Photon Path Art Tool
|
||||||
|
* [Canvas](https://www.nvidia.com/en-us/studio/canvas/) - Turn Simple Art into Photo Realistic Landscapes
|
||||||
|
* [Lama Cleaner](https://lama-cleaner-docs.vercel.app/), [Inpaint](https://theinpaint.com/), [Magic Eraser](https://magicstudio.com/magiceraser), [Remover](https://remover.zmo.ai/), [IOPaint](https://github.com/Sanster/IOPaint), [Cleanup.pictures](https://cleanup.pictures/), [ObjectRemover](https://objectremover.com/), [Segment Anything](https://segment-anything.com/), [ImageCleanr](https://www.imagecleanr.com), [Samist](https://github.com/dibrale/samist), [hama](https://www.hama.app/) or [sd-webui-segment-anything](https://github.com/continue-revolution/sd-webui-segment-anything) - Image Segmentation / Object Removal
|
||||||
|
* [Supershots](https://superblog.ai/supershots/) - Add Backgrounds to Images
|
||||||
|
* [Image Splitter](https://ruyili.ca/image-splitter/) - Split Images into Tiles
|
||||||
|
* [PicFont](https://picfont.com/) - Add Text to Images
|
||||||
|
|
||||||
|
***
|
||||||
|
|
||||||
## ▷ Editing Software
|
## ▷ Editing Software
|
||||||
|
|
||||||
* ⭐ **[Photoshop](https://w14.monkrus.ws/)** - Use a [VPN](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/adblock-vpn-privacy#wiki_.25BA_vpn) + [Client](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/torrent#wiki_.25BA_torrent_clients)
|
* ⭐ **[Photoshop](https://w14.monkrus.ws/)** - Use a [VPN](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/adblock-vpn-privacy#wiki_.25BA_vpn) + [Client](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/torrent#wiki_.25BA_torrent_clients)
|
||||||
|
|
@ -78,6 +95,7 @@
|
||||||
* [Ilaria Upscaler](https://huggingface.co/spaces/TheStinger/Ilaria_Upscaler) - Image Upscaling
|
* [Ilaria Upscaler](https://huggingface.co/spaces/TheStinger/Ilaria_Upscaler) - Image Upscaling
|
||||||
* [Crunch](https://github.com/chrissimpkins/Crunch) - Image Upscaling
|
* [Crunch](https://github.com/chrissimpkins/Crunch) - Image Upscaling
|
||||||
* [PNG-Upscale](https://github.com/Araxeus/PNG-Upscale) - Image Upscaling
|
* [PNG-Upscale](https://github.com/Araxeus/PNG-Upscale) - Image Upscaling
|
||||||
|
* [Photo Magic AI](http://photomagicai.com/) - Image Upscaling
|
||||||
* [Superimage](https://superimage.io/) - Image Upscaling
|
* [Superimage](https://superimage.io/) - Image Upscaling
|
||||||
* [ImageScaler](https://github.com/RoanH/ImageScaler/) - Image Upscaling
|
* [ImageScaler](https://github.com/RoanH/ImageScaler/) - Image Upscaling
|
||||||
* [Upscaler Stockphotos](https://upscaler.stockphotos.com/) - Image Upscaling
|
* [Upscaler Stockphotos](https://upscaler.stockphotos.com/) - Image Upscaling
|
||||||
|
|
@ -91,21 +109,19 @@
|
||||||
|
|
||||||
***
|
***
|
||||||
|
|
||||||
## ▷ Compress / Resize
|
## ▷ Image Optimization
|
||||||
|
|
||||||
* ⭐ **[ImageMagick](https://imagemagick.org/index.php)** / [Scripts](https://www.fmwconcepts.com/imagemagick/index.php)
|
* ↪️ **[Image Compressors](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/storage#wiki_image_compressors)**
|
||||||
* ⭐ **[Pingo](https://css-ig.net/pingo)** / [GUI](https://css-ig.net/pinga), [RIOT](https://riot-optimizer.com/), [YOGA](https://yoga.flozz.org/) or [ImageFoo](https://imagefoo.com/) - Image Optimization Tools
|
* ↪️ **[Image Converters](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/storage#wiki_image_converters)**
|
||||||
* ⭐ **[Squoosh](https://squoosh.app/)**, [CompressOrDie](https://compress-or-die.com/), [TinyJPG](https://tinyjpg.com/), [ImageCompresser](https://imagecompresser.com/), [Caesium](https://saerasoft.com/caesium/), [ImageSmaller](https://www.imagesmaller.com/), [Compress JPEG](https://compressjpeg.com/), [CompressImage](https://compressimage.io/), [CrushImage](https://crushimage.com/), [ShrinkMe](https://shrinkme.app/), [Crushee](https://crushee.app/), [Seopix](https://www.seopix.io/), [Imagator](https://imagator.co/), [Compressor](https://compressor.io/) or [Batch Compress](https://batchcompress.com/en) - Image Compressors
|
* ↪️ **[Image Resizing](https://www.reddit.com/r/FREEMEDIAHECKYEAH/wiki/storage#wiki_image_resizing)**
|
||||||
* [Bulk Image Convert](https://bulkimageconvert.com), [Convertmyimage](https://convert-my-image.com/), [ImageConvert](https://imageconvert.org/), [imverter](https://www.imverter.com/), [Raw Pics](https://raw.pics.io/) or [Converseen](https://converseen.fasterland.net/) - Image Converters
|
* ⭐ **[ImageMagick](https://imagemagick.org/index.php)** - Image Optimization / [Scripts](https://www.fmwconcepts.com/imagemagick/index.php)
|
||||||
|
* ⭐ **[Pingo](https://css-ig.net/pingo)** - Image Optimization / [GUI](https://css-ig.net/pinga)
|
||||||
|
* [Croppola](https://croppola.com/), [Bulk Image Crop](https://bulkimagecrop.com/) or [Avatar Cropper](https://avatarcropper.com/) - Cropping Tools
|
||||||
|
* [RIOT](https://riot-optimizer.com/) - Image Optimization
|
||||||
|
* [YOGA](https://yoga.flozz.org/) - Image Optimization
|
||||||
|
* [ImageFoo](https://imagefoo.com/) - Image Optimization
|
||||||
|
* [tiny.pictures](https://tiny.pictures/) - Image Optimization
|
||||||
* [ImageWorsener](https://entropymine.com/imageworsener/) - Image Filters / Blur / Resizing
|
* [ImageWorsener](https://entropymine.com/imageworsener/) - Image Filters / Blur / Resizing
|
||||||
* [tiny.pictures](https://tiny.pictures/) - Optimize Images
|
|
||||||
* [Bulk Image Resize](https://bulkimageresize.com/) - Resize Images / [Crop](https://bulkimagecrop.com/) / [Compress](https://imagecompressr.com/)
|
|
||||||
* [Croppola](https://croppola.com/) or [Avatar Cropper](https://avatarcropper.com/) - Cropping Tools
|
|
||||||
* [Simple Image Resizer](https://www.simpleimageresizer.com/), [ImageResizer](https://imageresizer.com/), [PicResize](https://picresize.com/), [Birme](https://www.birme.net/) or [ResizeNow](https://www.resizenow.com/en), [BulkResizePhotos](https://bulkresizephotos.com/) - Resize Images
|
|
||||||
* [Resize App Icon](https://resizeappicon.com/) - Resize Square Images
|
|
||||||
* [PixelHunter](https://pixelhunter.io/) - Resize Images for Different Sites
|
|
||||||
* [TinyPNG](https://tinypng.com/), [Compress PNG](https://compresspng.com/), [OxiPNG](https://github.com/shssoichiro/oxipng) or [PNGQuant](https://pngquant.org/) - PNG Compressors
|
|
||||||
* [JPEG.rocks](https://jpeg.rocks/) - JPEG Re-Encoder
|
|
||||||
|
|
||||||
***
|
***
|
||||||
|
|
||||||
|
|
@ -139,25 +155,6 @@
|
||||||
|
|
||||||
***
|
***
|
||||||
|
|
||||||
## ▷ Editing Tools
|
|
||||||
|
|
||||||
* ⭐ **[Remove Background Web](https://huggingface.co/spaces/Xenova/remove-background-web)**, [remove.bg](https://www.remove.bg/), [RemoveBG-GIMP](https://github.com/manu12121999/RemoveBG-GIMP), [Rembg](https://github.com/danielgatis/rembg), [Adobe Express Background Remover](https://www.adobe.com/express/feature/image/remove-background) or [magic-copy](https://github.com/kevmo314/magic-copy) - Background Removers
|
|
||||||
* [Scribus](https://www.scribus.net/) - Page Layout & Typesetting Program
|
|
||||||
* [FilmDev](https://filmdev.org/) - Film Development Recipes
|
|
||||||
* [StyleCLIP](https://github.com/orpatashnik/StyleCLIP) - Text Driven Image Manipulation / [Video](https://youtu.be/5icI0NgALnQ)
|
|
||||||
* [Images.weserv.nl](https://images.weserv.nl/) - Image Editing Server
|
|
||||||
* [Craft](https://www.invisionapp.com/craft) - Photoshop / Sketch Plugins
|
|
||||||
* [Preset.id](https://preset.id/) - Adobe Lightroom Presets
|
|
||||||
* [GradientArt](https://gra.dient.art/) or [TailBlend](https://tailblend.vercel.app/) - Gradient Editor
|
|
||||||
* [VeoLuz](https://jaredforsyth.com/veoluz/) - Photon Path Art Tool
|
|
||||||
* [Canvas](https://www.nvidia.com/en-us/studio/canvas/) - Turn Simple Art into Photo Realistic Landscapes
|
|
||||||
* [Lama Cleaner](https://lama-cleaner-docs.vercel.app/), [Inpaint](https://theinpaint.com/), [Magic Eraser](https://magicstudio.com/magiceraser), [Remover](https://remover.zmo.ai/), [IOPaint](https://github.com/Sanster/IOPaint), [Cleanup.pictures](https://cleanup.pictures/), [ObjectRemover](https://objectremover.com/), [Segment Anything](https://segment-anything.com/), [ImageCleanr](https://www.imagecleanr.com), [Samist](https://github.com/dibrale/samist), [hama](https://www.hama.app/) or [sd-webui-segment-anything](https://github.com/continue-revolution/sd-webui-segment-anything) - Image Segmentation / Object Removal
|
|
||||||
* [Supershots](https://superblog.ai/supershots/) - Add Backgrounds to Images
|
|
||||||
* [Image Splitter](https://ruyili.ca/image-splitter/) - Split Images into Tiles
|
|
||||||
* [PicFont](https://picfont.com/) - Add Text to Images
|
|
||||||
|
|
||||||
***
|
|
||||||
|
|
||||||
# ► Image Creation
|
# ► Image Creation
|
||||||
|
|
||||||
* 🌐 **[PuccaNoodles’ Sheet](https://docs.google.com/spreadsheets/d/1-8OKuEvRR038Uno--Vi9tQRe4eFCSfQTPov7nXgiJ3w/)** - Image Creation Resources
|
* 🌐 **[PuccaNoodles’ Sheet](https://docs.google.com/spreadsheets/d/1-8OKuEvRR038Uno--Vi9tQRe4eFCSfQTPov7nXgiJ3w/)** - Image Creation Resources
|
||||||
|
|
@ -321,6 +318,7 @@
|
||||||
* [ArtBoard](https://artboard.studio/) - Design App
|
* [ArtBoard](https://artboard.studio/) - Design App
|
||||||
* [VistaCreate](https://create.vista.com/) - Design App
|
* [VistaCreate](https://create.vista.com/) - Design App
|
||||||
* [PosterMyWall](https://www.postermywall.com/) - Design App
|
* [PosterMyWall](https://www.postermywall.com/) - Design App
|
||||||
|
* [Kosmik](https://www.kosmik.app/) - Design Asset Manager
|
||||||
* [Venngage](https://venngage.com/) - Infographic Design
|
* [Venngage](https://venngage.com/) - Infographic Design
|
||||||
* [Bannery](https://bannery.app/) - Banner Design
|
* [Bannery](https://bannery.app/) - Banner Design
|
||||||
* [Mind Your Banners](https://www.mindyourbanners.com/) - Social Media Banner Design
|
* [Mind Your Banners](https://www.mindyourbanners.com/) - Social Media Banner Design
|
||||||
|
|
@ -410,6 +408,7 @@
|
||||||
## ▷ Free Assets
|
## ▷ Free Assets
|
||||||
|
|
||||||
* ⭐ **[FreePreset](https://freepreset.net/)**
|
* ⭐ **[FreePreset](https://freepreset.net/)**
|
||||||
|
* [UnliPresets](https://www.unlipresets.com/)
|
||||||
* [Gumroad](https://discover.gumroad.com/) (Enter $0)
|
* [Gumroad](https://discover.gumroad.com/) (Enter $0)
|
||||||
* [psdkeys](https://psdkeys.com/)
|
* [psdkeys](https://psdkeys.com/)
|
||||||
* [AvaxGFX](https://avxgfx.com/)
|
* [AvaxGFX](https://avxgfx.com/)
|
||||||
|
|
@ -543,9 +542,18 @@
|
||||||
## ▷ Stock Images
|
## ▷ Stock Images
|
||||||
|
|
||||||
* 🌐 **[Awesome Stock Resources](https://github.com/neutraltone/awesome-stock-resources#photography)** - Stock Photo Index
|
* 🌐 **[Awesome Stock Resources](https://github.com/neutraltone/awesome-stock-resources#photography)** - Stock Photo Index
|
||||||
|
* ⭐ **[GetPaidStock](https://getpaidstock.com/)**, **[DownPic](https://downpic.cc)**, **[Downloader.la](https://downloader.la/)**,[SystemErrorStock](https://t.me/SystemErrorStock) or [istock](https://istock.7xm.xyz/) - Paid Stock Photo Downloaders
|
||||||
* ⭐ **[EveryPixel](https://www.everypixel.com/)** or [LibreStock](https://librestock.com/) - Stock Photo Search Engines
|
* ⭐ **[EveryPixel](https://www.everypixel.com/)** or [LibreStock](https://librestock.com/) - Stock Photo Search Engines
|
||||||
* ⭐ **[GetPaidStock](https://getpaidstock.com/)**, **[DownPic](https://downpic.cc)**, **[Downloader.la](https://downloader.la/)**,[SystemErrorStock](https://t.me/SystemErrorStock) or [istock](https://istock.7xm.xyz/) - Download Paid Stock Photos
|
* [PxHere](https://pxhere.com/) - Stock Photos
|
||||||
* [PxHere](https://pxhere.com/), [Adobe Stock](https://stock.adobe.com/free), [themeisle](https://mystock.themeisle.com/), [burst](https://burst.shopify.com/), [Hippopx](https://www.hippopx.com/), [BarnImages](https://barnimages.com/), [Pixnio](https://pixnio.com/), [focastock](https://focastock.com/) or [Pikwizard](https://pikwizard.com/) - Misc Stock Photos
|
* [Adobe Stock](https://stock.adobe.com/free) - Stock Photos
|
||||||
|
* [themeisle](https://mystock.themeisle.com/) - Stock Photos
|
||||||
|
* [burst](https://burst.shopify.com/) - Stock Photos
|
||||||
|
* [Hippopx](https://www.hippopx.com/) - Stock Photos
|
||||||
|
* [BarnImages](https://barnimages.com/) - Stock Photos
|
||||||
|
* [Pixnio](https://pixnio.com/) - Stock Photos
|
||||||
|
* [focastock](https://focastock.com/) - Stock Photos
|
||||||
|
* [Pikwizard](https://pikwizard.com/) - Stock Photos
|
||||||
|
* [Lummi](https://www.lummi.ai/) - AI Generated Stock Photos
|
||||||
* [Smithsonian Open Access](https://www.si.edu/OpenAccess) - Smithsonian High-Quality Photos
|
* [Smithsonian Open Access](https://www.si.edu/OpenAccess) - Smithsonian High-Quality Photos
|
||||||
* [desirefx](https://desirefx.me/category/stock_images/) - Stock Photo Overlays
|
* [desirefx](https://desirefx.me/category/stock_images/) - Stock Photo Overlays
|
||||||
* [creativity103](https://creativity103.com/) - Abstract Background Photos
|
* [creativity103](https://creativity103.com/) - Abstract Background Photos
|
||||||
|
|
@ -631,9 +639,10 @@
|
||||||
* [Glaze](https://glaze.cs.uchicago.edu/index.html) or [Nightshade](https://nightshade.cs.uchicago.edu/downloads.html) - Protect Digital Art from AI Copies
|
* [Glaze](https://glaze.cs.uchicago.edu/index.html) or [Nightshade](https://nightshade.cs.uchicago.edu/downloads.html) - Protect Digital Art from AI Copies
|
||||||
* [FPNG](https://github.com/richgel999/fpng) - PNG Reader / Writer
|
* [FPNG](https://github.com/richgel999/fpng) - PNG Reader / Writer
|
||||||
* [APNG Maker](https://rukario.github.io/Schande/Uninteresting%20stuff/APNG%20Maker.html) - Create / Optimize APNG Images
|
* [APNG Maker](https://rukario.github.io/Schande/Uninteresting%20stuff/APNG%20Maker.html) - Create / Optimize APNG Images
|
||||||
|
* [JPEG.rocks](https://jpeg.rocks/) - JPEG Re-Encoder
|
||||||
* [JPEGMedic ARWE](https://www.jpegmedic.com/tools/jpegmedic-arwe/) - Recover Ransomware-Encrypted Images
|
* [JPEGMedic ARWE](https://www.jpegmedic.com/tools/jpegmedic-arwe/) - Recover Ransomware-Encrypted Images
|
||||||
* [CamScanner](https://apps.apple.com/us/app/camscanner-pdf-scanner-app/id388627783) or [Microsoft Lens](https://apps.apple.com/us/app/microsoft-lens-pdf-scanner/id975925059) - Scan & Digitize Documents / iOS
|
* [CamScanner](https://apps.apple.com/us/app/camscanner-pdf-scanner-app/id388627783) or [Microsoft Lens](https://apps.apple.com/us/app/microsoft-lens-pdf-scanner/id975925059) - Scan & Digitize Documents / iOS
|
||||||
* [Swapface](https://swapface.org/) / [Discord](https://discord.com/invite/5yPew6Cy6a), [faceswap](https://faceswap.dev/), [AIFaceSwap](https://aifaceswap.io/), [Swapper](https://icons8.com/swapper) or [FaceFusion](https://github.com/facefusion/facefusion) - Face Swapping
|
* [FaceSwapApp](https://face-swap.app/) / [Discord](https://discord.gg/D8wYxUvwTD), [Swapface](https://swapface.org/) / [Discord](https://discord.com/invite/5yPew6Cy6a), [faceswap](https://faceswap.dev/), [AIFaceSwap](https://aifaceswap.io/), [Swapper](https://icons8.com/swapper) or [FaceFusion](https://github.com/facefusion/facefusion) - Face Swapping
|
||||||
* [WiseTagger](https://github.com/0xb8/WiseTagger) - Image Tagger
|
* [WiseTagger](https://github.com/0xb8/WiseTagger) - Image Tagger
|
||||||
* [BooruDatasetTagManager](https://github.com/starik222/BooruDatasetTagManager) - Booru Image Tagger
|
* [BooruDatasetTagManager](https://github.com/starik222/BooruDatasetTagManager) - Booru Image Tagger
|
||||||
* [Cluttr](https://gitlab.com/bearjaws/cluttr) or [TagStudio](https://github.com/TagStudioDev/TagStudio) - Image File Organizers
|
* [Cluttr](https://gitlab.com/bearjaws/cluttr) or [TagStudio](https://github.com/TagStudioDev/TagStudio) - Image File Organizers
|
||||||
|
|
@ -666,6 +675,7 @@
|
||||||
* ⭐ **[IrfanView](https://www.irfanview.com/)**
|
* ⭐ **[IrfanView](https://www.irfanview.com/)**
|
||||||
* ⭐ **[JPEGView](https://github.com/sylikc/jpegview)**
|
* ⭐ **[JPEGView](https://github.com/sylikc/jpegview)**
|
||||||
* ⭐ **[ImageGlass](https://github.com/d2phap/ImageGlass)**
|
* ⭐ **[ImageGlass](https://github.com/d2phap/ImageGlass)**
|
||||||
|
* ⭐ **[FastStone](https://www.faststone.org/index.htm)**
|
||||||
* ⭐ **[qView](https://interversehq.com/qview/)**
|
* ⭐ **[qView](https://interversehq.com/qview/)**
|
||||||
* ⭐ **[XnView MP](https://www.xnview.com/en/xnviewmp/)**
|
* ⭐ **[XnView MP](https://www.xnview.com/en/xnviewmp/)**
|
||||||
* ⭐ **[Digikam](https://www.digikam.org/)**
|
* ⭐ **[Digikam](https://www.digikam.org/)**
|
||||||
|
|
@ -678,7 +688,6 @@
|
||||||
* [Fragment](https://www.fragmentapp.info/)
|
* [Fragment](https://www.fragmentapp.info/)
|
||||||
* [HoneyView](https://en.bandisoft.com/honeyview/)
|
* [HoneyView](https://en.bandisoft.com/honeyview/)
|
||||||
* [picturama](https://picturama.github.io/)
|
* [picturama](https://picturama.github.io/)
|
||||||
* [FastStone](https://www.faststone.org/index.htm)
|
|
||||||
* [narrative](https://narrative.so/)
|
* [narrative](https://narrative.so/)
|
||||||
* [G'MIC](https://gmic.eu/)
|
* [G'MIC](https://gmic.eu/)
|
||||||
* [BeeRef](https://beeref.org/) or [PureRef](https://www.pureref.com/) - Reference Image Viewers
|
* [BeeRef](https://beeref.org/) or [PureRef](https://www.pureref.com/) - Reference Image Viewers
|
||||||
|
|
@ -706,6 +715,7 @@
|
||||||
* [Up1](https://github.com/Upload/Up1)
|
* [Up1](https://github.com/Upload/Up1)
|
||||||
* [Chevereto](https://chevereto.com/)
|
* [Chevereto](https://chevereto.com/)
|
||||||
* [Photofield](https://github.com/SmilyOrg/photofield)
|
* [Photofield](https://github.com/SmilyOrg/photofield)
|
||||||
|
* [Google Photos Toolkit)](https://github.com/xob0t/Google-Photos-Toolkit) - Manage / Delete Google Photos
|
||||||
* [Google Takeout](https://takeout.google.com/) - Export from Google Photos / [Script](https://github.com/TheLastGimbus/GooglePhotosTakeoutHelper)
|
* [Google Takeout](https://takeout.google.com/) - Export from Google Photos / [Script](https://github.com/TheLastGimbus/GooglePhotosTakeoutHelper)
|
||||||
|
|
||||||
***
|
***
|
||||||
|
|
|
||||||
|
|
@ -16,9 +16,8 @@
|
||||||
"postinstall": "nitropack prepare"
|
"postinstall": "nitropack prepare"
|
||||||
},
|
},
|
||||||
"dependencies": {
|
"dependencies": {
|
||||||
"@headlessui/vue": "^1.7.17",
|
"@headlessui/vue": "^1.7.22",
|
||||||
"@resvg/resvg-js": "^2.6.0",
|
"@resvg/resvg-js": "^2.6.0",
|
||||||
"vitepress": "npm:@taskylizard/vitepress@1.1.1",
|
|
||||||
"consola": "^3.2.3",
|
"consola": "^3.2.3",
|
||||||
"feed": "^4.2.2",
|
"feed": "^4.2.2",
|
||||||
"fs-extra": "^11.2.0",
|
"fs-extra": "^11.2.0",
|
||||||
|
|
@ -28,18 +27,21 @@
|
||||||
"nprogress": "^0.2.0",
|
"nprogress": "^0.2.0",
|
||||||
"pathe": "^1.1.2",
|
"pathe": "^1.1.2",
|
||||||
"unocss": "^0.58.4",
|
"unocss": "^0.58.4",
|
||||||
|
"vitepress": "npm:@taskylizard/vitepress@1.1.1",
|
||||||
"vue": "^3.4.15",
|
"vue": "^3.4.15",
|
||||||
"x-satori": "^0.1.5",
|
"x-satori": "^0.1.5",
|
||||||
"zod": "^3.22.4"
|
"zod": "^3.22.4"
|
||||||
},
|
},
|
||||||
"devDependencies": {
|
"devDependencies": {
|
||||||
"@iconify-json/carbon": "^1.1.28",
|
"@iconify-json/carbon": "^1.1.28",
|
||||||
|
"@iconify-json/heroicons-solid": "^1.1.11",
|
||||||
"@iconify-json/twemoji": "^1.1.15",
|
"@iconify-json/twemoji": "^1.1.15",
|
||||||
"@taskylizard/eslint-config": "^1.1.1",
|
"@taskylizard/eslint-config": "^1.1.1",
|
||||||
"@types/fs-extra": "^11.0.4",
|
"@types/fs-extra": "^11.0.4",
|
||||||
"@types/node": "^20.11.15",
|
"@types/node": "^20.11.15",
|
||||||
"@types/nprogress": "^0.2.3",
|
"@types/nprogress": "^0.2.3",
|
||||||
"eslint": "^8.56.0",
|
"eslint": "^8.56.0",
|
||||||
"prettier": "^3.2.4"
|
"prettier": "^3.2.4",
|
||||||
|
"tailwindcss": "^3.4.4"
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
|
||||||
374
pnpm-lock.yaml
generated
374
pnpm-lock.yaml
generated
|
|
@ -9,8 +9,8 @@ importers:
|
||||||
.:
|
.:
|
||||||
dependencies:
|
dependencies:
|
||||||
'@headlessui/vue':
|
'@headlessui/vue':
|
||||||
specifier: ^1.7.17
|
specifier: ^1.7.22
|
||||||
version: 1.7.17(vue@3.4.15)
|
version: 1.7.22(vue@3.4.15)
|
||||||
'@resvg/resvg-js':
|
'@resvg/resvg-js':
|
||||||
specifier: ^2.6.0
|
specifier: ^2.6.0
|
||||||
version: 2.6.0
|
version: 2.6.0
|
||||||
|
|
@ -57,6 +57,9 @@ importers:
|
||||||
'@iconify-json/carbon':
|
'@iconify-json/carbon':
|
||||||
specifier: ^1.1.28
|
specifier: ^1.1.28
|
||||||
version: 1.1.28
|
version: 1.1.28
|
||||||
|
'@iconify-json/heroicons-solid':
|
||||||
|
specifier: ^1.1.11
|
||||||
|
version: 1.1.11
|
||||||
'@iconify-json/twemoji':
|
'@iconify-json/twemoji':
|
||||||
specifier: ^1.1.15
|
specifier: ^1.1.15
|
||||||
version: 1.1.15
|
version: 1.1.15
|
||||||
|
|
@ -78,6 +81,9 @@ importers:
|
||||||
prettier:
|
prettier:
|
||||||
specifier: ^3.2.4
|
specifier: ^3.2.4
|
||||||
version: 3.2.4
|
version: 3.2.4
|
||||||
|
tailwindcss:
|
||||||
|
specifier: ^3.4.4
|
||||||
|
version: 3.4.4
|
||||||
|
|
||||||
packages:
|
packages:
|
||||||
|
|
||||||
|
|
@ -98,18 +104,12 @@ packages:
|
||||||
peerDependencies:
|
peerDependencies:
|
||||||
'@algolia/client-search': '>= 4.9.1 < 6'
|
'@algolia/client-search': '>= 4.9.1 < 6'
|
||||||
algoliasearch: '>= 4.9.1 < 6'
|
algoliasearch: '>= 4.9.1 < 6'
|
||||||
peerDependenciesMeta:
|
|
||||||
'@algolia/client-search':
|
|
||||||
optional: true
|
|
||||||
|
|
||||||
'@algolia/autocomplete-shared@1.9.3':
|
'@algolia/autocomplete-shared@1.9.3':
|
||||||
resolution: {integrity: sha512-Wnm9E4Ye6Rl6sTTqjoymD+l8DjSTHsHboVRYrKgEt8Q7UHm9nYbqhN/i0fhUYA3OAEH7WA8x3jfpnmJm3rKvaQ==}
|
resolution: {integrity: sha512-Wnm9E4Ye6Rl6sTTqjoymD+l8DjSTHsHboVRYrKgEt8Q7UHm9nYbqhN/i0fhUYA3OAEH7WA8x3jfpnmJm3rKvaQ==}
|
||||||
peerDependencies:
|
peerDependencies:
|
||||||
'@algolia/client-search': '>= 4.9.1 < 6'
|
'@algolia/client-search': '>= 4.9.1 < 6'
|
||||||
algoliasearch: '>= 4.9.1 < 6'
|
algoliasearch: '>= 4.9.1 < 6'
|
||||||
peerDependenciesMeta:
|
|
||||||
'@algolia/client-search':
|
|
||||||
optional: true
|
|
||||||
|
|
||||||
'@algolia/cache-browser-local-storage@4.22.1':
|
'@algolia/cache-browser-local-storage@4.22.1':
|
||||||
resolution: {integrity: sha512-Sw6IAmOCvvP6QNgY9j+Hv09mvkvEIDKjYW8ow0UDDAxSXy664RBNQk3i/0nt7gvceOJ6jGmOTimaZoY1THmU7g==}
|
resolution: {integrity: sha512-Sw6IAmOCvvP6QNgY9j+Hv09mvkvEIDKjYW8ow0UDDAxSXy664RBNQk3i/0nt7gvceOJ6jGmOTimaZoY1THmU7g==}
|
||||||
|
|
@ -153,6 +153,10 @@ packages:
|
||||||
'@algolia/transporter@4.22.1':
|
'@algolia/transporter@4.22.1':
|
||||||
resolution: {integrity: sha512-kzWgc2c9IdxMa3YqA6TN0NW5VrKYYW/BELIn7vnLyn+U/RFdZ4lxxt9/8yq3DKV5snvoDzzO4ClyejZRdV3lMQ==}
|
resolution: {integrity: sha512-kzWgc2c9IdxMa3YqA6TN0NW5VrKYYW/BELIn7vnLyn+U/RFdZ4lxxt9/8yq3DKV5snvoDzzO4ClyejZRdV3lMQ==}
|
||||||
|
|
||||||
|
'@alloc/quick-lru@5.2.0':
|
||||||
|
resolution: {integrity: sha512-UrcABB+4bUrFABwbluTIBErXwvbsU/V7TZWfmbgJfbkwiBuziS9gxdODUyuiecfdGQ85jglMW6juS3+z5TsKLw==}
|
||||||
|
engines: {node: '>=10'}
|
||||||
|
|
||||||
'@ampproject/remapping@2.2.1':
|
'@ampproject/remapping@2.2.1':
|
||||||
resolution: {integrity: sha512-lFMjJTrFL3j7L9yBxwYfCq2k6qqwHyzuUl/XBnif78PWTJYyL/dfowQHWE3sp6U6ZzqWiiIZnpTMO96zhkjwtg==}
|
resolution: {integrity: sha512-lFMjJTrFL3j7L9yBxwYfCq2k6qqwHyzuUl/XBnif78PWTJYyL/dfowQHWE3sp6U6ZzqWiiIZnpTMO96zhkjwtg==}
|
||||||
engines: {node: '>=6.0.0'}
|
engines: {node: '>=6.0.0'}
|
||||||
|
|
@ -649,8 +653,8 @@ packages:
|
||||||
resolution: {integrity: sha512-JUFJad5lv7jxj926GPgymrWQxxjPYuJNiNjNMzqT+HiuP6Vl3dk5xzG+8sTX96np0ZAluvaMzPsjhHZ5rNuNQQ==}
|
resolution: {integrity: sha512-JUFJad5lv7jxj926GPgymrWQxxjPYuJNiNjNMzqT+HiuP6Vl3dk5xzG+8sTX96np0ZAluvaMzPsjhHZ5rNuNQQ==}
|
||||||
engines: {node: '>=14'}
|
engines: {node: '>=14'}
|
||||||
|
|
||||||
'@headlessui/vue@1.7.17':
|
'@headlessui/vue@1.7.22':
|
||||||
resolution: {integrity: sha512-hmJChv8HzKorxd9F70RGnECAwZfkvmmwOqreuKLWY/19d5qbWnSdw+DNbuA/Uo6X5rb4U5B3NrT+qBKPmjhRqw==}
|
resolution: {integrity: sha512-Hoffjoolq1rY+LOfJ+B/OvkhuBXXBFgd8oBlN+l1TApma2dB0En0ucFZrwQtb33SmcCqd32EQd0y07oziXWNYg==}
|
||||||
engines: {node: '>=10'}
|
engines: {node: '>=10'}
|
||||||
peerDependencies:
|
peerDependencies:
|
||||||
vue: ^3.2.0
|
vue: ^3.2.0
|
||||||
|
|
@ -677,6 +681,9 @@ packages:
|
||||||
'@iconify-json/carbon@1.1.28':
|
'@iconify-json/carbon@1.1.28':
|
||||||
resolution: {integrity: sha512-tg+h0i+69JrIqUpQva2Mt611KdLMeCyibqS7lIqaMRXJgnalHtdqDcdZAKCSLb/hTbkJHyk0NCpQSYJ3f/v51w==}
|
resolution: {integrity: sha512-tg+h0i+69JrIqUpQva2Mt611KdLMeCyibqS7lIqaMRXJgnalHtdqDcdZAKCSLb/hTbkJHyk0NCpQSYJ3f/v51w==}
|
||||||
|
|
||||||
|
'@iconify-json/heroicons-solid@1.1.11':
|
||||||
|
resolution: {integrity: sha512-Nzhjs8voo4d+gcrfhlY/F0bRonEmLHT1+DeD2nYubvAF151pxXPqTS9bRB49Hqpdxl1l9LS2VTPtQPRypj/csQ==}
|
||||||
|
|
||||||
'@iconify-json/twemoji@1.1.15':
|
'@iconify-json/twemoji@1.1.15':
|
||||||
resolution: {integrity: sha512-ze2CAOwIWBKIP6ih6qMDItasVjRicktl2Qr3/ohZSMToAHm9z3Q6HCwE48eT0+D+uFpGBlNRQ22HHyE5izyhDg==}
|
resolution: {integrity: sha512-ze2CAOwIWBKIP6ih6qMDItasVjRicktl2Qr3/ohZSMToAHm9z3Q6HCwE48eT0+D+uFpGBlNRQ22HHyE5izyhDg==}
|
||||||
|
|
||||||
|
|
@ -689,6 +696,10 @@ packages:
|
||||||
'@ioredis/commands@1.2.0':
|
'@ioredis/commands@1.2.0':
|
||||||
resolution: {integrity: sha512-Sx1pU8EM64o2BrqNpEO1CNLtKQwyhuXuqyfH7oGKCk+1a33d2r5saW8zNwm3j6BTExtjrv2BxTgzzkMwts6vGg==}
|
resolution: {integrity: sha512-Sx1pU8EM64o2BrqNpEO1CNLtKQwyhuXuqyfH7oGKCk+1a33d2r5saW8zNwm3j6BTExtjrv2BxTgzzkMwts6vGg==}
|
||||||
|
|
||||||
|
'@isaacs/cliui@8.0.2':
|
||||||
|
resolution: {integrity: sha512-O8jcjabXaleOG9DQ0+ARXWZBTfnP4WNAqzuiJK7ll44AmxGKv/J2M4TPjxjY3znBCfvBXFzucm1twdyFybFqEA==}
|
||||||
|
engines: {node: '>=12'}
|
||||||
|
|
||||||
'@jridgewell/gen-mapping@0.3.3':
|
'@jridgewell/gen-mapping@0.3.3':
|
||||||
resolution: {integrity: sha512-HLhSWOLRi875zjjMG/r+Nv0oCW8umGb0BgEhyX3dDX3egwZtB8PqLnjz3yedt8R5StBrzcg4aBpnh8UA9D1BoQ==}
|
resolution: {integrity: sha512-HLhSWOLRi875zjjMG/r+Nv0oCW8umGb0BgEhyX3dDX3egwZtB8PqLnjz3yedt8R5StBrzcg4aBpnh8UA9D1BoQ==}
|
||||||
engines: {node: '>=6.0.0'}
|
engines: {node: '>=6.0.0'}
|
||||||
|
|
@ -823,6 +834,10 @@ packages:
|
||||||
resolution: {integrity: sha512-pW7QaFiL11O0BphO+bq3MgqeX/INAk9jgBldVDYjlQPO4VddoZnF22TcF9onMhnLVHuNqBJeRf+Fj7eezi/+rQ==}
|
resolution: {integrity: sha512-pW7QaFiL11O0BphO+bq3MgqeX/INAk9jgBldVDYjlQPO4VddoZnF22TcF9onMhnLVHuNqBJeRf+Fj7eezi/+rQ==}
|
||||||
engines: {node: '>= 10.0.0'}
|
engines: {node: '>= 10.0.0'}
|
||||||
|
|
||||||
|
'@pkgjs/parseargs@0.11.0':
|
||||||
|
resolution: {integrity: sha512-+1VkjdD0QBLPodGrJUeqarH8VAIvQODIbwh9XpP5Syisf7YoQgsJKPNFoqqLQlu+VQ/tVSshMR6loPMn8U+dPg==}
|
||||||
|
engines: {node: '>=14'}
|
||||||
|
|
||||||
'@pkgr/core@0.1.1':
|
'@pkgr/core@0.1.1':
|
||||||
resolution: {integrity: sha512-cq8o4cWH0ibXh9VGi5P20Tu9XF/0fFXl9EUinr9QfTM7a7p0oTA4iJRCQWppXR1Pg8dSM0UCItCkPwsk9qWWYA==}
|
resolution: {integrity: sha512-cq8o4cWH0ibXh9VGi5P20Tu9XF/0fFXl9EUinr9QfTM7a7p0oTA4iJRCQWppXR1Pg8dSM0UCItCkPwsk9qWWYA==}
|
||||||
engines: {node: ^12.20.0 || ^14.18.0 || >=16.0.0}
|
engines: {node: ^12.20.0 || ^14.18.0 || >=16.0.0}
|
||||||
|
|
@ -1098,11 +1113,11 @@ packages:
|
||||||
resolution: {integrity: sha512-1M6dJJJ9UDCV0XyVsmqUD7+59aSRdk0WIMib5mUcXVpVjPISCnmuHTzxQja6p3ZQU4lwkQz9S2dyD+xDertXLw==}
|
resolution: {integrity: sha512-1M6dJJJ9UDCV0XyVsmqUD7+59aSRdk0WIMib5mUcXVpVjPISCnmuHTzxQja6p3ZQU4lwkQz9S2dyD+xDertXLw==}
|
||||||
engines: {node: ^16.0.0 || >=18.0.0}
|
engines: {node: ^16.0.0 || >=18.0.0}
|
||||||
|
|
||||||
'@tanstack/virtual-core@3.0.0':
|
'@tanstack/virtual-core@3.5.1':
|
||||||
resolution: {integrity: sha512-SYXOBTjJb05rXa2vl55TTwO40A6wKu0R5i1qQwhJYNDIqaIGF7D0HsLw+pJAyi2OvntlEIVusx3xtbbgSUi6zg==}
|
resolution: {integrity: sha512-046+AUSiDru/V9pajE1du8WayvBKeCvJ2NmKPy/mR8/SbKKrqmSbj7LJBfXE+nSq4f5TBXvnCzu0kcYebI9WdQ==}
|
||||||
|
|
||||||
'@tanstack/vue-virtual@3.0.2':
|
'@tanstack/vue-virtual@3.5.1':
|
||||||
resolution: {integrity: sha512-1iFpX+yZswHuf4wrA6GU9yJ/YzQ/8SacABwqghwCkcwrkZbOPLlRSdOAqZ1WQ50SftmfhZpaiZl2KmpV7cgfMQ==}
|
resolution: {integrity: sha512-6mc4HtDPieDVKD6GqzHiJkdzuqRNdQZuoIbkwE6af939WV+w62YmSF69jN+BOqClqh/ObiW+X1VOQx1Pftrx1A==}
|
||||||
peerDependencies:
|
peerDependencies:
|
||||||
vue: ^2.7.0 || ^3.0.0
|
vue: ^2.7.0 || ^3.0.0
|
||||||
|
|
||||||
|
|
@ -1560,6 +1575,13 @@ packages:
|
||||||
resolution: {integrity: sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==}
|
resolution: {integrity: sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==}
|
||||||
engines: {node: '>=8'}
|
engines: {node: '>=8'}
|
||||||
|
|
||||||
|
ansi-styles@6.2.1:
|
||||||
|
resolution: {integrity: sha512-bN798gFfQX+viw3R7yrGWRqnrN2oRkEkUjjl4JNn4E8GxxbjtG3FbrEIIY3l8/hrwUwIeCZvi4QuOTP4MErVug==}
|
||||||
|
engines: {node: '>=12'}
|
||||||
|
|
||||||
|
any-promise@1.3.0:
|
||||||
|
resolution: {integrity: sha512-7UvmKalWRt1wgjL1RrGxoSJW/0QZFIegpeGvZG9kjp8vrRu55XTHbwnqq2GpXm9uLbcuhxm3IqX9OB4MZR1b2A==}
|
||||||
|
|
||||||
anymatch@3.1.3:
|
anymatch@3.1.3:
|
||||||
resolution: {integrity: sha512-KMReFUr0B4t+D+OBkjR3KYqvocp2XaSzO55UcB6mgQMd3KbcE+mWTyvVV7D/zsdEbNnV6acZUutkiHQXvTr1Rw==}
|
resolution: {integrity: sha512-KMReFUr0B4t+D+OBkjR3KYqvocp2XaSzO55UcB6mgQMd3KbcE+mWTyvVV7D/zsdEbNnV6acZUutkiHQXvTr1Rw==}
|
||||||
engines: {node: '>= 8'}
|
engines: {node: '>= 8'}
|
||||||
|
|
@ -1586,6 +1608,9 @@ packages:
|
||||||
resolution: {integrity: sha512-Ci/qENmwHnsYo9xKIcUJN5LeDKdJ6R1Z1j9V/J5wyq8nh/mYPEpIKJbBZXtZjG04HiK7zV/p6Vs9952MrMeUIw==}
|
resolution: {integrity: sha512-Ci/qENmwHnsYo9xKIcUJN5LeDKdJ6R1Z1j9V/J5wyq8nh/mYPEpIKJbBZXtZjG04HiK7zV/p6Vs9952MrMeUIw==}
|
||||||
engines: {node: '>=10'}
|
engines: {node: '>=10'}
|
||||||
|
|
||||||
|
arg@5.0.2:
|
||||||
|
resolution: {integrity: sha512-PYjyFOLKQ9y57JvQ6QLo8dAgNqswh8M1RMJYdQduT6xbWSgK36P/Z/v+p888pM69jMMfS8Xd8F6I1kQ/I9HUGg==}
|
||||||
|
|
||||||
argparse@2.0.1:
|
argparse@2.0.1:
|
||||||
resolution: {integrity: sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q==}
|
resolution: {integrity: sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q==}
|
||||||
|
|
||||||
|
|
@ -1724,6 +1749,10 @@ packages:
|
||||||
resolution: {integrity: sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ==}
|
resolution: {integrity: sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ==}
|
||||||
engines: {node: '>=6'}
|
engines: {node: '>=6'}
|
||||||
|
|
||||||
|
camelcase-css@2.0.1:
|
||||||
|
resolution: {integrity: sha512-QOSvevhslijgYwRx6Rv7zKdMF8lbRmx+uQGx2+vDc+KI/eBnsy9kit5aj23AgGu3pa4t9AgwbnXWqS+iOY+2aA==}
|
||||||
|
engines: {node: '>= 6'}
|
||||||
|
|
||||||
camelize@1.0.1:
|
camelize@1.0.1:
|
||||||
resolution: {integrity: sha512-dU+Tx2fsypxTgtLoE36npi3UqcjSSMNYfkqgmoEhtZrraP5VWq0K7FkWVTYa8eMPtnU/G2txVsfdCJTn9uzpuQ==}
|
resolution: {integrity: sha512-dU+Tx2fsypxTgtLoE36npi3UqcjSSMNYfkqgmoEhtZrraP5VWq0K7FkWVTYa8eMPtnU/G2txVsfdCJTn9uzpuQ==}
|
||||||
|
|
||||||
|
|
@ -1805,6 +1834,10 @@ packages:
|
||||||
commander@2.20.3:
|
commander@2.20.3:
|
||||||
resolution: {integrity: sha512-GpVkmM8vF2vQUkj2LvZmD35JxeJOLCwJ9cUkugyk2nuhbv3+mJvpLYYt+0+USMxE+oj+ey/lJEnhZw75x/OMcQ==}
|
resolution: {integrity: sha512-GpVkmM8vF2vQUkj2LvZmD35JxeJOLCwJ9cUkugyk2nuhbv3+mJvpLYYt+0+USMxE+oj+ey/lJEnhZw75x/OMcQ==}
|
||||||
|
|
||||||
|
commander@4.1.1:
|
||||||
|
resolution: {integrity: sha512-NOKm8xhkzAjzFx8B2v5OAHT+u5pRQc2UCa2Vq9jYL/31o2wi9mxBA7LIFs3sV5VSC49z6pEhfbMULvShKj26WA==}
|
||||||
|
engines: {node: '>= 6'}
|
||||||
|
|
||||||
comment-parser@1.4.1:
|
comment-parser@1.4.1:
|
||||||
resolution: {integrity: sha512-buhp5kePrmda3vhc5B9t7pUQXAb2Tnd0qgpkIhPhkHXxJpiPJ11H0ZEU0oBpJ2QztSbzG/ZxMj/CHsYJqRHmyg==}
|
resolution: {integrity: sha512-buhp5kePrmda3vhc5B9t7pUQXAb2Tnd0qgpkIhPhkHXxJpiPJ11H0ZEU0oBpJ2QztSbzG/ZxMj/CHsYJqRHmyg==}
|
||||||
engines: {node: '>= 12.0.0'}
|
engines: {node: '>= 12.0.0'}
|
||||||
|
|
@ -1975,10 +2008,16 @@ packages:
|
||||||
resolution: {integrity: sha512-UX6sGumvvqSaXgdKGUsgZWqcUyIXZ/vZTrlRT/iobiKhGL0zL4d3osHj3uqllWJK+i+sixDS/3COVEOFbupFyw==}
|
resolution: {integrity: sha512-UX6sGumvvqSaXgdKGUsgZWqcUyIXZ/vZTrlRT/iobiKhGL0zL4d3osHj3uqllWJK+i+sixDS/3COVEOFbupFyw==}
|
||||||
engines: {node: '>=8'}
|
engines: {node: '>=8'}
|
||||||
|
|
||||||
|
didyoumean@1.2.2:
|
||||||
|
resolution: {integrity: sha512-gxtyfqMg7GKyhQmb056K7M3xszy/myH8w+B4RT+QXBQsvAOdc3XymqDDPHx1BgPgsdAA5SIifona89YtRATDzw==}
|
||||||
|
|
||||||
dir-glob@3.0.1:
|
dir-glob@3.0.1:
|
||||||
resolution: {integrity: sha512-WkrWp9GR4KXfKGYzOLmTuGVi1UWFfws377n9cc55/tb6DuqyF6pcQ5AbiHEshaDpY9v6oaSr2XCDidGmMwdzIA==}
|
resolution: {integrity: sha512-WkrWp9GR4KXfKGYzOLmTuGVi1UWFfws377n9cc55/tb6DuqyF6pcQ5AbiHEshaDpY9v6oaSr2XCDidGmMwdzIA==}
|
||||||
engines: {node: '>=8'}
|
engines: {node: '>=8'}
|
||||||
|
|
||||||
|
dlv@1.1.3:
|
||||||
|
resolution: {integrity: sha512-+HlytyjlPKnIG8XuRG8WvmBP8xs8P71y+SKKS6ZXWoEgLuePxtDoUEiH7WkdePWrQ5JBpE6aoVqfZfJUQkjXwA==}
|
||||||
|
|
||||||
doctrine@2.1.0:
|
doctrine@2.1.0:
|
||||||
resolution: {integrity: sha512-35mSku4ZXK0vfCuHEDAwt55dg2jNajHZ1odvF+8SSr82EsZY4QmXfuWso8oEd8zRhVObSN18aM0CjSdoBX7zIw==}
|
resolution: {integrity: sha512-35mSku4ZXK0vfCuHEDAwt55dg2jNajHZ1odvF+8SSr82EsZY4QmXfuWso8oEd8zRhVObSN18aM0CjSdoBX7zIw==}
|
||||||
engines: {node: '>=0.10.0'}
|
engines: {node: '>=0.10.0'}
|
||||||
|
|
@ -1998,6 +2037,9 @@ packages:
|
||||||
duplexer@0.1.2:
|
duplexer@0.1.2:
|
||||||
resolution: {integrity: sha512-jtD6YG370ZCIi/9GTaJKQxWTZD045+4R4hTk/x1UyoqadyJ9x9CgSi1RlVDQF8U2sxLLSnFkCaMihqljHIWgMg==}
|
resolution: {integrity: sha512-jtD6YG370ZCIi/9GTaJKQxWTZD045+4R4hTk/x1UyoqadyJ9x9CgSi1RlVDQF8U2sxLLSnFkCaMihqljHIWgMg==}
|
||||||
|
|
||||||
|
eastasianwidth@0.2.0:
|
||||||
|
resolution: {integrity: sha512-I88TYZWc9XiYHRQ4/3c5rjjfgkjhLyW2luGIheGERbNQ6OY7yTybanSpDXZa8y7VUP9YmDcYa+eyq4ca7iLqWA==}
|
||||||
|
|
||||||
ee-first@1.1.1:
|
ee-first@1.1.1:
|
||||||
resolution: {integrity: sha512-WMwm9LhRUo+WUaRN+vRuETqG89IgZphVSNkdFgeb6sS/E4OrDIN7t48CAewSHXc6C8lefD8KKfr5vY61brQlow==}
|
resolution: {integrity: sha512-WMwm9LhRUo+WUaRN+vRuETqG89IgZphVSNkdFgeb6sS/E4OrDIN7t48CAewSHXc6C8lefD8KKfr5vY61brQlow==}
|
||||||
|
|
||||||
|
|
@ -2409,6 +2451,10 @@ packages:
|
||||||
for-each@0.3.3:
|
for-each@0.3.3:
|
||||||
resolution: {integrity: sha512-jqYfLp7mo9vIyQf8ykW2v7A+2N4QjeCeI5+Dz9XraiO1ign81wjiH7Fb9vSOWvQfNtmSa4H2RoQTrrXivdUZmw==}
|
resolution: {integrity: sha512-jqYfLp7mo9vIyQf8ykW2v7A+2N4QjeCeI5+Dz9XraiO1ign81wjiH7Fb9vSOWvQfNtmSa4H2RoQTrrXivdUZmw==}
|
||||||
|
|
||||||
|
foreground-child@3.1.1:
|
||||||
|
resolution: {integrity: sha512-TMKDUnIte6bfb5nWv7V/caI169OHgvwjb7V4WkeUvbQQdjr5rWKqHFiKWb/fcOwB+CzBT+qbWjvj+DVwRskpIg==}
|
||||||
|
engines: {node: '>=14'}
|
||||||
|
|
||||||
forwarded@0.2.0:
|
forwarded@0.2.0:
|
||||||
resolution: {integrity: sha512-buRG0fpBtRHSTCOASe6hD258tEubFoRLb4ZNA6NxMVHNw2gOcwHo9wyablzMzOA5z9xA9L1KNjk/Nt6MT9aYow==}
|
resolution: {integrity: sha512-buRG0fpBtRHSTCOASe6hD258tEubFoRLb4ZNA6NxMVHNw2gOcwHo9wyablzMzOA5z9xA9L1KNjk/Nt6MT9aYow==}
|
||||||
engines: {node: '>= 0.6'}
|
engines: {node: '>= 0.6'}
|
||||||
|
|
@ -2488,6 +2534,11 @@ packages:
|
||||||
resolution: {integrity: sha512-XxwI8EOhVQgWp6iDL+3b0r86f4d6AX6zSU55HfB4ydCEuXLXc5FcYeOu+nnGftS4TEju/11rt4KJPTMgbfmv4A==}
|
resolution: {integrity: sha512-XxwI8EOhVQgWp6iDL+3b0r86f4d6AX6zSU55HfB4ydCEuXLXc5FcYeOu+nnGftS4TEju/11rt4KJPTMgbfmv4A==}
|
||||||
engines: {node: '>=10.13.0'}
|
engines: {node: '>=10.13.0'}
|
||||||
|
|
||||||
|
glob@10.4.1:
|
||||||
|
resolution: {integrity: sha512-2jelhlq3E4ho74ZyVLN03oKdAZVUa6UDZzFLVH1H7dnoax+y9qyaq8zBkfDIggjniU19z0wU18y16jMB2eyVIw==}
|
||||||
|
engines: {node: '>=16 || 14 >=14.18'}
|
||||||
|
hasBin: true
|
||||||
|
|
||||||
glob@7.2.3:
|
glob@7.2.3:
|
||||||
resolution: {integrity: sha512-nFR0zLpU2YCaRxwoCJvL6UvCH2JFyFVIvwTLsIf21AuHlMskA1hhTdk+LlYJtOlYt9v6dvszD2BGRqBL+iQK9Q==}
|
resolution: {integrity: sha512-nFR0zLpU2YCaRxwoCJvL6UvCH2JFyFVIvwTLsIf21AuHlMskA1hhTdk+LlYJtOlYt9v6dvszD2BGRqBL+iQK9Q==}
|
||||||
|
|
||||||
|
|
@ -2816,6 +2867,10 @@ packages:
|
||||||
itty-fetcher@0.9.4:
|
itty-fetcher@0.9.4:
|
||||||
resolution: {integrity: sha512-o5YpTmov46EbzTrrVpeR9sRK3itWa32VsV9Fv04CzzDm1ZvAXG0RoOGjT9ECOwyipheNf4eLTkstfbRtG8Epgg==}
|
resolution: {integrity: sha512-o5YpTmov46EbzTrrVpeR9sRK3itWa32VsV9Fv04CzzDm1ZvAXG0RoOGjT9ECOwyipheNf4eLTkstfbRtG8Epgg==}
|
||||||
|
|
||||||
|
jackspeak@3.4.0:
|
||||||
|
resolution: {integrity: sha512-JVYhQnN59LVPFCEcVa2C3CrEKYacvjRfqIQl+h8oi91aLYQVWRYbxjPcv1bUiUy/kLmQaANrYfNMCO3kuEDHfw==}
|
||||||
|
engines: {node: '>=14'}
|
||||||
|
|
||||||
jiti@1.20.0:
|
jiti@1.20.0:
|
||||||
resolution: {integrity: sha512-3TV69ZbrvV6U5DfQimop50jE9Dl6J8O1ja1dvBbMba/sZ3YBEQqJ2VZRoQPVnhlzjNtU1vaXRZVrVjU4qtm8yA==}
|
resolution: {integrity: sha512-3TV69ZbrvV6U5DfQimop50jE9Dl6J8O1ja1dvBbMba/sZ3YBEQqJ2VZRoQPVnhlzjNtU1vaXRZVrVjU4qtm8yA==}
|
||||||
hasBin: true
|
hasBin: true
|
||||||
|
|
@ -2908,6 +2963,14 @@ packages:
|
||||||
resolution: {integrity: sha512-+bT2uH4E5LGE7h/n3evcS/sQlJXCpIp6ym8OWJ5eV6+67Dsql/LaaT7qJBAt2rzfoa/5QBGBhxDix1dMt2kQKQ==}
|
resolution: {integrity: sha512-+bT2uH4E5LGE7h/n3evcS/sQlJXCpIp6ym8OWJ5eV6+67Dsql/LaaT7qJBAt2rzfoa/5QBGBhxDix1dMt2kQKQ==}
|
||||||
engines: {node: '>= 0.8.0'}
|
engines: {node: '>= 0.8.0'}
|
||||||
|
|
||||||
|
lilconfig@2.1.0:
|
||||||
|
resolution: {integrity: sha512-utWOt/GHzuUxnLKxB6dk81RoOeoNeHgbrXiuGk4yyF5qlRz+iIVWu56E2fqGHFrXz0QNUhLB/8nKqvRH66JKGQ==}
|
||||||
|
engines: {node: '>=10'}
|
||||||
|
|
||||||
|
lilconfig@3.1.1:
|
||||||
|
resolution: {integrity: sha512-O18pf7nyvHTckunPWCV1XUNXU1piu01y2b7ATJ0ppkUkk8ocqVWBrYjJBCwHDjD/ZWcfyrA0P4gKhzWGi5EINQ==}
|
||||||
|
engines: {node: '>=14'}
|
||||||
|
|
||||||
linebreak@1.1.0:
|
linebreak@1.1.0:
|
||||||
resolution: {integrity: sha512-MHp03UImeVhB7XZtjd0E4n6+3xr5Dq/9xI/5FptGk5FrbDR3zagPa2DS6U8ks/3HjbKWG9Q1M2ufOzxV2qLYSQ==}
|
resolution: {integrity: sha512-MHp03UImeVhB7XZtjd0E4n6+3xr5Dq/9xI/5FptGk5FrbDR3zagPa2DS6U8ks/3HjbKWG9Q1M2ufOzxV2qLYSQ==}
|
||||||
|
|
||||||
|
|
@ -2958,6 +3021,10 @@ packages:
|
||||||
resolution: {integrity: sha512-IJ4uwUTi2qCccrioU6g9g/5rvvVl13bsdczUUcqbciD9iLr095yj8DQKdObriEvuNSx325N1rV1O0sJFszx75g==}
|
resolution: {integrity: sha512-IJ4uwUTi2qCccrioU6g9g/5rvvVl13bsdczUUcqbciD9iLr095yj8DQKdObriEvuNSx325N1rV1O0sJFszx75g==}
|
||||||
engines: {node: 14 || >=16.14}
|
engines: {node: 14 || >=16.14}
|
||||||
|
|
||||||
|
lru-cache@10.2.2:
|
||||||
|
resolution: {integrity: sha512-9hp3Vp2/hFQUiIwKo8XCeFVnrg8Pk3TYNPIR7tJADKi5YfcF7vEaK7avFHTlSy3kOKYaJQaalfEo6YuXdceBOQ==}
|
||||||
|
engines: {node: 14 || >=16.14}
|
||||||
|
|
||||||
lru-cache@5.1.1:
|
lru-cache@5.1.1:
|
||||||
resolution: {integrity: sha512-KpNARQA3Iwv+jTA0utUVVbrh+Jlrr1Fv0e56GGzAFOXN7dk/FviaDW8LHmK52DlcH4WP2n6gI8vN1aesBFgo9w==}
|
resolution: {integrity: sha512-KpNARQA3Iwv+jTA0utUVVbrh+Jlrr1Fv0e56GGzAFOXN7dk/FviaDW8LHmK52DlcH4WP2n6gI8vN1aesBFgo9w==}
|
||||||
|
|
||||||
|
|
@ -3050,6 +3117,10 @@ packages:
|
||||||
resolution: {integrity: sha512-RHiac9mvaRw0x3AYRgDC1CxAP7HTcNrrECeA8YYJeWnpo+2Q5CegtZjaotWTWxDG3UeGA1coE05iH1mPjT/2mg==}
|
resolution: {integrity: sha512-RHiac9mvaRw0x3AYRgDC1CxAP7HTcNrrECeA8YYJeWnpo+2Q5CegtZjaotWTWxDG3UeGA1coE05iH1mPjT/2mg==}
|
||||||
engines: {node: '>=16 || 14 >=14.17'}
|
engines: {node: '>=16 || 14 >=14.17'}
|
||||||
|
|
||||||
|
minimatch@9.0.4:
|
||||||
|
resolution: {integrity: sha512-KqWh+VchfxcMNRAJjj2tnsSJdNbHsVgnkBhTNrW7AjVo6OvLtxw8zfT9oLw1JSohlFzJ8jCoTgaoXvJ+kHt6fw==}
|
||||||
|
engines: {node: '>=16 || 14 >=14.17'}
|
||||||
|
|
||||||
minimist@1.2.8:
|
minimist@1.2.8:
|
||||||
resolution: {integrity: sha512-2yyAR8qBkN3YuheJanUpWC5U3bb5osDywNB8RzDVlDwDHbocAJveqqj1u8+SVD7jkWT4yvsHCpWqqWqAxb0zCA==}
|
resolution: {integrity: sha512-2yyAR8qBkN3YuheJanUpWC5U3bb5osDywNB8RzDVlDwDHbocAJveqqj1u8+SVD7jkWT4yvsHCpWqqWqAxb0zCA==}
|
||||||
|
|
||||||
|
|
@ -3061,6 +3132,10 @@ packages:
|
||||||
resolution: {integrity: sha512-3FnjYuehv9k6ovOEbyOswadCDPX1piCfhV8ncmYtHOjuPwylVWsghTLo7rabjC3Rx5xD4HDx8Wm1xnMF7S5qFQ==}
|
resolution: {integrity: sha512-3FnjYuehv9k6ovOEbyOswadCDPX1piCfhV8ncmYtHOjuPwylVWsghTLo7rabjC3Rx5xD4HDx8Wm1xnMF7S5qFQ==}
|
||||||
engines: {node: '>=8'}
|
engines: {node: '>=8'}
|
||||||
|
|
||||||
|
minipass@7.1.2:
|
||||||
|
resolution: {integrity: sha512-qOOzS1cBTWYF4BH8fVePDBOO9iptMnGUEZwNc/cMWnTV2nVLZ7VoNWEPHkYczZA0pdoA7dl6e7FL659nX9S2aw==}
|
||||||
|
engines: {node: '>=16 || 14 >=14.17'}
|
||||||
|
|
||||||
minisearch@6.3.0:
|
minisearch@6.3.0:
|
||||||
resolution: {integrity: sha512-ihFnidEeU8iXzcVHy74dhkxh/dn8Dc08ERl0xwoMMGqp4+LvRSCgicb+zGqWthVokQKvCSxITlh3P08OzdTYCQ==}
|
resolution: {integrity: sha512-ihFnidEeU8iXzcVHy74dhkxh/dn8Dc08ERl0xwoMMGqp4+LvRSCgicb+zGqWthVokQKvCSxITlh3P08OzdTYCQ==}
|
||||||
|
|
||||||
|
|
@ -3099,6 +3174,9 @@ packages:
|
||||||
ms@2.1.3:
|
ms@2.1.3:
|
||||||
resolution: {integrity: sha512-6FlzubTLZG3J2a/NVCAleEhjzq5oxgHyaCU9yYXvcLsvoVaHJq/s5xXI6/XXP6tz7R9xAOtHnSO/tXtF3WRTlA==}
|
resolution: {integrity: sha512-6FlzubTLZG3J2a/NVCAleEhjzq5oxgHyaCU9yYXvcLsvoVaHJq/s5xXI6/XXP6tz7R9xAOtHnSO/tXtF3WRTlA==}
|
||||||
|
|
||||||
|
mz@2.7.0:
|
||||||
|
resolution: {integrity: sha512-z81GNO7nnYMEhrGh9LeymoE4+Yr0Wn5McHIZMK5cfQCl+NDX08sCZgUc9/6MHni9IWuFLm1Z3HTCXu2z9fN62Q==}
|
||||||
|
|
||||||
nanoid@3.3.7:
|
nanoid@3.3.7:
|
||||||
resolution: {integrity: sha512-eSRppjcPIatRIMC1U6UngP8XFcz8MQWGQdt1MTBQ7NaAmvXDfvNxbvWV3x2y6CdEUciCSsDHDQZbhYaB8QEo2g==}
|
resolution: {integrity: sha512-eSRppjcPIatRIMC1U6UngP8XFcz8MQWGQdt1MTBQ7NaAmvXDfvNxbvWV3x2y6CdEUciCSsDHDQZbhYaB8QEo2g==}
|
||||||
engines: {node: ^10 || ^12 || ^13.7 || ^14 || >=15.0.1}
|
engines: {node: ^10 || ^12 || ^13.7 || ^14 || >=15.0.1}
|
||||||
|
|
@ -3182,6 +3260,10 @@ packages:
|
||||||
resolution: {integrity: sha512-rJgTQnkUnH1sFw8yT6VSU3zD3sWmu6sZhIseY8VX+GRu3P6F7Fu+JNDoXfklElbLJSnc3FUQHVe4cU5hj+BcUg==}
|
resolution: {integrity: sha512-rJgTQnkUnH1sFw8yT6VSU3zD3sWmu6sZhIseY8VX+GRu3P6F7Fu+JNDoXfklElbLJSnc3FUQHVe4cU5hj+BcUg==}
|
||||||
engines: {node: '>=0.10.0'}
|
engines: {node: '>=0.10.0'}
|
||||||
|
|
||||||
|
object-hash@3.0.0:
|
||||||
|
resolution: {integrity: sha512-RSn9F68PjH9HqtltsSnqYC1XXoWe9Bju5+213R98cNGttag9q9yAOTzdbsqvIa7aNm5WffBZFpWYr2aWrklWAw==}
|
||||||
|
engines: {node: '>= 6'}
|
||||||
|
|
||||||
object-inspect@1.13.1:
|
object-inspect@1.13.1:
|
||||||
resolution: {integrity: sha512-5qoj1RUiKOMsCCNLV1CBiPYE10sziTsnmNxkAI/rZhiD63CF7IqdFGC/XzjWjpSgLf0LxXX3bDFIh0E18f6UhQ==}
|
resolution: {integrity: sha512-5qoj1RUiKOMsCCNLV1CBiPYE10sziTsnmNxkAI/rZhiD63CF7IqdFGC/XzjWjpSgLf0LxXX3bDFIh0E18f6UhQ==}
|
||||||
|
|
||||||
|
|
@ -3293,6 +3375,10 @@ packages:
|
||||||
path-parse@1.0.7:
|
path-parse@1.0.7:
|
||||||
resolution: {integrity: sha512-LDJzPVEEEPR+y48z93A0Ed0yXb8pAByGWo/k5YYdYgpY2/2EsOsksJrq7lOHxryrVOn1ejG6oAp8ahvOIQD8sw==}
|
resolution: {integrity: sha512-LDJzPVEEEPR+y48z93A0Ed0yXb8pAByGWo/k5YYdYgpY2/2EsOsksJrq7lOHxryrVOn1ejG6oAp8ahvOIQD8sw==}
|
||||||
|
|
||||||
|
path-scurry@1.11.1:
|
||||||
|
resolution: {integrity: sha512-Xa4Nw17FS9ApQFJ9umLiJS4orGjm7ZzwUrwamcGQuHSzDyth9boKDaycYdDcZDuqYATXw4HFXgaqWTctW/v1HA==}
|
||||||
|
engines: {node: '>=16 || 14 >=14.18'}
|
||||||
|
|
||||||
path-to-regexp@0.1.7:
|
path-to-regexp@0.1.7:
|
||||||
resolution: {integrity: sha512-5DFkuoqlv1uYQKxy8omFBeJPQcdoE07Kv2sferDCrAq1ohOU+MSDswDIbnx3YAM60qIOnYa53wBhXW0EbMonrQ==}
|
resolution: {integrity: sha512-5DFkuoqlv1uYQKxy8omFBeJPQcdoE07Kv2sferDCrAq1ohOU+MSDswDIbnx3YAM60qIOnYa53wBhXW0EbMonrQ==}
|
||||||
|
|
||||||
|
|
@ -3313,6 +3399,14 @@ packages:
|
||||||
resolution: {integrity: sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA==}
|
resolution: {integrity: sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA==}
|
||||||
engines: {node: '>=8.6'}
|
engines: {node: '>=8.6'}
|
||||||
|
|
||||||
|
pify@2.3.0:
|
||||||
|
resolution: {integrity: sha512-udgsAY+fTnvv7kI7aaxbqwWNb0AHiB0qBO89PZKPkoTmGOgdbrHDKD+0B2X4uTfJ/FT1R09r9gTsjUjNJotuog==}
|
||||||
|
engines: {node: '>=0.10.0'}
|
||||||
|
|
||||||
|
pirates@4.0.6:
|
||||||
|
resolution: {integrity: sha512-saLsH7WeYYPiD25LDuLRRY/i+6HaPYr6G1OUlN39otzkSTxKnubR9RTxS3/Kk50s1g2JTgFwWQDQyplC5/SHZg==}
|
||||||
|
engines: {node: '>= 6'}
|
||||||
|
|
||||||
pkg-types@1.0.3:
|
pkg-types@1.0.3:
|
||||||
resolution: {integrity: sha512-nN7pYi0AQqJnoLPC9eHFQ8AcyaixBUOwvqc5TDnIKCMEE6I0y8P7OKA7fPexsXGCGxQDl/cmrLAp26LhcwxZ4A==}
|
resolution: {integrity: sha512-nN7pYi0AQqJnoLPC9eHFQ8AcyaixBUOwvqc5TDnIKCMEE6I0y8P7OKA7fPexsXGCGxQDl/cmrLAp26LhcwxZ4A==}
|
||||||
|
|
||||||
|
|
@ -3324,6 +3418,36 @@ packages:
|
||||||
resolution: {integrity: sha512-Nc3IT5yHzflTfbjgqWcCPpo7DaKy4FnpB0l/zCAW0Tc7jxAiuqSxHasntB3D7887LSrA93kDJ9IXovxJYxyLCA==}
|
resolution: {integrity: sha512-Nc3IT5yHzflTfbjgqWcCPpo7DaKy4FnpB0l/zCAW0Tc7jxAiuqSxHasntB3D7887LSrA93kDJ9IXovxJYxyLCA==}
|
||||||
engines: {node: '>=4'}
|
engines: {node: '>=4'}
|
||||||
|
|
||||||
|
postcss-import@15.1.0:
|
||||||
|
resolution: {integrity: sha512-hpr+J05B2FVYUAXHeK1YyI267J/dDDhMU6B6civm8hSY1jYJnBXxzKDKDswzJmtLHryrjhnDjqqp/49t8FALew==}
|
||||||
|
engines: {node: '>=14.0.0'}
|
||||||
|
peerDependencies:
|
||||||
|
postcss: ^8.0.0
|
||||||
|
|
||||||
|
postcss-js@4.0.1:
|
||||||
|
resolution: {integrity: sha512-dDLF8pEO191hJMtlHFPRa8xsizHaM82MLfNkUHdUtVEV3tgTp5oj+8qbEqYM57SLfc74KSbw//4SeJma2LRVIw==}
|
||||||
|
engines: {node: ^12 || ^14 || >= 16}
|
||||||
|
peerDependencies:
|
||||||
|
postcss: ^8.4.21
|
||||||
|
|
||||||
|
postcss-load-config@4.0.2:
|
||||||
|
resolution: {integrity: sha512-bSVhyJGL00wMVoPUzAVAnbEoWyqRxkjv64tUl427SKnPrENtq6hJwUojroMz2VB+Q1edmi4IfrAPpami5VVgMQ==}
|
||||||
|
engines: {node: '>= 14'}
|
||||||
|
peerDependencies:
|
||||||
|
postcss: '>=8.0.9'
|
||||||
|
ts-node: '>=9.0.0'
|
||||||
|
peerDependenciesMeta:
|
||||||
|
postcss:
|
||||||
|
optional: true
|
||||||
|
ts-node:
|
||||||
|
optional: true
|
||||||
|
|
||||||
|
postcss-nested@6.0.1:
|
||||||
|
resolution: {integrity: sha512-mEp4xPMi5bSWiMbsgoPfcP74lsWLHkQbZc3sY+jWYd65CUwXrUaTp0fmNpa01ZcETKlIgUdFN/MpS2xZtqL9dQ==}
|
||||||
|
engines: {node: '>=12.0'}
|
||||||
|
peerDependencies:
|
||||||
|
postcss: ^8.2.14
|
||||||
|
|
||||||
postcss-selector-parser@6.0.15:
|
postcss-selector-parser@6.0.15:
|
||||||
resolution: {integrity: sha512-rEYkQOMUCEMhsKbK66tbEU9QVIxbhN18YiniAwA7XQYTVBqrBy+P2p5JcdqsHgKM2zWylp8d7J6eszocfds5Sw==}
|
resolution: {integrity: sha512-rEYkQOMUCEMhsKbK66tbEU9QVIxbhN18YiniAwA7XQYTVBqrBy+P2p5JcdqsHgKM2zWylp8d7J6eszocfds5Sw==}
|
||||||
engines: {node: '>=4'}
|
engines: {node: '>=4'}
|
||||||
|
|
@ -3403,6 +3527,9 @@ packages:
|
||||||
react-is@16.13.1:
|
react-is@16.13.1:
|
||||||
resolution: {integrity: sha512-24e6ynE2H+OKt4kqsOvNd8kBpV65zoxbA4BVsEOB3ARVWQki/DHzaUoC5KuON/BiccDaCCTZBuOcfZs70kR8bQ==}
|
resolution: {integrity: sha512-24e6ynE2H+OKt4kqsOvNd8kBpV65zoxbA4BVsEOB3ARVWQki/DHzaUoC5KuON/BiccDaCCTZBuOcfZs70kR8bQ==}
|
||||||
|
|
||||||
|
read-cache@1.0.0:
|
||||||
|
resolution: {integrity: sha512-Owdv/Ft7IjOgm/i0xvNDZ1LrRANRfew4b2prF3OWMQLxLfu3bS8FVhCsrSCMK4lR56Y9ya+AThoTpDCTxCmpRA==}
|
||||||
|
|
||||||
read-pkg-up@7.0.1:
|
read-pkg-up@7.0.1:
|
||||||
resolution: {integrity: sha512-zK0TB7Xd6JpCLmlLmufqykGE+/TlOePD6qKClNW7hHDKFh/J7/7gCWGR7joEQEW1bKq3a3yUZSObOoWLFQ4ohg==}
|
resolution: {integrity: sha512-zK0TB7Xd6JpCLmlLmufqykGE+/TlOePD6qKClNW7hHDKFh/J7/7gCWGR7joEQEW1bKq3a3yUZSObOoWLFQ4ohg==}
|
||||||
engines: {node: '>=8'}
|
engines: {node: '>=8'}
|
||||||
|
|
@ -3597,6 +3724,10 @@ packages:
|
||||||
signal-exit@3.0.7:
|
signal-exit@3.0.7:
|
||||||
resolution: {integrity: sha512-wnD2ZE+l+SPC/uoS0vXeE9L1+0wuaMqKlfz9AMUo38JsyLSBWSFcHR1Rri62LZc12vLr1gb3jl7iwQhgwpAbGQ==}
|
resolution: {integrity: sha512-wnD2ZE+l+SPC/uoS0vXeE9L1+0wuaMqKlfz9AMUo38JsyLSBWSFcHR1Rri62LZc12vLr1gb3jl7iwQhgwpAbGQ==}
|
||||||
|
|
||||||
|
signal-exit@4.1.0:
|
||||||
|
resolution: {integrity: sha512-bzyZ1e88w9O1iNJbKnOlvYTrWPDl46O1bG0D3XInv+9tkPrxrN8jUUTiFlDkkmKWgn1M6CfIA13SuGqOa9Korw==}
|
||||||
|
engines: {node: '>=14'}
|
||||||
|
|
||||||
sirv@2.0.4:
|
sirv@2.0.4:
|
||||||
resolution: {integrity: sha512-94Bdh3cC2PKrbgSOUqTiGPWVZeSiXfKOVZNJniWoqrWrRkB1CJzBU3NEbiTsPcYy1lDsANA/THzS+9WBiy5nfQ==}
|
resolution: {integrity: sha512-94Bdh3cC2PKrbgSOUqTiGPWVZeSiXfKOVZNJniWoqrWrRkB1CJzBU3NEbiTsPcYy1lDsANA/THzS+9WBiy5nfQ==}
|
||||||
engines: {node: '>= 10'}
|
engines: {node: '>= 10'}
|
||||||
|
|
@ -3667,6 +3798,10 @@ packages:
|
||||||
resolution: {integrity: sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==}
|
resolution: {integrity: sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==}
|
||||||
engines: {node: '>=8'}
|
engines: {node: '>=8'}
|
||||||
|
|
||||||
|
string-width@5.1.2:
|
||||||
|
resolution: {integrity: sha512-HnLOCR3vjcY8beoNLtcjZ5/nxn2afmME6lhrDrebokqMap+XbeW8n9TXpPDOqdGK5qcI3oT0GKTW6wC7EMiVqA==}
|
||||||
|
engines: {node: '>=12'}
|
||||||
|
|
||||||
string-width@7.0.0:
|
string-width@7.0.0:
|
||||||
resolution: {integrity: sha512-GPQHj7row82Hjo9hKZieKcHIhaAIKOJvFSIZXuCU9OASVZrMNUaZuz++SPVrBjnLsnk4k+z9f2EIypgxf2vNFw==}
|
resolution: {integrity: sha512-GPQHj7row82Hjo9hKZieKcHIhaAIKOJvFSIZXuCU9OASVZrMNUaZuz++SPVrBjnLsnk4k+z9f2EIypgxf2vNFw==}
|
||||||
engines: {node: '>=18'}
|
engines: {node: '>=18'}
|
||||||
|
|
@ -3716,6 +3851,11 @@ packages:
|
||||||
strip-literal@1.3.0:
|
strip-literal@1.3.0:
|
||||||
resolution: {integrity: sha512-PugKzOsyXpArk0yWmUwqOZecSO0GH0bPoctLcqNDH9J04pVW3lflYE0ujElBGTloevcxF5MofAOZ7C5l2b+wLg==}
|
resolution: {integrity: sha512-PugKzOsyXpArk0yWmUwqOZecSO0GH0bPoctLcqNDH9J04pVW3lflYE0ujElBGTloevcxF5MofAOZ7C5l2b+wLg==}
|
||||||
|
|
||||||
|
sucrase@3.35.0:
|
||||||
|
resolution: {integrity: sha512-8EbVDiu9iN/nESwxeSxDKe0dunta1GOlHufmSSXxMD2z2/tMZpDMpvXQGsc+ajGo8y2uYUmixaSRUc/QPoQ0GA==}
|
||||||
|
engines: {node: '>=16 || 14 >=14.17'}
|
||||||
|
hasBin: true
|
||||||
|
|
||||||
supports-color@5.5.0:
|
supports-color@5.5.0:
|
||||||
resolution: {integrity: sha512-QjVjwdXIt408MIiAqCX4oUKsgU2EqAGzs2Ppkm4aQYbjm+ZEWEcW4SfFNTr4uMNZma0ey4f5lgLrkB0aX0QMow==}
|
resolution: {integrity: sha512-QjVjwdXIt408MIiAqCX4oUKsgU2EqAGzs2Ppkm4aQYbjm+ZEWEcW4SfFNTr4uMNZma0ey4f5lgLrkB0aX0QMow==}
|
||||||
engines: {node: '>=4'}
|
engines: {node: '>=4'}
|
||||||
|
|
@ -3743,6 +3883,11 @@ packages:
|
||||||
tabbable@6.2.0:
|
tabbable@6.2.0:
|
||||||
resolution: {integrity: sha512-Cat63mxsVJlzYvN51JmVXIgNoUokrIaT2zLclCXjRd8boZ0004U4KCs/sToJ75C6sdlByWxpYnb5Boif1VSFew==}
|
resolution: {integrity: sha512-Cat63mxsVJlzYvN51JmVXIgNoUokrIaT2zLclCXjRd8boZ0004U4KCs/sToJ75C6sdlByWxpYnb5Boif1VSFew==}
|
||||||
|
|
||||||
|
tailwindcss@3.4.4:
|
||||||
|
resolution: {integrity: sha512-ZoyXOdJjISB7/BcLTR6SEsLgKtDStYyYZVLsUtWChO4Ps20CBad7lfJKVDiejocV4ME1hLmyY0WJE3hSDcmQ2A==}
|
||||||
|
engines: {node: '>=14.0.0'}
|
||||||
|
hasBin: true
|
||||||
|
|
||||||
tapable@2.2.1:
|
tapable@2.2.1:
|
||||||
resolution: {integrity: sha512-GNzQvQTOIP6RyTfE2Qxb8ZVlNmw0n88vp1szwWRimP02mnTsx3Wtn5qRdqY9w2XduFNUgvOwhNnQsjwCp+kqaQ==}
|
resolution: {integrity: sha512-GNzQvQTOIP6RyTfE2Qxb8ZVlNmw0n88vp1szwWRimP02mnTsx3Wtn5qRdqY9w2XduFNUgvOwhNnQsjwCp+kqaQ==}
|
||||||
engines: {node: '>=6'}
|
engines: {node: '>=6'}
|
||||||
|
|
@ -3762,6 +3907,13 @@ packages:
|
||||||
text-table@0.2.0:
|
text-table@0.2.0:
|
||||||
resolution: {integrity: sha512-N+8UisAXDGk8PFXP4HAzVR9nbfmVJ3zYLAWiTIoqC5v5isinhr+r5uaO8+7r3BMfuNIufIsA7RdpVgacC2cSpw==}
|
resolution: {integrity: sha512-N+8UisAXDGk8PFXP4HAzVR9nbfmVJ3zYLAWiTIoqC5v5isinhr+r5uaO8+7r3BMfuNIufIsA7RdpVgacC2cSpw==}
|
||||||
|
|
||||||
|
thenify-all@1.6.0:
|
||||||
|
resolution: {integrity: sha512-RNxQH/qI8/t3thXJDwcstUO4zeqo64+Uy/+sNVRBx4Xn2OX+OZ9oP+iJnNFqplFra2ZUVeKCSa2oVWi3T4uVmA==}
|
||||||
|
engines: {node: '>=0.8'}
|
||||||
|
|
||||||
|
thenify@3.3.1:
|
||||||
|
resolution: {integrity: sha512-RVZSIV5IG10Hk3enotrhvz0T9em6cyHBLkH/YAZuKqd8hRkKhSfCGIcP2KUY0EPxndzANBmNllzWPwak+bheSw==}
|
||||||
|
|
||||||
tiny-inflate@1.0.3:
|
tiny-inflate@1.0.3:
|
||||||
resolution: {integrity: sha512-pkY1fj1cKHb2seWDy0B16HeWyczlJA9/WW3u3c4z/NiWDsO3DOU5D7nhTLE9CF0yXv/QZFY7sEJmj24dK+Rrqw==}
|
resolution: {integrity: sha512-pkY1fj1cKHb2seWDy0B16HeWyczlJA9/WW3u3c4z/NiWDsO3DOU5D7nhTLE9CF0yXv/QZFY7sEJmj24dK+Rrqw==}
|
||||||
|
|
||||||
|
|
@ -3790,6 +3942,9 @@ packages:
|
||||||
peerDependencies:
|
peerDependencies:
|
||||||
typescript: '>=4.2.0'
|
typescript: '>=4.2.0'
|
||||||
|
|
||||||
|
ts-interface-checker@0.1.13:
|
||||||
|
resolution: {integrity: sha512-Y/arvbn+rrz3JCKl9C4kVNfTfSm2/mEp5FSz5EsZSANGPSlQrpRI5M4PKF+mJnE52jOO90PnPSc3Ur3bTQw0gA==}
|
||||||
|
|
||||||
tslib@1.14.1:
|
tslib@1.14.1:
|
||||||
resolution: {integrity: sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==}
|
resolution: {integrity: sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==}
|
||||||
|
|
||||||
|
|
@ -4075,6 +4230,10 @@ packages:
|
||||||
resolution: {integrity: sha512-YVGIj2kamLSTxw6NsZjoBxfSwsn0ycdesmc4p+Q21c5zPuZ1pl+NfxVdxPtdHvmNVOQ6XSYG4AUtyt/Fi7D16Q==}
|
resolution: {integrity: sha512-YVGIj2kamLSTxw6NsZjoBxfSwsn0ycdesmc4p+Q21c5zPuZ1pl+NfxVdxPtdHvmNVOQ6XSYG4AUtyt/Fi7D16Q==}
|
||||||
engines: {node: '>=10'}
|
engines: {node: '>=10'}
|
||||||
|
|
||||||
|
wrap-ansi@8.1.0:
|
||||||
|
resolution: {integrity: sha512-si7QWI6zUMq56bESFvagtmzMdGOtoxfR+Sez11Mobfc7tm+VkUckk9bW2UeffTGVUbOksxmSw0AA2gs8g71NCQ==}
|
||||||
|
engines: {node: '>=12'}
|
||||||
|
|
||||||
wrappy@1.0.2:
|
wrappy@1.0.2:
|
||||||
resolution: {integrity: sha512-l4Sp/DRseor9wL6EvV2+TuQn63dMkPjZ/sp9XkghTEbV9KlPS1xUsZ3u7/IQO4wxtcFB4bgpQPRcR3QCvezPcQ==}
|
resolution: {integrity: sha512-l4Sp/DRseor9wL6EvV2+TuQn63dMkPjZ/sp9XkghTEbV9KlPS1xUsZ3u7/IQO4wxtcFB4bgpQPRcR3QCvezPcQ==}
|
||||||
|
|
||||||
|
|
@ -4154,15 +4313,13 @@ snapshots:
|
||||||
'@algolia/autocomplete-preset-algolia@1.9.3(@algolia/client-search@4.22.1)(algoliasearch@4.22.1)':
|
'@algolia/autocomplete-preset-algolia@1.9.3(@algolia/client-search@4.22.1)(algoliasearch@4.22.1)':
|
||||||
dependencies:
|
dependencies:
|
||||||
'@algolia/autocomplete-shared': 1.9.3(@algolia/client-search@4.22.1)(algoliasearch@4.22.1)
|
'@algolia/autocomplete-shared': 1.9.3(@algolia/client-search@4.22.1)(algoliasearch@4.22.1)
|
||||||
algoliasearch: 4.22.1
|
|
||||||
optionalDependencies:
|
|
||||||
'@algolia/client-search': 4.22.1
|
'@algolia/client-search': 4.22.1
|
||||||
|
algoliasearch: 4.22.1
|
||||||
|
|
||||||
'@algolia/autocomplete-shared@1.9.3(@algolia/client-search@4.22.1)(algoliasearch@4.22.1)':
|
'@algolia/autocomplete-shared@1.9.3(@algolia/client-search@4.22.1)(algoliasearch@4.22.1)':
|
||||||
dependencies:
|
dependencies:
|
||||||
algoliasearch: 4.22.1
|
|
||||||
optionalDependencies:
|
|
||||||
'@algolia/client-search': 4.22.1
|
'@algolia/client-search': 4.22.1
|
||||||
|
algoliasearch: 4.22.1
|
||||||
|
|
||||||
'@algolia/cache-browser-local-storage@4.22.1':
|
'@algolia/cache-browser-local-storage@4.22.1':
|
||||||
dependencies:
|
dependencies:
|
||||||
|
|
@ -4226,6 +4383,8 @@ snapshots:
|
||||||
'@algolia/logger-common': 4.22.1
|
'@algolia/logger-common': 4.22.1
|
||||||
'@algolia/requester-common': 4.22.1
|
'@algolia/requester-common': 4.22.1
|
||||||
|
|
||||||
|
'@alloc/quick-lru@5.2.0': {}
|
||||||
|
|
||||||
'@ampproject/remapping@2.2.1':
|
'@ampproject/remapping@2.2.1':
|
||||||
dependencies:
|
dependencies:
|
||||||
'@jridgewell/gen-mapping': 0.3.3
|
'@jridgewell/gen-mapping': 0.3.3
|
||||||
|
|
@ -4639,9 +4798,9 @@ snapshots:
|
||||||
|
|
||||||
'@fastify/busboy@2.0.0': {}
|
'@fastify/busboy@2.0.0': {}
|
||||||
|
|
||||||
'@headlessui/vue@1.7.17(vue@3.4.15)':
|
'@headlessui/vue@1.7.22(vue@3.4.15)':
|
||||||
dependencies:
|
dependencies:
|
||||||
'@tanstack/vue-virtual': 3.0.2(vue@3.4.15)
|
'@tanstack/vue-virtual': 3.5.1(vue@3.4.15)
|
||||||
vue: 3.4.15
|
vue: 3.4.15
|
||||||
|
|
||||||
'@html-eslint/eslint-plugin@0.22.0': {}
|
'@html-eslint/eslint-plugin@0.22.0': {}
|
||||||
|
|
@ -4666,6 +4825,10 @@ snapshots:
|
||||||
dependencies:
|
dependencies:
|
||||||
'@iconify/types': 2.0.0
|
'@iconify/types': 2.0.0
|
||||||
|
|
||||||
|
'@iconify-json/heroicons-solid@1.1.11':
|
||||||
|
dependencies:
|
||||||
|
'@iconify/types': 2.0.0
|
||||||
|
|
||||||
'@iconify-json/twemoji@1.1.15':
|
'@iconify-json/twemoji@1.1.15':
|
||||||
dependencies:
|
dependencies:
|
||||||
'@iconify/types': 2.0.0
|
'@iconify/types': 2.0.0
|
||||||
|
|
@ -4685,6 +4848,15 @@ snapshots:
|
||||||
|
|
||||||
'@ioredis/commands@1.2.0': {}
|
'@ioredis/commands@1.2.0': {}
|
||||||
|
|
||||||
|
'@isaacs/cliui@8.0.2':
|
||||||
|
dependencies:
|
||||||
|
string-width: 5.1.2
|
||||||
|
string-width-cjs: string-width@4.2.3
|
||||||
|
strip-ansi: 7.1.0
|
||||||
|
strip-ansi-cjs: strip-ansi@6.0.1
|
||||||
|
wrap-ansi: 8.1.0
|
||||||
|
wrap-ansi-cjs: wrap-ansi@7.0.0
|
||||||
|
|
||||||
'@jridgewell/gen-mapping@0.3.3':
|
'@jridgewell/gen-mapping@0.3.3':
|
||||||
dependencies:
|
dependencies:
|
||||||
'@jridgewell/set-array': 1.1.2
|
'@jridgewell/set-array': 1.1.2
|
||||||
|
|
@ -4812,6 +4984,9 @@ snapshots:
|
||||||
'@parcel/watcher-win32-ia32': 2.3.0
|
'@parcel/watcher-win32-ia32': 2.3.0
|
||||||
'@parcel/watcher-win32-x64': 2.3.0
|
'@parcel/watcher-win32-x64': 2.3.0
|
||||||
|
|
||||||
|
'@pkgjs/parseargs@0.11.0':
|
||||||
|
optional: true
|
||||||
|
|
||||||
'@pkgr/core@0.1.1': {}
|
'@pkgr/core@0.1.1': {}
|
||||||
|
|
||||||
'@polka/url@1.0.0-next.24': {}
|
'@polka/url@1.0.0-next.24': {}
|
||||||
|
|
@ -5021,11 +5196,11 @@ snapshots:
|
||||||
- supports-color
|
- supports-color
|
||||||
- typescript
|
- typescript
|
||||||
|
|
||||||
'@tanstack/virtual-core@3.0.0': {}
|
'@tanstack/virtual-core@3.5.1': {}
|
||||||
|
|
||||||
'@tanstack/vue-virtual@3.0.2(vue@3.4.15)':
|
'@tanstack/vue-virtual@3.5.1(vue@3.4.15)':
|
||||||
dependencies:
|
dependencies:
|
||||||
'@tanstack/virtual-core': 3.0.0
|
'@tanstack/virtual-core': 3.5.1
|
||||||
vue: 3.4.15
|
vue: 3.4.15
|
||||||
|
|
||||||
'@taskylizard/eslint-config@1.1.1(@types/eslint@8.56.2)(eslint@8.56.0)(prettier@3.2.4)':
|
'@taskylizard/eslint-config@1.1.1(@types/eslint@8.56.2)(eslint@8.56.0)(prettier@3.2.4)':
|
||||||
|
|
@ -5714,6 +5889,10 @@ snapshots:
|
||||||
dependencies:
|
dependencies:
|
||||||
color-convert: 2.0.1
|
color-convert: 2.0.1
|
||||||
|
|
||||||
|
ansi-styles@6.2.1: {}
|
||||||
|
|
||||||
|
any-promise@1.3.0: {}
|
||||||
|
|
||||||
anymatch@3.1.3:
|
anymatch@3.1.3:
|
||||||
dependencies:
|
dependencies:
|
||||||
normalize-path: 3.0.0
|
normalize-path: 3.0.0
|
||||||
|
|
@ -5749,6 +5928,8 @@ snapshots:
|
||||||
delegates: 1.0.0
|
delegates: 1.0.0
|
||||||
readable-stream: 3.6.2
|
readable-stream: 3.6.2
|
||||||
|
|
||||||
|
arg@5.0.2: {}
|
||||||
|
|
||||||
argparse@2.0.1: {}
|
argparse@2.0.1: {}
|
||||||
|
|
||||||
aria-query@5.3.0:
|
aria-query@5.3.0:
|
||||||
|
|
@ -5930,6 +6111,8 @@ snapshots:
|
||||||
|
|
||||||
callsites@3.1.0: {}
|
callsites@3.1.0: {}
|
||||||
|
|
||||||
|
camelcase-css@2.0.1: {}
|
||||||
|
|
||||||
camelize@1.0.1: {}
|
camelize@1.0.1: {}
|
||||||
|
|
||||||
caniuse-lite@1.0.30001576: {}
|
caniuse-lite@1.0.30001576: {}
|
||||||
|
|
@ -6009,6 +6192,8 @@ snapshots:
|
||||||
|
|
||||||
commander@2.20.3: {}
|
commander@2.20.3: {}
|
||||||
|
|
||||||
|
commander@4.1.1: {}
|
||||||
|
|
||||||
comment-parser@1.4.1: {}
|
comment-parser@1.4.1: {}
|
||||||
|
|
||||||
commondir@1.0.1: {}
|
commondir@1.0.1: {}
|
||||||
|
|
@ -6132,10 +6317,14 @@ snapshots:
|
||||||
|
|
||||||
detect-libc@2.0.2: {}
|
detect-libc@2.0.2: {}
|
||||||
|
|
||||||
|
didyoumean@1.2.2: {}
|
||||||
|
|
||||||
dir-glob@3.0.1:
|
dir-glob@3.0.1:
|
||||||
dependencies:
|
dependencies:
|
||||||
path-type: 4.0.0
|
path-type: 4.0.0
|
||||||
|
|
||||||
|
dlv@1.1.3: {}
|
||||||
|
|
||||||
doctrine@2.1.0:
|
doctrine@2.1.0:
|
||||||
dependencies:
|
dependencies:
|
||||||
esutils: 2.0.3
|
esutils: 2.0.3
|
||||||
|
|
@ -6152,6 +6341,8 @@ snapshots:
|
||||||
|
|
||||||
duplexer@0.1.2: {}
|
duplexer@0.1.2: {}
|
||||||
|
|
||||||
|
eastasianwidth@0.2.0: {}
|
||||||
|
|
||||||
ee-first@1.1.1: {}
|
ee-first@1.1.1: {}
|
||||||
|
|
||||||
electron-to-chromium@1.4.630: {}
|
electron-to-chromium@1.4.630: {}
|
||||||
|
|
@ -6807,6 +6998,11 @@ snapshots:
|
||||||
dependencies:
|
dependencies:
|
||||||
is-callable: 1.2.7
|
is-callable: 1.2.7
|
||||||
|
|
||||||
|
foreground-child@3.1.1:
|
||||||
|
dependencies:
|
||||||
|
cross-spawn: 7.0.3
|
||||||
|
signal-exit: 4.1.0
|
||||||
|
|
||||||
forwarded@0.2.0: {}
|
forwarded@0.2.0: {}
|
||||||
|
|
||||||
fresh@0.5.2: {}
|
fresh@0.5.2: {}
|
||||||
|
|
@ -6895,6 +7091,14 @@ snapshots:
|
||||||
dependencies:
|
dependencies:
|
||||||
is-glob: 4.0.3
|
is-glob: 4.0.3
|
||||||
|
|
||||||
|
glob@10.4.1:
|
||||||
|
dependencies:
|
||||||
|
foreground-child: 3.1.1
|
||||||
|
jackspeak: 3.4.0
|
||||||
|
minimatch: 9.0.4
|
||||||
|
minipass: 7.1.2
|
||||||
|
path-scurry: 1.11.1
|
||||||
|
|
||||||
glob@7.2.3:
|
glob@7.2.3:
|
||||||
dependencies:
|
dependencies:
|
||||||
fs.realpath: 1.0.0
|
fs.realpath: 1.0.0
|
||||||
|
|
@ -7226,6 +7430,12 @@ snapshots:
|
||||||
|
|
||||||
itty-fetcher@0.9.4: {}
|
itty-fetcher@0.9.4: {}
|
||||||
|
|
||||||
|
jackspeak@3.4.0:
|
||||||
|
dependencies:
|
||||||
|
'@isaacs/cliui': 8.0.2
|
||||||
|
optionalDependencies:
|
||||||
|
'@pkgjs/parseargs': 0.11.0
|
||||||
|
|
||||||
jiti@1.20.0: {}
|
jiti@1.20.0: {}
|
||||||
|
|
||||||
jiti@1.21.0: {}
|
jiti@1.21.0: {}
|
||||||
|
|
@ -7301,6 +7511,10 @@ snapshots:
|
||||||
prelude-ls: 1.2.1
|
prelude-ls: 1.2.1
|
||||||
type-check: 0.4.0
|
type-check: 0.4.0
|
||||||
|
|
||||||
|
lilconfig@2.1.0: {}
|
||||||
|
|
||||||
|
lilconfig@3.1.1: {}
|
||||||
|
|
||||||
linebreak@1.1.0:
|
linebreak@1.1.0:
|
||||||
dependencies:
|
dependencies:
|
||||||
base64-js: 0.0.8
|
base64-js: 0.0.8
|
||||||
|
|
@ -7362,6 +7576,8 @@ snapshots:
|
||||||
|
|
||||||
lru-cache@10.0.1: {}
|
lru-cache@10.0.1: {}
|
||||||
|
|
||||||
|
lru-cache@10.2.2: {}
|
||||||
|
|
||||||
lru-cache@5.1.1:
|
lru-cache@5.1.1:
|
||||||
dependencies:
|
dependencies:
|
||||||
yallist: 3.1.1
|
yallist: 3.1.1
|
||||||
|
|
@ -7446,6 +7662,10 @@ snapshots:
|
||||||
dependencies:
|
dependencies:
|
||||||
brace-expansion: 2.0.1
|
brace-expansion: 2.0.1
|
||||||
|
|
||||||
|
minimatch@9.0.4:
|
||||||
|
dependencies:
|
||||||
|
brace-expansion: 2.0.1
|
||||||
|
|
||||||
minimist@1.2.8: {}
|
minimist@1.2.8: {}
|
||||||
|
|
||||||
minipass@3.3.6:
|
minipass@3.3.6:
|
||||||
|
|
@ -7454,6 +7674,8 @@ snapshots:
|
||||||
|
|
||||||
minipass@5.0.0: {}
|
minipass@5.0.0: {}
|
||||||
|
|
||||||
|
minipass@7.1.2: {}
|
||||||
|
|
||||||
minisearch@6.3.0: {}
|
minisearch@6.3.0: {}
|
||||||
|
|
||||||
minizlib@2.1.2:
|
minizlib@2.1.2:
|
||||||
|
|
@ -7489,6 +7711,12 @@ snapshots:
|
||||||
|
|
||||||
ms@2.1.3: {}
|
ms@2.1.3: {}
|
||||||
|
|
||||||
|
mz@2.7.0:
|
||||||
|
dependencies:
|
||||||
|
any-promise: 1.3.0
|
||||||
|
object-assign: 4.1.1
|
||||||
|
thenify-all: 1.6.0
|
||||||
|
|
||||||
nanoid@3.3.7: {}
|
nanoid@3.3.7: {}
|
||||||
|
|
||||||
natural-compare-lite@1.4.0: {}
|
natural-compare-lite@1.4.0: {}
|
||||||
|
|
@ -7628,6 +7856,8 @@ snapshots:
|
||||||
|
|
||||||
object-assign@4.1.1: {}
|
object-assign@4.1.1: {}
|
||||||
|
|
||||||
|
object-hash@3.0.0: {}
|
||||||
|
|
||||||
object-inspect@1.13.1: {}
|
object-inspect@1.13.1: {}
|
||||||
|
|
||||||
object-keys@1.1.1: {}
|
object-keys@1.1.1: {}
|
||||||
|
|
@ -7761,6 +7991,11 @@ snapshots:
|
||||||
|
|
||||||
path-parse@1.0.7: {}
|
path-parse@1.0.7: {}
|
||||||
|
|
||||||
|
path-scurry@1.11.1:
|
||||||
|
dependencies:
|
||||||
|
lru-cache: 10.2.2
|
||||||
|
minipass: 7.1.2
|
||||||
|
|
||||||
path-to-regexp@0.1.7: {}
|
path-to-regexp@0.1.7: {}
|
||||||
|
|
||||||
path-type@4.0.0: {}
|
path-type@4.0.0: {}
|
||||||
|
|
@ -7773,6 +8008,10 @@ snapshots:
|
||||||
|
|
||||||
picomatch@2.3.1: {}
|
picomatch@2.3.1: {}
|
||||||
|
|
||||||
|
pify@2.3.0: {}
|
||||||
|
|
||||||
|
pirates@4.0.6: {}
|
||||||
|
|
||||||
pkg-types@1.0.3:
|
pkg-types@1.0.3:
|
||||||
dependencies:
|
dependencies:
|
||||||
jsonc-parser: 3.2.0
|
jsonc-parser: 3.2.0
|
||||||
|
|
@ -7785,6 +8024,30 @@ snapshots:
|
||||||
|
|
||||||
pluralize@8.0.0: {}
|
pluralize@8.0.0: {}
|
||||||
|
|
||||||
|
postcss-import@15.1.0(postcss@8.4.38):
|
||||||
|
dependencies:
|
||||||
|
postcss: 8.4.38
|
||||||
|
postcss-value-parser: 4.2.0
|
||||||
|
read-cache: 1.0.0
|
||||||
|
resolve: 1.22.8
|
||||||
|
|
||||||
|
postcss-js@4.0.1(postcss@8.4.38):
|
||||||
|
dependencies:
|
||||||
|
camelcase-css: 2.0.1
|
||||||
|
postcss: 8.4.38
|
||||||
|
|
||||||
|
postcss-load-config@4.0.2(postcss@8.4.38):
|
||||||
|
dependencies:
|
||||||
|
lilconfig: 3.1.1
|
||||||
|
yaml: 2.3.4
|
||||||
|
optionalDependencies:
|
||||||
|
postcss: 8.4.38
|
||||||
|
|
||||||
|
postcss-nested@6.0.1(postcss@8.4.38):
|
||||||
|
dependencies:
|
||||||
|
postcss: 8.4.38
|
||||||
|
postcss-selector-parser: 6.0.15
|
||||||
|
|
||||||
postcss-selector-parser@6.0.15:
|
postcss-selector-parser@6.0.15:
|
||||||
dependencies:
|
dependencies:
|
||||||
cssesc: 3.0.0
|
cssesc: 3.0.0
|
||||||
|
|
@ -7862,6 +8125,10 @@ snapshots:
|
||||||
|
|
||||||
react-is@16.13.1: {}
|
react-is@16.13.1: {}
|
||||||
|
|
||||||
|
read-cache@1.0.0:
|
||||||
|
dependencies:
|
||||||
|
pify: 2.3.0
|
||||||
|
|
||||||
read-pkg-up@7.0.1:
|
read-pkg-up@7.0.1:
|
||||||
dependencies:
|
dependencies:
|
||||||
find-up: 4.1.0
|
find-up: 4.1.0
|
||||||
|
|
@ -8113,6 +8380,8 @@ snapshots:
|
||||||
|
|
||||||
signal-exit@3.0.7: {}
|
signal-exit@3.0.7: {}
|
||||||
|
|
||||||
|
signal-exit@4.1.0: {}
|
||||||
|
|
||||||
sirv@2.0.4:
|
sirv@2.0.4:
|
||||||
dependencies:
|
dependencies:
|
||||||
'@polka/url': 1.0.0-next.24
|
'@polka/url': 1.0.0-next.24
|
||||||
|
|
@ -8176,6 +8445,12 @@ snapshots:
|
||||||
is-fullwidth-code-point: 3.0.0
|
is-fullwidth-code-point: 3.0.0
|
||||||
strip-ansi: 6.0.1
|
strip-ansi: 6.0.1
|
||||||
|
|
||||||
|
string-width@5.1.2:
|
||||||
|
dependencies:
|
||||||
|
eastasianwidth: 0.2.0
|
||||||
|
emoji-regex: 9.2.2
|
||||||
|
strip-ansi: 7.1.0
|
||||||
|
|
||||||
string-width@7.0.0:
|
string-width@7.0.0:
|
||||||
dependencies:
|
dependencies:
|
||||||
emoji-regex: 10.3.0
|
emoji-regex: 10.3.0
|
||||||
|
|
@ -8242,6 +8517,16 @@ snapshots:
|
||||||
dependencies:
|
dependencies:
|
||||||
acorn: 8.11.0
|
acorn: 8.11.0
|
||||||
|
|
||||||
|
sucrase@3.35.0:
|
||||||
|
dependencies:
|
||||||
|
'@jridgewell/gen-mapping': 0.3.3
|
||||||
|
commander: 4.1.1
|
||||||
|
glob: 10.4.1
|
||||||
|
lines-and-columns: 1.2.4
|
||||||
|
mz: 2.7.0
|
||||||
|
pirates: 4.0.6
|
||||||
|
ts-interface-checker: 0.1.13
|
||||||
|
|
||||||
supports-color@5.5.0:
|
supports-color@5.5.0:
|
||||||
dependencies:
|
dependencies:
|
||||||
has-flag: 3.0.0
|
has-flag: 3.0.0
|
||||||
|
|
@ -8266,6 +8551,33 @@ snapshots:
|
||||||
|
|
||||||
tabbable@6.2.0: {}
|
tabbable@6.2.0: {}
|
||||||
|
|
||||||
|
tailwindcss@3.4.4:
|
||||||
|
dependencies:
|
||||||
|
'@alloc/quick-lru': 5.2.0
|
||||||
|
arg: 5.0.2
|
||||||
|
chokidar: 3.5.3
|
||||||
|
didyoumean: 1.2.2
|
||||||
|
dlv: 1.1.3
|
||||||
|
fast-glob: 3.3.2
|
||||||
|
glob-parent: 6.0.2
|
||||||
|
is-glob: 4.0.3
|
||||||
|
jiti: 1.21.0
|
||||||
|
lilconfig: 2.1.0
|
||||||
|
micromatch: 4.0.5
|
||||||
|
normalize-path: 3.0.0
|
||||||
|
object-hash: 3.0.0
|
||||||
|
picocolors: 1.0.0
|
||||||
|
postcss: 8.4.38
|
||||||
|
postcss-import: 15.1.0(postcss@8.4.38)
|
||||||
|
postcss-js: 4.0.1(postcss@8.4.38)
|
||||||
|
postcss-load-config: 4.0.2(postcss@8.4.38)
|
||||||
|
postcss-nested: 6.0.1(postcss@8.4.38)
|
||||||
|
postcss-selector-parser: 6.0.15
|
||||||
|
resolve: 1.22.8
|
||||||
|
sucrase: 3.35.0
|
||||||
|
transitivePeerDependencies:
|
||||||
|
- ts-node
|
||||||
|
|
||||||
tapable@2.2.1: {}
|
tapable@2.2.1: {}
|
||||||
|
|
||||||
tar-stream@3.1.6:
|
tar-stream@3.1.6:
|
||||||
|
|
@ -8292,6 +8604,14 @@ snapshots:
|
||||||
|
|
||||||
text-table@0.2.0: {}
|
text-table@0.2.0: {}
|
||||||
|
|
||||||
|
thenify-all@1.6.0:
|
||||||
|
dependencies:
|
||||||
|
thenify: 3.3.1
|
||||||
|
|
||||||
|
thenify@3.3.1:
|
||||||
|
dependencies:
|
||||||
|
any-promise: 1.3.0
|
||||||
|
|
||||||
tiny-inflate@1.0.3: {}
|
tiny-inflate@1.0.3: {}
|
||||||
|
|
||||||
to-fast-properties@2.0.0: {}
|
to-fast-properties@2.0.0: {}
|
||||||
|
|
@ -8308,6 +8628,8 @@ snapshots:
|
||||||
|
|
||||||
ts-api-utils@1.0.3: {}
|
ts-api-utils@1.0.3: {}
|
||||||
|
|
||||||
|
ts-interface-checker@0.1.13: {}
|
||||||
|
|
||||||
tslib@1.14.1: {}
|
tslib@1.14.1: {}
|
||||||
|
|
||||||
tslib@2.6.2: {}
|
tslib@2.6.2: {}
|
||||||
|
|
@ -8620,6 +8942,12 @@ snapshots:
|
||||||
string-width: 4.2.3
|
string-width: 4.2.3
|
||||||
strip-ansi: 6.0.1
|
strip-ansi: 6.0.1
|
||||||
|
|
||||||
|
wrap-ansi@8.1.0:
|
||||||
|
dependencies:
|
||||||
|
ansi-styles: 6.2.1
|
||||||
|
string-width: 5.1.2
|
||||||
|
strip-ansi: 7.1.0
|
||||||
|
|
||||||
wrappy@1.0.2: {}
|
wrappy@1.0.2: {}
|
||||||
|
|
||||||
x-satori@0.1.5:
|
x-satori@0.1.5:
|
||||||
|
|
|
||||||
403
single-page
403
single-page
File diff suppressed because it is too large
Load diff
Loading…
Add table
Add a link
Reference in a new issue