Snippets Collections
_app.tsx

import React from "react";

import {HeroUIProvider} from "@heroui/react";



const Application = ({Component, pageProps}) => {

  return (

    <HeroUIProvider>

      <main className={isDark ? "dark" : "light"}>

        <Component {...pageProps} />

      </main>

    </HeroUIProvider>

  );

};



export default Application;  
tailwind.config.js

const { heroui } = require("@heroui/react");



module.exports = {

  // ...

  plugins: [

    heroui({

      themes: {

        light: {

          colors: {

            primary: "#0072f5",

          }

        },

        dark: {

          colors: {

            primary: "#0072f5",

          }

        },

      },

    }),

  ],

};



module.exports = {

  // ...

  plugins: [

    heroui({

      themes: {

        light: {

          colors: {

            primary: "#7828c8",

          }

        },

        dark: {

          colors: {

            primary: "#9353d3",

          }

        },

      },

    }),

  ],

};



module.exports = {

  // ...

  plugins: [

    heroui({

      themes: {

        light: {

          colors: {

            primary: "#FFFFFF",

          }

        },

        dark: {

          colors: {

            primary: "#000000",

          }

        },

      },

    }),

  ],

};



module.exports = {

  // ...

  plugins: [

    heroui({

      themes: {

        light: {

          colors: {

            primary: "#FFD34E",

            secondary: "#EE457E",

            background:"#F4E8D1"

          }

        },

        dark: {

          colors: {

            primary: "#FFD34E",

            secondary: "#EE457E",

            background: "#E1CA9E"

          }

        },

      },

    }),

  ],

};
@misc{wu2025longwriterzeromasteringultralongtext,
      title={LongWriter-Zero: Mastering Ultra-Long Text Generation via Reinforcement Learning}, 
      author={Yuhao Wu and Yushi Bai and Zhiqiang Hu and Roy Ka-Wei Lee and Juanzi Li},
      year={2025},
      eprint={2506.18841},
      archivePrefix={arXiv},
      primaryClass={cs.CL},
      url={https://arxiv.org/abs/2506.18841}, 
}
import json, requests, re

def format_prompt_with_template(prompt):

    base_format_zn = r"用户与助手之间的对话。用户提供一个写作/通用任务,助手完成它。助手首先在脑海中深入思考写作/回答过程,然后向用户提供最终的书面作品。助手应进行全面而深入的规划,确保写作/通用任务的每个方面都详细且结构合理。如果写作要求存在任何不确定性或歧义,助手应反思,向自己提出澄清性问题,并探索多种写作方式,以确保最终作品达到最高质量标准。由于写作是一个既富有创造性又需要结构性的任务,助手应从多个角度进行分析,考虑连贯性、清晰度、风格、语气、受众和目的,等等因素。此外,助手还应对作品进行审查和优化,以增强其表达效果。写作思考过程和最终的书面作品分别用 <think> </think> 和 <answer> </answer> 标签包裹,如下所示:<think>详细的写作规划和结构设计,可能包括头脑风暴、大纲制定、风格选择、受众适配、反思以及质量检查等等。</think> <answer>经过充分优化和润色的最终书面作品。</answer> <|用户|>: {question} <|助手|>:"
    base_format_en = r"A conversation between the user and the assistant. The user provides a writing/general task, and the assistant completes it. The assistant first deeply thinks through the writing/answering process in their mind before providing the final written work to the user. The assistant should engage in comprehensive and in-depth planning to ensure that every aspect of the writing/general task is detailed and well-structured. If there is any uncertainty or ambiguity in the writing request, the assistant should reflect, ask themselves clarifying questions, and explore multiple writing approaches to ensure the final output meets the highest quality standards. Since writing is both a creative and structured task, the assistant should analyze it from multiple perspectives, considering coherence, clarity, style, tone, audience, purpose, etc.. Additionally, the assistant should review and refine the work to enhance its expressiveness. The writing thought process and the final written work should be enclosed within <think> </think> and <answer> </answer> tags, respectively, as shown below: <think>A comprehensive strategy for writing that encompasses detailed planning and structural design—including brainstorming, outlining, style selection, audience adaptation, self-reflection, quality assurance, etc..</think> <answer>The final written work after thorough optimization and refinement.</answer>  <|user|>: {question} <|assistant|>:"
    base_format = base_format_zn if re.search(r'[\u4e00-\u9fff]', prompt) else base_format_en
    formatted_prompt = base_format.format(question=prompt)
    return formatted_prompt



prompt = "XXXX"          # ← replace with your writing task
data = {
    "model": "LongWriter-Zero-32B",
    "prompt": format_prompt_with_template(prompt),
    "temperature": 0.6,
    "top_p": 0.95,
    "max_tokens": 15500,
    "stop": ["<|user|>", "<|endoftext|>", "</answer>"],
    "stream": True,
}

# SGlang Gateway (example)
response = requests.post(
    "http://XXXX:9999/v1/completions",  # ← replace with your IP
    json=data,
    headers={"Content-Type": "application/json"},
    timeout=1200,
    stream=True,
)

for chunk in response.iter_lines():
    if chunk and chunk.startswith(b"data:"):
        if chunk == b"data: [DONE]":
            break
        payload = json.loads(chunk[5:])
        print(payload["choices"][0]["text"], end="", flush=True)
import re
model_name = "THU-KEG/LongWriter-Zero-32B"

model = AutoModelForCausalLM.from_pretrained(
    model_name,
    torch_dtype="auto",
    device_map="auto"
)
tokenizer = AutoTokenizer.from_pretrained(model_name)

prompt = "Write a 500-word story."
messages = [
    {"role": "user", "content": prompt}
]
text = tokenizer.apply_chat_template(
    messages,
    tokenize=False,
    add_generation_prompt=True
)

model_inputs = tokenizer([text], return_tensors="pt").to(model.device)

generated_ids = model.generate(
    **model_inputs,
    max_new_tokens=2048,
    temperature=0.6,
    do_sample=True,
    stop_strings=["<|user|>", "<|endoftext|>", "</answer>"],
    tokenizer=tokenizer
)
generated_ids = [
    output_ids[len(input_ids):] for input_ids, output_ids in zip(model_inputs.input_ids, generated_ids)
]

response = tokenizer.batch_decode(generated_ids, skip_special_tokens=True)[0]

print(response)
import { pipeline } from '@huggingface/transformers';

// Create a text generation pipeline
const generator = await pipeline('text-generation', 'onnx-community/Llama-3.2-1B-Instruct-q4f16', {
  device: 'webgpu', // <- Run on WebGPU
});

// Define the list of messages
const messages = [
  { role: "system", content: "You are a helpful assistant." },
  { role: "user", content: "What is the capital of France?" },
];

// Generate a response
const output = await generator(messages, { max_new_tokens: 128 });
console.log(output[0].generated_text.at(-1).content);
package main

import (
       "bytes"
       "net/http"
)

func main() {

    headers := map[string][]string{
        // The x-fax-clientid header is required only when using the OAuth2 token scheme
        "Content-Type": []string{"application/json"},
        "Accept": []string{"application/json"},
        "Authorization": []string{"Bearer {access-token}"},
        "x-fax-clientid": []string{"YOUR CLIENT_ID"}
    }

    data := bytes.NewBuffer([]byte{jsonReq})
    req, err := http.NewRequest("POST", "https://restapi.fax.plus/v3/accounts/{user_id}/outbox", data)
    req.Header = headers

    client := &http.Client{}
    resp, err := client.Do(req)
    // ...
}
<?php

require 'vendor/autoload.php';

$headers = array(
    'Accept' => 'application/json',
    'Authorization' => 'Bearer {access-token}',
    // The x-fax-clientid header is required only when using the OAuth2 token scheme
    'x-fax-clientid' => '{client ID}',
);

$client = new GuzzleHttp\Client();

// Define array of request body.
$request_body = ...;  // See request body example

try {
    $response = $client->request('POST','https://restapi.fax.plus/v3/accounts/{user_id}/outbox', array(
        'headers' => $headers,
        'json' => $request_body,
        )
    );
    print_r($response->getBody()->getContents());
 }
 catch (GuzzleHttp\Exception\BadResponseException $e) {
    // handle exception or api errors.
    print_r($e->getMessage());
 }

 // ...
from faxplus import ApiClient, OutboxApi, OutboxComment, RetryOptions, OutboxOptions, OutboxCoverPage, PayloadOutbox
from faxplus.configuration import Configuration

outbox_comment = OutboxComment(tags=['tag1', 'tag2'],
    text='text comment')

retry_options = RetryOptions(count=2, delay=15)

outbox_options = OutboxOptions(enhancement=True, retry=retry_options)

outbox_cover_page = OutboxCoverPage()

payload_outbox = PayloadOutbox(from='+12345667',
    to=['+12345688', '+12345699'],
    files=['filetosend.pdf'],
    comment=outbox_comment,
    options=outbox_options,
    send_time='2000-01-01 01:02:03 +0000',
    return_ids=True,
    cover_page=outbox_cover_page)

conf = Configuration()
conf.access_token = access_token
# header_name and header_value required only when using the OAuth2 token scheme
api_client = ApiClient(header_name='x-fax-clientid', header_value=client_id, configuration=conf)
api = OutboxApi(api_client)
resp = api.send_fax(
    user_id='13d8z73c',
    body=payload_outbox
)
1const axios = require('axios');
2const OutboxApiFp = require('@alohi/faxplus-api').OutboxApiFp;
3const Configuration = require('@alohi/faxplus-api').Configuration;
4
5const config = new Configuration({
6    accessToken: accessToken,
7    basePath: 'https://restapi.fax.plus/v3',
8    // Header required only when using the OAuth2 token scheme
9    baseOptions: {
10        headers: {
11          "x-fax-clientid": clientId,
12        }
13    }
14});
15
16async function sendFax() {
17    const reqParams = {
18        "userId": '13d8z73c',
19        "payloadOutbox": {
20            "comment": {
21                "tags": [
22                    "tag1",
23                    "tag2"
24                ],
25                "text": "text comment"
26            },
27            "files": [
28                "filetosend.pdf"
29            ],
30            "from": "+12345667",
31            "options": {
32                "enhancement": true,
33                "retry": {
34                    "count": 2,
35                    "delay": 15
36                }
37            },
38            "send_time": "2000-01-01 01:02:03 +0000",
39            "to": [
40                "+12345688",
41                "+12345699"
42            ],
43            "return_ids": true
44        }
45    }
46    const req = await OutboxApiFp(config).sendFax(reqParams);
47    const resp = await req(axios);
48}
49
50sendFax()
add_action('wp_footer', function() {
    ?>
    <!-- Inclui os arquivos da biblioteca intl-tel-input -->
    <link rel="stylesheet" href="https://cdnjs.cloudflare.com/ajax/libs/intl-tel-input/17.0.19/css/intlTelInput.css"/>
    <script src="https://cdnjs.cloudflare.com/ajax/libs/intl-tel-input/17.0.19/js/intlTelInput.min.js"></script>

    <script type="text/javascript">
    // Função para inicializar o campo de telefone
    function inicializarTelefoneComBandeira() {
        const telefoneInput = document.querySelector('input[type="tel"], input[name*="telefone"]');

        console.log("Campo telefone detectado:", telefoneInput); // Debug

        if (telefoneInput && !telefoneInput.classList.contains('telefone-inicializado')) {
            telefoneInput.classList.add('telefone-inicializado'); // Evita múltiplas inicializações

            // Inicializa o intl-tel-input
            const iti = window.intlTelInput(telefoneInput, {
                initialCountry: "br", // Define o Brasil como padrão
                separateDialCode: true, // Mostra o código do país separado
                preferredCountries: ["br"], // Prioriza o Brasil no dropdown
            });

            // Função para aplicar a máscara com base no país
            function aplicarMascara() {
                let value = telefoneInput.value.replace(/\D/g, ''); // Remove tudo que não é número
                const countryCode = iti.getSelectedCountryData().iso2;
                let formattedValue = '';

                if (value.length === 0) {
                    telefoneInput.value = '';
                    return;
                }

                switch (countryCode) {
                    case "br":
                        if (value.length > 11) value = value.slice(0, 11);
                        if (value.length <= 2) {
                            formattedValue = '(' + value;
                        } else if (value.length <= 7) {
                            formattedValue = '(' + value.substring(0, 2) + ') ' + value.substring(2);
                        } else {
                            formattedValue = '(' + value.substring(0, 2) + ') ' + value.substring(2, 7) + '-' + value.substring(7);
                        }
                        break;
                    case "us":
                    case "ca":
                        if (value.length > 10) value = value.slice(0, 10);
                        if (value.length <= 3) {
                            formattedValue = '(' + value;
                        } else if (value.length <= 6) {
                            formattedValue = '(' + value.substring(0, 3) + ') ' + value.substring(3);
                        } else {
                            formattedValue = '(' + value.substring(0, 3) + ') ' + value.substring(3, 6) + '-' + value.substring(6);
                        }
                        break;
                    case "gb":
                        if (value.length > 11) value = value.slice(0, 11);
                        if (value.length <= 5) {
                            formattedValue = value;
                        } else {
                            formattedValue = value.substring(0, 5) + ' ' + value.substring(5);
                        }
                        break;
                    case "de":
                        if (value.length > 11) value = value.slice(0, 11);
                        if (value.length <= 4) {
                            formattedValue = value;
                        } else {
                            formattedValue = value.substring(0, 4) + ' ' + value.substring(4);
                        }
                        break;
                    case "ar":
                        if (value.length > 11) value = value.slice(0, 11);
                        if (value.length <= 1) {
                            formattedValue = value;
                        } else if (value.length <= 3) {
                            formattedValue = value.substring(0, 1) + ' ' + value.substring(1);
                        } else if (value.length <= 7) {
                            formattedValue = value.substring(0, 1) + ' ' + value.substring(1, 3) + ' ' + value.substring(3);
                        } else {
                            formattedValue = value.substring(0, 1) + ' ' + value.substring(1, 3) + ' ' + value.substring(3, 7) + '-' + value.substring(7);
                        }
                        break;
                    default:
                        if (value.length > 12) value = value.slice(0, 12);
                        if (value.length <= 4) {
                            formattedValue = value;
                        } else if (value.length <= 8) {
                            formattedValue = value.substring(0, 4) + ' ' + value.substring(4);
                        } else {
                            formattedValue = value.substring(0, 4) + ' ' + value.substring(4, 8) + ' ' + value.substring(8);
                        }
                        break;
                }

                telefoneInput.value = formattedValue;
            }

            telefoneInput.addEventListener('input', aplicarMascara);
            telefoneInput.addEventListener('countrychange', function() {
                telefoneInput.value = '';
                aplicarMascara();
            });
        }
    }

    // Tenta inicializar várias vezes (para formulários dinâmicos)
    document.addEventListener('DOMContentLoaded', () => {
        for (let i = 1; i <= 5; i++) {
            setTimeout(inicializarTelefoneComBandeira, i * 1000);
        }
    });
    </script>
    <?php
}, 100);
# Language codes include "pt" for Portuguese and "es" for Spanish.
print("Website Languages available"
+ "in Portuguese(pt) and Spanish(es) ")
print(" ")
subject = input("Enter a Subject: ")

print("Portuguese - pt" +
      "      "
     +"Spanish - es")
language_code = input("Enter Language: (es or pt):  ")
  




# Subjects can be math, science, computing, or humanities.
subject = "input"

url = "https://" + language_code + ".khanacademy.org/" + subject
print(" ")
print("Navigate to the page below!")
print(url)
{
  "servers": {
    "hf-mcp-server": {
      "url": "https://huggingface.co/mcp",
      "headers": {
        "Authorization": "Bearer <YOUR_HF_TOKEN>"
      }
    }
  }
}
batch : add optional for sequential equal split (#14511)

ggml-ci
{
	"blocks": [
		{
			"type": "header",
			"text": {
				"type": "plain_text",
				"text": " What's On!  ",
				"emoji": true
			}
		},
		{
			"type": "section",
			"text": {
				"type": "mrkdwn",
				"text": "Good morning Brisbane!\n\nLet's kick off another great week with our Boost Program and Xero Day on *Thursday* to celebrate our *19th Birthday*! :celebrate:\n\nCheck out this week's exciting lineup "
			}
		},
		{
			"type": "divider"
		},
		{
			"type": "header",
			"text": {
				"type": "plain_text",
				"text": ":calendar-date-7: Monday, 7th July",
				"emoji": true
			}
		},
		{
			"type": "section",
			"text": {
				"type": "mrkdwn",
				"text": "\n:coffee: *Café Partnership*: Café Partnership: Enjoy free coffee and café-style beverages from our partner, *Edward*."
			}
		},
		{
			"type": "header",
			"text": {
				"type": "plain_text",
				"text": ":calendar-date-9: Wednesday, 9th July",
				"emoji": true
			}
		},
		{
			"type": "section",
			"text": {
				"type": "mrkdwn",
				"text": ":coffee: *Café Partnership*: Café Partnership: Enjoy coffee and café-style beverages from our partner, *Edward*. \n\n :late-cake: :aboriginal_flag: *Morning Tea*: To celebrate NAIDOC week, we have Indigeous sweet treats from Jarrah Catering"
			}
		},
		{
			"type": "header",
			"text": {
				"type": "plain_text",
				"text": ":calendar-date-10: Thursday, 10th July",
				"emoji": true
			}
		},
		{
			"type": "section",
			"text": {
				"type": "mrkdwn",
				"text": " :Lunch: Join us for A greek themed Lunch in the Kitchen from 12.00pm.\n:Partying_face:*Social Happy Hour:* Enjoy tasty bites and celebratory drinks, great tunes and a special *Guess Who - Xero Edition* quiz from *4:00PM - 5:30PM* on Level 3"
			}
		},
		{
			"type": "divider"
		},
		{
			"type": "divider"
		},
		{
			"type": "section",
			"text": {
				"type": "mrkdwn",
				"text": "Stay tuned to this channel for your local updates, and jump into #xeroday-25 for all the global fun throughout the week! \n\nLove,\n\nWX  :party-wx:"
			}
		}
	]
}
{
	"blocks": [
		{
			"type": "header",
			"text": {
				"type": "plain_text",
				"text": ":x-connect: Xero Boost Days! :x-connect:"
			}
		},
		{
			"type": "section",
			"text": {
				"type": "mrkdwn",
				"text": "Happy Monday Sydney! \n\nLet's kick off another great week with our Boost Program and Xero Day on *Thursday* to celebrate our *19th Birthday*! :celebrate:\n\nCheck out this week's exciting lineup:"
			}
		},
		{
			"type": "divider"
		},
		{
			"type": "header",
			"text": {
				"type": "plain_text",
				"text": ":calendar-date-9: Wednesday, 9th July",
				"emoji": true
			}
		},
		{
			"type": "section",
			"text": {
				"type": "mrkdwn",
				"text": "\n:coffee: *Café Partnership*: Café Partnership: Enjoy free coffee and café-style beverages from our partner, *Naked Duck* \n\n :breakfast: *Breakfast*: from *9.00am* in the All Hands Space. \n:caramel-slice: :aboriginal_flag: To celebrate NAIDOC week, we have Indigeous sweet treats from Kallico Catering"
			}
		},
		{
			"type": "header",
			"text": {
				"type": "plain_text",
				"text": ":calendar-date-10: Thursday, 10th July",
				"emoji": true
			}
		},
		{
			"type": "section",
			"text": {
				"type": "mrkdwn",
				"text": " :lunch: :flag-italy: Join us at 12.00pm for a  *Italian Xero Day Lunch* from a small buisiness called *Adamo's Pasta Place*\n:Partying_face:*Social Happy Hour:* Enjoy tasty bites and celebratory drinks, great tunes and a special *Guess Who - Xero Edition* quiz from *4:00PM - 5:30PM* in the All Hands"
			}
		},
		{
			"type": "divider"
		},
		{
			"type": "divider"
		},
		{
			"type": "section",
			"text": {
				"type": "mrkdwn",
				"text": "Stay tuned to this channel for your local updates, and jump into #xeroday-25 for all the global fun throughout the week! \n\nLove,\n\nWX  :party-wx:"
			}
		}
	]
}
git remote add origin https://github.com/shookthacr3ator777/Single-Code-N-Components-.git
git branch -M main
git push -u origin main
echo "# Single-Code-N-Components-" >> README.md
git init
git add README.md
git commit -m "first commit"
git branch -M main
git remote add origin https://github.com/shookthacr3ator777/Single-Code-N-Components-.git
git push -u origin main
az keyvault secret set \
  --vault-name <KEY_VAULT_APP> \
  --name "<SECRET_NAME>" \
  --value "<CONNECTION_STRING>"
# Tag the image
docker tag \
  <IMAGE>:<TAG> \
  <AZURE_REGISTRY>.azurecr.io/<IMAGE>:<TAG>

# Push the image
docker push <AZURE_REGISTRY>.azurecr.io/<IMAGE>:<TAG>
# .github/workflows/deploy.yml
name: Deploy to Azure

on:
push:
    branches:
    - main

jobs:
build-and-deploy:
    runs-on: ubuntu-latest

    steps:
    - uses: actions/checkout@v4

    - name: Set up Node.js
      uses: actions/setup-node@v4
      with:
          node-version: '22'

    - name: Install dependencies
      run: npm ci

    - name: Build the app
      run: npm run build

    - name: Log in to Azure
      uses: azure/login@v2
      with:
          creds: ${{ secrets.AZURE_CREDENTIALS }}

    - name: Deploy to Azure Container Apps
      run: |
          az containerapp up \
          --name my-container-app \
          --resource-group my-resource-group \
          --image my-image:my_tag \
          --environment my-environment \
          --cpu 1 --memory 2Gi \
          --env-vars NODE_ENV=production PORT=3000
docker run \
  --env PORT=4000 \
  --env ENABLE_DEBUG=true \
  --publish 4000:4000 \
  --publish 9229:9229 \
  <IMAGE>:<TAG>
# Stage 1: Builder
FROM node:22 AS build

WORKDIR /usr/src/app
COPY package*.json ./
RUN npm install
COPY . .

# Build your project (e.g., compile TypeScript or bundle JavaScript)
RUN npm run build

# Stage 2: Runtime
FROM my-base-image:latest AS runtime

WORKDIR /usr/src/app

# Copy only the compiled output and essential files from the build stage
COPY --from=build /usr/src/app/dist ./dist
COPY --from=build /usr/src/app/package*.json ./

# Install only production dependencies
RUN npm ci --omit=dev

# Copy the entrypoint script for remote debugging
COPY entrypoint.sh /usr/src/app/entrypoint.sh
RUN chmod +x /usr/src/app/entrypoint.sh

# Expose the application port (using the PORT environment variable) and the debug port (9229)
EXPOSE $PORT
EXPOSE 9229

# Use the entrypoint script to conditionally enable debugging
ENTRYPOINT ["sh", "/usr/src/app/entrypoint.sh"]
version: "3.8"
services:
  app:
    build:
      context: .
      dockerfile: Dockerfile.base
      args:
        PORT_DEFAULT: ${PORT:-3000}
        ENABLE_DEBUG_DEFAULT: ${ENABLE_DEBUG:-false}
    ports:
      - "${PORT:-3000}:3000"
      - "9229:9229"  # Expose debug port if needed
    volumes:
      - .:/usr/src/app
      - /usr/src/app/node_modules
    environment:
      - NODE_ENV=development
      - PORT=${PORT:-3000}
      - ENABLE_DEBUG=${ENABLE_DEBUG:-false}
.gradient-background {
  background: linear-gradient(300deg,deepskyblue,darkviolet,blue);
  background-size: 180% 180%;
  animation: gradient-animation 18s ease infinite;
}

@keyframes gradient-animation {
  0% {
    background-position: 0% 50%;
  }
  50% {
    background-position: 100% 50%;
  }
  100% {
    background-position: 0% 50%;
  }
}
copy
curl.exe -LO "https://dl.k8s.io/release/v1.33.0/bin/windows/amd64/kubectl.exe"
/*! This file is auto-generated */
( () => {
    "use strict";
    var t = {
        d: (e, n) => {
            for (var r in n)
                t.o(n, r) && !t.o(e, r) && Object.defineProperty(e, r, {
                    enumerable: !0,
                    get: n[r]
                })
        }
        ,
        o: (t, e) => Object.prototype.hasOwnProperty.call(t, e),
        r: t => {
            "undefined" != typeof Symbol && Symbol.toStringTag && Object.defineProperty(t, Symbol.toStringTag, {
                value: "Module"
            }),
            Object.defineProperty(t, "__esModule", {
                value: !0
            })
        }
    }
      , e = {};
    t.r(e),
    t.d(e, {
        actions: () => P,
        addAction: () => A,
        addFilter: () => m,
        applyFilters: () => w,
        applyFiltersAsync: () => I,
        createHooks: () => h,
        currentAction: () => x,
        currentFilter: () => T,
        defaultHooks: () => f,
        didAction: () => j,
        didFilter: () => z,
        doAction: () => g,
        doActionAsync: () => k,
        doingAction: () => O,
        doingFilter: () => S,
        filters: () => Z,
        hasAction: () => _,
        hasFilter: () => v,
        removeAction: () => p,
        removeAllActions: () => F,
        removeAllFilters: () => b,
        removeFilter: () => y
    });
    const n = function(t) {
        return "string" != typeof t || "" === t ? (console.error("The namespace must be a non-empty string."),
        !1) : !!/^[a-zA-Z][a-zA-Z0-9_.\-\/]*$/.test(t) || (console.error("The namespace can only contain numbers, letters, dashes, periods, underscores and slashes."),
        !1)
    };
    const r = function(t) {
        return "string" != typeof t || "" === t ? (console.error("The hook name must be a non-empty string."),
        !1) : /^__/.test(t) ? (console.error("The hook name cannot begin with `__`."),
        !1) : !!/^[a-zA-Z][a-zA-Z0-9_.-]*$/.test(t) || (console.error("The hook name can only contain numbers, letters, dashes, periods and underscores."),
        !1)
    };
    const o = function(t, e) {
        return function(o, i, s, c=10) {
            const l = t[e];
            if (!r(o))
                return;
            if (!n(i))
                return;
            if ("function" != typeof s)
                return void console.error("The hook callback must be a function.");
            if ("number" != typeof c)
                return void console.error("If specified, the hook priority must be a number.");
            const a = {
                callback: s,
                priority: c,
                namespace: i
            };
            if (l[o]) {
                const t = l[o].handlers;
                let e;
                for (e = t.length; e > 0 && !(c >= t[e - 1].priority); e--)
                    ;
                e === t.length ? t[e] = a : t.splice(e, 0, a),
                l.__current.forEach((t => {
                    t.name === o && t.currentIndex >= e && t.currentIndex++
                }
                ))
            } else
                l[o] = {
                    handlers: [a],
                    runs: 0
                };
            "hookAdded" !== o && t.doAction("hookAdded", o, i, s, c)
        }
    };
    const i = function(t, e, o=!1) {
        return function(i, s) {
            const c = t[e];
            if (!r(i))
                return;
            if (!o && !n(s))
                return;
            if (!c[i])
                return 0;
            let l = 0;
            if (o)
                l = c[i].handlers.length,
                c[i] = {
                    runs: c[i].runs,
                    handlers: []
                };
            else {
                const t = c[i].handlers;
                for (let e = t.length - 1; e >= 0; e--)
                    t[e].namespace === s && (t.splice(e, 1),
                    l++,
                    c.__current.forEach((t => {
                        t.name === i && t.currentIndex >= e && t.currentIndex--
                    }
                    )))
            }
            return "hookRemoved" !== i && t.doAction("hookRemoved", i, s),
            l
        }
    };
    const s = function(t, e) {
        return function(n, r) {
            const o = t[e];
            return void 0 !== r ? n in o && o[n].handlers.some((t => t.namespace === r)) : n in o
        }
    };
    const c = function(t, e, n, r) {
        return function(o, ...i) {
            const s = t[e];
            s[o] || (s[o] = {
                handlers: [],
                runs: 0
            }),
            s[o].runs++;
            const c = s[o].handlers;
            if (!c || !c.length)
                return n ? i[0] : void 0;
            const l = {
                name: o,
                currentIndex: 0
            };
            return (r ? async function() {
                try {
                    s.__current.add(l);
                    let t = n ? i[0] : void 0;
                    for (; l.currentIndex < c.length; ) {
                        const e = c[l.currentIndex];
                        t = await e.callback.apply(null, i),
                        n && (i[0] = t),
                        l.currentIndex++
                    }
                    return n ? t : void 0
                } finally {
                    s.__current.delete(l)
                }
            }
            : function() {
                try {
                    s.__current.add(l);
                    let t = n ? i[0] : void 0;
                    for (; l.currentIndex < c.length; ) {
                        t = c[l.currentIndex].callback.apply(null, i),
                        n && (i[0] = t),
                        l.currentIndex++
                    }
                    return n ? t : void 0
                } finally {
                    s.__current.delete(l)
                }
            }
            )()
        }
    };
    const l = function(t, e) {
        return function() {
            var n;
            const r = t[e]
              , o = Array.from(r.__current);
            return null !== (n = o.at(-1)?.name) && void 0 !== n ? n : null
        }
    };
    const a = function(t, e) {
        return function(n) {
            const r = t[e];
            return void 0 === n ? r.__current.size > 0 : Array.from(r.__current).some((t => t.name === n))
        }
    };
    const u = function(t, e) {
        return function(n) {
            const o = t[e];
            if (r(n))
                return o[n] && o[n].runs ? o[n].runs : 0
        }
    };
    class d {
        constructor() {
            this.actions = Object.create(null),
            this.actions.__current = new Set,
            this.filters = Object.create(null),
            this.filters.__current = new Set,
            this.addAction = o(this, "actions"),
            this.addFilter = o(this, "filters"),
            this.removeAction = i(this, "actions"),
            this.removeFilter = i(this, "filters"),
            this.hasAction = s(this, "actions"),
            this.hasFilter = s(this, "filters"),
            this.removeAllActions = i(this, "actions", !0),
            this.removeAllFilters = i(this, "filters", !0),
            this.doAction = c(this, "actions", !1, !1),
            this.doActionAsync = c(this, "actions", !1, !0),
            this.applyFilters = c(this, "filters", !0, !1),
            this.applyFiltersAsync = c(this, "filters", !0, !0),
            this.currentAction = l(this, "actions"),
            this.currentFilter = l(this, "filters"),
            this.doingAction = a(this, "actions"),
            this.doingFilter = a(this, "filters"),
            this.didAction = u(this, "actions"),
            this.didFilter = u(this, "filters")
        }
    }
    const h = function() {
        return new d
    }
      , f = h()
      , {addAction: A, addFilter: m, removeAction: p, removeFilter: y, hasAction: _, hasFilter: v, removeAllActions: F, removeAllFilters: b, doAction: g, doActionAsync: k, applyFilters: w, applyFiltersAsync: I, currentAction: x, currentFilter: T, doingAction: O, doingFilter: S, didAction: j, didFilter: z, actions: P, filters: Z} = f;
    (window.wp = window.wp || {}).hooks = e
}
)();
/*! This file is auto-generated */
( () => {
    var t = {
        2058: (t, e, r) => {
            var n;
            !function() {
                "use strict";
                var i = {
                    not_string: /[^s]/,
                    not_bool: /[^t]/,
                    not_type: /[^T]/,
                    not_primitive: /[^v]/,
                    number: /[diefg]/,
                    numeric_arg: /[bcdiefguxX]/,
                    json: /[j]/,
                    not_json: /[^j]/,
                    text: /^[^\x25]+/,
                    modulo: /^\x25{2}/,
                    placeholder: /^\x25(?:([1-9]\d*)\$|\(([^)]+)\))?(\+)?(0|'[^$])?(-)?(\d+)?(?:\.(\d+))?([b-gijostTuvxX])/,
                    key: /^([a-z_][a-z_\d]*)/i,
                    key_access: /^\.([a-z_][a-z_\d]*)/i,
                    index_access: /^\[(\d+)\]/,
                    sign: /^[+-]/
                };
                function a(t) {
                    return function(t, e) {
                        var r, n, o, s, l, u, p, c, f, d = 1, h = t.length, g = "";
                        for (n = 0; n < h; n++)
                            if ("string" == typeof t[n])
                                g += t[n];
                            else if ("object" == typeof t[n]) {
                                if ((s = t[n]).keys)
                                    for (r = e[d],
                                    o = 0; o < s.keys.length; o++) {
                                        if (null == r)
                                            throw new Error(a('[sprintf] Cannot access property "%s" of undefined value "%s"', s.keys[o], s.keys[o - 1]));
                                        r = r[s.keys[o]]
                                    }
                                else
                                    r = s.param_no ? e[s.param_no] : e[d++];
                                if (i.not_type.test(s.type) && i.not_primitive.test(s.type) && r instanceof Function && (r = r()),
                                i.numeric_arg.test(s.type) && "number" != typeof r && isNaN(r))
                                    throw new TypeError(a("[sprintf] expecting number but found %T", r));
                                switch (i.number.test(s.type) && (c = r >= 0),
                                s.type) {
                                case "b":
                                    r = parseInt(r, 10).toString(2);
                                    break;
                                case "c":
                                    r = String.fromCharCode(parseInt(r, 10));
                                    break;
                                case "d":
                                case "i":
                                    r = parseInt(r, 10);
                                    break;
                                case "j":
                                    r = JSON.stringify(r, null, s.width ? parseInt(s.width) : 0);
                                    break;
                                case "e":
                                    r = s.precision ? parseFloat(r).toExponential(s.precision) : parseFloat(r).toExponential();
                                    break;
                                case "f":
                                    r = s.precision ? parseFloat(r).toFixed(s.precision) : parseFloat(r);
                                    break;
                                case "g":
                                    r = s.precision ? String(Number(r.toPrecision(s.precision))) : parseFloat(r);
                                    break;
                                case "o":
                                    r = (parseInt(r, 10) >>> 0).toString(8);
                                    break;
                                case "s":
                                    r = String(r),
                                    r = s.precision ? r.substring(0, s.precision) : r;
                                    break;
                                case "t":
                                    r = String(!!r),
                                    r = s.precision ? r.substring(0, s.precision) : r;
                                    break;
                                case "T":
                                    r = Object.prototype.toString.call(r).slice(8, -1).toLowerCase(),
                                    r = s.precision ? r.substring(0, s.precision) : r;
                                    break;
                                case "u":
                                    r = parseInt(r, 10) >>> 0;
                                    break;
                                case "v":
                                    r = r.valueOf(),
                                    r = s.precision ? r.substring(0, s.precision) : r;
                                    break;
                                case "x":
                                    r = (parseInt(r, 10) >>> 0).toString(16);
                                    break;
                                case "X":
                                    r = (parseInt(r, 10) >>> 0).toString(16).toUpperCase()
                                }
                                i.json.test(s.type) ? g += r : (!i.number.test(s.type) || c && !s.sign ? f = "" : (f = c ? "+" : "-",
                                r = r.toString().replace(i.sign, "")),
                                u = s.pad_char ? "0" === s.pad_char ? "0" : s.pad_char.charAt(1) : " ",
                                p = s.width - (f + r).length,
                                l = s.width && p > 0 ? u.repeat(p) : "",
                                g += s.align ? f + r + l : "0" === u ? f + l + r : l + f + r)
                            }
                        return g
                    }(function(t) {
                        if (s[t])
                            return s[t];
                        var e, r = t, n = [], a = 0;
                        for (; r; ) {
                            if (null !== (e = i.text.exec(r)))
                                n.push(e[0]);
                            else if (null !== (e = i.modulo.exec(r)))
                                n.push("%");
                            else {
                                if (null === (e = i.placeholder.exec(r)))
                                    throw new SyntaxError("[sprintf] unexpected placeholder");
                                if (e[2]) {
                                    a |= 1;
                                    var o = []
                                      , l = e[2]
                                      , u = [];
                                    if (null === (u = i.key.exec(l)))
                                        throw new SyntaxError("[sprintf] failed to parse named argument key");
                                    for (o.push(u[1]); "" !== (l = l.substring(u[0].length)); )
                                        if (null !== (u = i.key_access.exec(l)))
                                            o.push(u[1]);
                                        else {
                                            if (null === (u = i.index_access.exec(l)))
                                                throw new SyntaxError("[sprintf] failed to parse named argument key");
                                            o.push(u[1])
                                        }
                                    e[2] = o
                                } else
                                    a |= 2;
                                if (3 === a)
                                    throw new Error("[sprintf] mixing positional and named placeholders is not (yet) supported");
                                n.push({
                                    placeholder: e[0],
                                    param_no: e[1],
                                    keys: e[2],
                                    sign: e[3],
                                    pad_char: e[4],
                                    align: e[5],
                                    width: e[6],
                                    precision: e[7],
                                    type: e[8]
                                })
                            }
                            r = r.substring(e[0].length)
                        }
                        return s[t] = n
                    }(t), arguments)
                }
                function o(t, e) {
                    return a.apply(null, [t].concat(e || []))
                }
                var s = Object.create(null);
                e.sprintf = a,
                e.vsprintf = o,
                "undefined" != typeof window && (window.sprintf = a,
                window.vsprintf = o,
                void 0 === (n = function() {
                    return {
                        sprintf: a,
                        vsprintf: o
                    }
                }
                .call(e, r, e, t)) || (t.exports = n))
            }()
        }
    }
      , e = {};
    function r(n) {
        var i = e[n];
        if (void 0 !== i)
            return i.exports;
        var a = e[n] = {
            exports: {}
        };
        return t[n](a, a.exports, r),
        a.exports
    }
    r.n = t => {
        var e = t && t.__esModule ? () => t.default : () => t;
        return r.d(e, {
            a: e
        }),
        e
    }
    ,
    r.d = (t, e) => {
        for (var n in e)
            r.o(e, n) && !r.o(t, n) && Object.defineProperty(t, n, {
                enumerable: !0,
                get: e[n]
            })
    }
    ,
    r.o = (t, e) => Object.prototype.hasOwnProperty.call(t, e),
    r.r = t => {
        "undefined" != typeof Symbol && Symbol.toStringTag && Object.defineProperty(t, Symbol.toStringTag, {
            value: "Module"
        }),
        Object.defineProperty(t, "__esModule", {
            value: !0
        })
    }
    ;
    var n = {};
    ( () => {
        "use strict";
        r.r(n),
        r.d(n, {
            __: () => F,
            _n: () => j,
            _nx: () => L,
            _x: () => S,
            createI18n: () => x,
            defaultI18n: () => _,
            getLocaleData: () => v,
            hasTranslation: () => D,
            isRTL: () => T,
            resetLocaleData: () => w,
            setLocaleData: () => m,
            sprintf: () => a,
            subscribe: () => k
        });
        var t = r(2058)
          , e = r.n(t);
        const i = function(t, e) {
            var r, n, i = 0;
            function a() {
                var a, o, s = r, l = arguments.length;
                t: for (; s; ) {
                    if (s.args.length === arguments.length) {
                        for (o = 0; o < l; o++)
                            if (s.args[o] !== arguments[o]) {
                                s = s.next;
                                continue t
                            }
                        return s !== r && (s === n && (n = s.prev),
                        s.prev.next = s.next,
                        s.next && (s.next.prev = s.prev),
                        s.next = r,
                        s.prev = null,
                        r.prev = s,
                        r = s),
                        s.val
                    }
                    s = s.next
                }
                for (a = new Array(l),
                o = 0; o < l; o++)
                    a[o] = arguments[o];
                return s = {
                    args: a,
                    val: t.apply(null, a)
                },
                r ? (r.prev = s,
                s.next = r) : n = s,
                i === e.maxSize ? (n = n.prev).next = null : i++,
                r = s,
                s.val
            }
            return e = e || {},
            a.clear = function() {
                r = null,
                n = null,
                i = 0
            }
            ,
            a
        }(console.error);
        function a(t, ...r) {
            try {
                return e().sprintf(t, ...r)
            } catch (e) {
                return e instanceof Error && i("sprintf error: \n\n" + e.toString()),
                t
            }
        }
        var o, s, l, u;
        o = {
            "(": 9,
            "!": 8,
            "*": 7,
            "/": 7,
            "%": 7,
            "+": 6,
            "-": 6,
            "<": 5,
            "<=": 5,
            ">": 5,
            ">=": 5,
            "==": 4,
            "!=": 4,
            "&&": 3,
            "||": 2,
            "?": 1,
            "?:": 1
        },
        s = ["(", "?"],
        l = {
            ")": ["("],
            ":": ["?", "?:"]
        },
        u = /<=|>=|==|!=|&&|\|\||\?:|\(|!|\*|\/|%|\+|-|<|>|\?|\)|:/;
        var p = {
            "!": function(t) {
                return !t
            },
            "*": function(t, e) {
                return t * e
            },
            "/": function(t, e) {
                return t / e
            },
            "%": function(t, e) {
                return t % e
            },
            "+": function(t, e) {
                return t + e
            },
            "-": function(t, e) {
                return t - e
            },
            "<": function(t, e) {
                return t < e
            },
            "<=": function(t, e) {
                return t <= e
            },
            ">": function(t, e) {
                return t > e
            },
            ">=": function(t, e) {
                return t >= e
            },
            "==": function(t, e) {
                return t === e
            },
            "!=": function(t, e) {
                return t !== e
            },
            "&&": function(t, e) {
                return t && e
            },
            "||": function(t, e) {
                return t || e
            },
            "?:": function(t, e, r) {
                if (t)
                    throw e;
                return r
            }
        };
        function c(t) {
            var e = function(t) {
                for (var e, r, n, i, a = [], p = []; e = t.match(u); ) {
                    for (r = e[0],
                    (n = t.substr(0, e.index).trim()) && a.push(n); i = p.pop(); ) {
                        if (l[r]) {
                            if (l[r][0] === i) {
                                r = l[r][1] || r;
                                break
                            }
                        } else if (s.indexOf(i) >= 0 || o[i] < o[r]) {
                            p.push(i);
                            break
                        }
                        a.push(i)
                    }
                    l[r] || p.push(r),
                    t = t.substr(e.index + r.length)
                }
                return (t = t.trim()) && a.push(t),
                a.concat(p.reverse())
            }(t);
            return function(t) {
                return function(t, e) {
                    var r, n, i, a, o, s, l = [];
                    for (r = 0; r < t.length; r++) {
                        if (o = t[r],
                        a = p[o]) {
                            for (n = a.length,
                            i = Array(n); n--; )
                                i[n] = l.pop();
                            try {
                                s = a.apply(null, i)
                            } catch (t) {
                                return t
                            }
                        } else
                            s = e.hasOwnProperty(o) ? e[o] : +o;
                        l.push(s)
                    }
                    return l[0]
                }(e, t)
            }
        }
        var f = {
            contextDelimiter: "",
            onMissingKey: null
        };
        function d(t, e) {
            var r;
            for (r in this.data = t,
            this.pluralForms = {},
            this.options = {},
            f)
                this.options[r] = void 0 !== e && r in e ? e[r] : f[r]
        }
        d.prototype.getPluralForm = function(t, e) {
            var r, n, i, a = this.pluralForms[t];
            return a || ("function" != typeof (i = (r = this.data[t][""])["Plural-Forms"] || r["plural-forms"] || r.plural_forms) && (n = function(t) {
                var e, r, n;
                for (e = t.split(";"),
                r = 0; r < e.length; r++)
                    if (0 === (n = e[r].trim()).indexOf("plural="))
                        return n.substr(7)
            }(r["Plural-Forms"] || r["plural-forms"] || r.plural_forms),
            i = function(t) {
                var e = c(t);
                return function(t) {
                    return +e({
                        n: t
                    })
                }
            }(n)),
            a = this.pluralForms[t] = i),
            a(e)
        }
        ,
        d.prototype.dcnpgettext = function(t, e, r, n, i) {
            var a, o, s;
            return a = void 0 === i ? 0 : this.getPluralForm(t, i),
            o = r,
            e && (o = e + this.options.contextDelimiter + r),
            (s = this.data[t][o]) && s[a] ? s[a] : (this.options.onMissingKey && this.options.onMissingKey(r, t),
            0 === a ? r : n)
        }
        ;
        const h = {
            plural_forms: t => 1 === t ? 0 : 1
        }
          , g = /^i18n\.(n?gettext|has_translation)(_|$)/
          , x = (t, e, r) => {
            const n = new d({})
              , i = new Set
              , a = () => {
                i.forEach((t => t()))
            }
              , o = (t, e="default") => {
                n.data[e] = {
                    ...n.data[e],
                    ...t
                },
                n.data[e][""] = {
                    ...h,
                    ...n.data[e]?.[""]
                },
                delete n.pluralForms[e]
            }
              , s = (t, e) => {
                o(t, e),
                a()
            }
              , l = (t="default", e, r, i, a) => (n.data[t] || o(void 0, t),
            n.dcnpgettext(t, e, r, i, a))
              , u = (t="default") => t
              , p = (t, e, n) => {
                let i = l(n, e, t);
                return r ? (i = r.applyFilters("i18n.gettext_with_context", i, t, e, n),
                r.applyFilters("i18n.gettext_with_context_" + u(n), i, t, e, n)) : i
            }
            ;
            if (t && s(t, e),
            r) {
                const t = t => {
                    g.test(t) && a()
                }
                ;
                r.addAction("hookAdded", "core/i18n", t),
                r.addAction("hookRemoved", "core/i18n", t)
            }
            return {
                getLocaleData: (t="default") => n.data[t],
                setLocaleData: s,
                addLocaleData: (t, e="default") => {
                    n.data[e] = {
                        ...n.data[e],
                        ...t,
                        "": {
                            ...h,
                            ...n.data[e]?.[""],
                            ...t?.[""]
                        }
                    },
                    delete n.pluralForms[e],
                    a()
                }
                ,
                resetLocaleData: (t, e) => {
                    n.data = {},
                    n.pluralForms = {},
                    s(t, e)
                }
                ,
                subscribe: t => (i.add(t),
                () => i.delete(t)),
                __: (t, e) => {
                    let n = l(e, void 0, t);
                    return r ? (n = r.applyFilters("i18n.gettext", n, t, e),
                    r.applyFilters("i18n.gettext_" + u(e), n, t, e)) : n
                }
                ,
                _x: p,
                _n: (t, e, n, i) => {
                    let a = l(i, void 0, t, e, n);
                    return r ? (a = r.applyFilters("i18n.ngettext", a, t, e, n, i),
                    r.applyFilters("i18n.ngettext_" + u(i), a, t, e, n, i)) : a
                }
                ,
                _nx: (t, e, n, i, a) => {
                    let o = l(a, i, t, e, n);
                    return r ? (o = r.applyFilters("i18n.ngettext_with_context", o, t, e, n, i, a),
                    r.applyFilters("i18n.ngettext_with_context_" + u(a), o, t, e, n, i, a)) : o
                }
                ,
                isRTL: () => "rtl" === p("ltr", "text direction"),
                hasTranslation: (t, e, i) => {
                    const a = e ? e + "" + t : t;
                    let o = !!n.data?.[null != i ? i : "default"]?.[a];
                    return r && (o = r.applyFilters("i18n.has_translation", o, t, e, i),
                    o = r.applyFilters("i18n.has_translation_" + u(i), o, t, e, i)),
                    o
                }
            }
        }
          , y = window.wp.hooks
          , b = x(void 0, void 0, y.defaultHooks)
          , _ = b
          , v = b.getLocaleData.bind(b)
          , m = b.setLocaleData.bind(b)
          , w = b.resetLocaleData.bind(b)
          , k = b.subscribe.bind(b)
          , F = b.__.bind(b)
          , S = b._x.bind(b)
          , j = b._n.bind(b)
          , L = b._nx.bind(b)
          , T = b.isRTL.bind(b)
          , D = b.hasTranslation.bind(b)
    }
    )(),
    (window.wp = window.wp || {}).i18n = n
}
)();




docker run -it --rm `
    --volume /var/run/docker.sock:/var/run/docker.sock `
    --volume ${pwd}/appwrite:/usr/src/code/appwrite:rw `
    --entrypoint="install" `
    appwrite/appwrite:1.7.3
docker run -it --rm \
    --volume /var/run/docker.sock:/var/run/docker.sock \
    --volume "$(pwd)"/appwrite:/usr/src/code/appwrite:rw \
    --entrypoint="install" \
    appwrite/appwrite:1.7.3
VITE_APP_NAME="KN3AUX-CODE™ Mobile Builder"
VITE_VERSION="1.0.0"
# Build for production
npm run build

# Preview production build
npm run preview

# Test on mobile device
# Open http://your-ip:3000 on mobile browser
star

Sun Jul 06 2025 23:07:41 GMT+0000 (Coordinated Universal Time) https://snapcraft.io/flameshot

@Shookthadev999

star

Sun Jul 06 2025 22:36:42 GMT+0000 (Coordinated Universal Time) https://copy.sh/v86/

@Shookthadev999

star

Sun Jul 06 2025 21:29:50 GMT+0000 (Coordinated Universal Time) https://github.com/settings/installations/69874727

@Shookthadev999

star

Sun Jul 06 2025 11:57:41 GMT+0000 (Coordinated Universal Time) https://login.framer.com/complete-sign-up/5e5996bc-5e3b-4a4f-aa6d-94cbbd5cf2fa/

@Shookthadev999

star

Sun Jul 06 2025 09:39:48 GMT+0000 (Coordinated Universal Time) https://www.heroui.com/?ref

@Shookthadev999 #jsx

star

Sun Jul 06 2025 09:39:27 GMT+0000 (Coordinated Universal Time) https://www.heroui.com/?ref

@Shookthadev999 #jsx

star

Sun Jul 06 2025 08:17:30 GMT+0000 (Coordinated Universal Time) https://github.com/facebook/create-react-app

@Shookthadev999

star

Sat Jul 05 2025 23:23:34 GMT+0000 (Coordinated Universal Time) https://huggingface.co/THU-KEG/LongWriter-Zero-32B

@Shookthadev999

star

Sat Jul 05 2025 23:23:32 GMT+0000 (Coordinated Universal Time) https://huggingface.co/THU-KEG/LongWriter-Zero-32B

@Shookthadev999

star

Sat Jul 05 2025 23:23:26 GMT+0000 (Coordinated Universal Time) https://huggingface.co/THU-KEG/LongWriter-Zero-32B

@Shookthadev999

star

Sat Jul 05 2025 23:20:35 GMT+0000 (Coordinated Universal Time) https://huggingface.co/onnx-community/Llama-3.2-1B-Instruct-q4f16

@Shookthadev999

star

Sat Jul 05 2025 23:20:28 GMT+0000 (Coordinated Universal Time) https://huggingface.co/onnx-community/Llama-3.2-1B-Instruct-q4f16

@Shookthadev999

star

Sat Jul 05 2025 23:20:14 GMT+0000 (Coordinated Universal Time) https://huggingface.co/onnx-community/Llama-3.2-1B-Instruct-q4f16

@Shookthadev999

star

Sat Jul 05 2025 23:10:22 GMT+0000 (Coordinated Universal Time) https://animate.style/

@Shookthadev999 #shell

star

Sat Jul 05 2025 20:54:41 GMT+0000 (Coordinated Universal Time) https://python-poetry.org/docs/libraries/

@Shookthadev999

star

Sat Jul 05 2025 19:32:12 GMT+0000 (Coordinated Universal Time) https://www.fax.plus/fax-api?_gl

@Shookthadev999

star

Sat Jul 05 2025 19:32:09 GMT+0000 (Coordinated Universal Time) https://www.fax.plus/fax-api?_gl

@Shookthadev999

star

Sat Jul 05 2025 19:32:03 GMT+0000 (Coordinated Universal Time) https://www.fax.plus/fax-api?_gl

@Shookthadev999

star

Sat Jul 05 2025 19:31:57 GMT+0000 (Coordinated Universal Time) https://www.fax.plus/fax-api?_gl

@Shookthadev999

star

Sat Jul 05 2025 17:11:07 GMT+0000 (Coordinated Universal Time)

@nielsonsantana #php

star

Sat Jul 05 2025 14:42:52 GMT+0000 (Coordinated Universal Time)

@bobby #python

star

Sat Jul 05 2025 13:48:31 GMT+0000 (Coordinated Universal Time) https://huggingface.co/settings/mcp

@Shookthadev999

star

Sat Jul 05 2025 11:54:49 GMT+0000 (Coordinated Universal Time) https://github.com/settings/installations/69874727

@Shookthadev999

star

Sat Jul 05 2025 11:39:56 GMT+0000 (Coordinated Universal Time) https://copy.sh/v86/

@Shookthadev999

star

Sat Jul 05 2025 07:55:31 GMT+0000 (Coordinated Universal Time) https://github.com/Divinedevops87/llama.vim

@Shookthadev999

star

Sat Jul 05 2025 07:50:57 GMT+0000 (Coordinated Universal Time) https://github.com/ggml-org/llama.cpp/releases/tag/b5827

@Shookthadev999

star

Sat Jul 05 2025 02:41:00 GMT+0000 (Coordinated Universal Time)

@FOHWellington

star

Sat Jul 05 2025 01:48:40 GMT+0000 (Coordinated Universal Time)

@FOHWellington

star

Sat Jul 05 2025 01:29:10 GMT+0000 (Coordinated Universal Time) https://github.com/shookthacr3ator777/Single-Code-N-Components-

@Shookthadev999

star

Sat Jul 05 2025 01:29:08 GMT+0000 (Coordinated Universal Time) https://github.com/shookthacr3ator777/Single-Code-N-Components-

@Shookthadev999

star

Sat Jul 05 2025 01:12:37 GMT+0000 (Coordinated Universal Time) https://github.com/shookthacr3ator777/react-example

@Shookthadev999

star

Fri Jul 04 2025 22:48:34 GMT+0000 (Coordinated Universal Time) https://learn.microsoft.com/en-us/azure/container-apps/javascript-overview

@Shookthadev999

star

Fri Jul 04 2025 22:48:30 GMT+0000 (Coordinated Universal Time) https://learn.microsoft.com/en-us/azure/container-apps/javascript-overview

@Shookthadev999

star

Fri Jul 04 2025 22:48:29 GMT+0000 (Coordinated Universal Time) https://learn.microsoft.com/en-us/azure/container-apps/javascript-overview

@Shookthadev999

star

Fri Jul 04 2025 22:48:24 GMT+0000 (Coordinated Universal Time) https://learn.microsoft.com/en-us/azure/container-apps/javascript-overview

@Shookthadev999

star

Fri Jul 04 2025 22:48:18 GMT+0000 (Coordinated Universal Time) https://learn.microsoft.com/en-us/azure/container-apps/javascript-overview

@Shookthadev999

star

Fri Jul 04 2025 22:48:12 GMT+0000 (Coordinated Universal Time) https://learn.microsoft.com/en-us/azure/container-apps/javascript-overview

@Shookthadev999

star

Fri Jul 04 2025 22:48:10 GMT+0000 (Coordinated Universal Time) https://learn.microsoft.com/en-us/azure/container-apps/javascript-overview

@Shookthadev999

star

Fri Jul 04 2025 22:48:08 GMT+0000 (Coordinated Universal Time) https://learn.microsoft.com/en-us/azure/container-apps/javascript-overview

@Shookthadev999

star

Fri Jul 04 2025 22:20:01 GMT+0000 (Coordinated Universal Time) https://animated-gradient-background-generator.netlify.app/

@Shookthadev999

star

Fri Jul 04 2025 20:51:49 GMT+0000 (Coordinated Universal Time) https://github.com/settings/installations/69874727

@Shookthadev999

star

Fri Jul 04 2025 19:18:53 GMT+0000 (Coordinated Universal Time) https://github.com/coollabsio/coolify

@Shookthadev999

star

Fri Jul 04 2025 19:10:23 GMT+0000 (Coordinated Universal Time) https://kubernetes.io/docs/tasks/tools/install-kubectl-windows/

@Shookthadev999

star

Fri Jul 04 2025 18:45:20 GMT+0000 (Coordinated Universal Time) https://cosmicup.me/?ref

@Shookthadev999

star

Fri Jul 04 2025 18:33:18 GMT+0000 (Coordinated Universal Time) https://github.com/appwrite/appwrite

@Shookthadev999

star

Fri Jul 04 2025 18:33:12 GMT+0000 (Coordinated Universal Time) https://github.com/appwrite/appwrite

@Shookthadev999

star

Fri Jul 04 2025 17:23:07 GMT+0000 (Coordinated Universal Time) https://github.com/Divinedevops87/Kn3aux-Code_Dev_Box

@Shookthadev999

star

Fri Jul 04 2025 17:22:58 GMT+0000 (Coordinated Universal Time) https://github.com/Divinedevops87/Kn3aux-Code_Dev_Box

@Shookthadev999

Save snippets that work with our extensions

Available in the Chrome Web Store Get Firefox Add-on Get VS Code extension