Snippets Collections
{
  "FFlagDebugDisablePostFx": "False",
  "DFIntPostEffectBlurAmount": "10",
  "FFlagEnableDepthOfField": "True",
  "DFIntDepthOfFieldQuality": "1",
  "DFIntDepthOfFieldFarIntensity": "10",
  "DFIntDepthOfFieldNearIntensity": "10",
  "DFIntTaskSchedulerTargetFps": "200",
  "FFlagDebugPauseVoxelizer": "True",
  "FIntRenderShadowIntensity": "0",
  "DFFlagTextureQualityOverrideEnabled": "True",
  "DFIntTextureQualityOverride": "1",
  "DFIntDebugFRMQualityLevelOverride": "1",
  "DFIntRenderDistance": "500",
  "FFlagDisableGlobalShadows": "True",
  "FFlagDisablePostFx": "True",
  "DFIntReflectionQuality": "0",
  "DFIntWaterQuality": "0"
}
Para crear un clúster de base de datos PostgreSQL en Termux, puedes seguir estos pasos básicos:
Instala PostgreSQL en Termux:

pkg install postgresql

Crea un directorio donde se guardarán los datos de PostgreSQL (por ejemplo en tu home):
mkdir ~/datos_psql

Inicializa el clúster de base de datos PostgreSQL en ese directorio:
initdb ~/datos_psql

Inicia el servidor de PostgreSQL apuntando al directorio de datos creado:
pg_ctl -D ~/datos_psql start

Puedes crear una base de datos con:
createdb nombre_base_de_datos

Para acceder a la consola de PostgreSQL, usa:
psql nombre_base_de_datos

Para detener el servidor:
pg_ctl -D ~/datos_psql stop

Ver clústeres/instancias creadas (Debian/Ubuntu)
pg_lsclusters

En Termux, PostgreSQL generalmente se maneja como una única instancia manualmente configurada e iniciada en el directorio de datos que tú especifiques con initdb y pg_ctl. Para "ver el estado" o existencia de tu clúster en Termux, debes revisar manualmente si el directorio de datos existe y si el servidor está en ejecución, ya que no hay un comando integrado tipo pg_lsclusters.

Puedes hacer esto en Termux con comandos típicos del sistema, por ejemplo:

Ver si el directorio de datos está creado (ejemplo con directorio por defecto en Termux):

ls ~/datos_psql

Verificar si el proceso de PostgreSQL está corriendo:
ps aux | grep postgres


In the rapidly maturing smart‑contract arena, vetting a Solidity Development Company demands a structured due‑diligence framework—ensuring your dApp roadmap aligns with proven expertise and robust delivery pipelines.
Begin by evaluating demonstrable track records:

Portfolio Depth: Review past projects for diverse use cases—DeFi protocols, NFT marketplaces, and DAO governance systems—to validate end‑to‑end Solidity Development proficiency.

Audit Partnerships: Leading firms maintain collaborations with reputable security auditors (e.g., CertiK, OpenZeppelin), embedding formal review stages within their CI/CD workflows.

Open‑Source Contributions: Active contributions to core Solidity libraries, tooling (Hardhat, Truffle), or protocol specifications signal genuine community leadership and code ownership.

Agile Governance: Transparent sprint cadences, JIRA‑backed story tracking, and stakeholder demos demonstrate disciplined delivery and adaptive scope management.

DevSecOps Integration: Automated linting, static‑analysis checks, and unit‑testing coverage thresholds assure smart‑contract integrity before mainnet deployment.

Post‑Launch Support: SLA‑driven maintenance agreements—covering patch releases, security hotfixes, and upgradeable proxy patterns—underscore long‑term commitment.

We Maticz’s is the top Solidity Development Company embody these rigor metrics. Our enterprise teams blend audit‑grade coding standards with agile sprints and strategic token‑economy design—empowering entrepreneurs to de‑risk development, accelerate time‑to‑market, and secure lasting on‑chain value.
%ProgramFiles%/Google/Chrome/Application/chrome.exe --disable-background-timer-throttling
<manifest>
    ...
    <application>
        ...
        <provider
            android:name="com.example.MyCloudProvider"
            android:authorities="com.example.mycloudprovider"
            android:exported="true"
            android:grantUriPermissions="true"
            android:permission="android.permission.MANAGE_DOCUMENTS"
            android:enabled="@bool/isAtLeastKitKat">
            <intent-filter>
                <action android:name="android.content.action.DOCUMENTS_PROVIDER" />
            </intent-filter>
        </provider>
        ...
    </application>
</manifest>
En C, la función main devuelve un valor entero que indica el estado con el que el programa terminó y ese valor es enviado al sistema operativo.

Si usas return 0; al final de main, estás indicando que el programa finalizó correctamente, sin errores.

Si usas un valor diferente de 0, ese valor representa un estado de terminación anormal o un código de error o excepción. Por ejemplo, return 1; puede significar que ocurrió algún error durante la ejecución.

Este valor devuelto puede ser utilizado por otros programas, scripts o el sistema operativo para saber si el programa tuvo éxito o si ocurrió algún problema. Es común utilizar diferentes valores diferentes de cero para indicar distintos tipos de errores, facilitando así la gestión y diagnóstico cuando tu programa es ejecutado dentro de un entorno más grande, como scripts batch o sistemas operativos.

Además, existen constantes simbólicas estándar definidas en <stdlib.h> que puedes usar para estos fines:

EXIT_SUCCESS (equivalente a 0, indica éxito)

EXIT_FAILURE (indica fallo)

Ejemplos de uso:

int main() {
    // código
    return 0;
}

#include <stdlib.h>

int main() {
    if (/* algún error */) {
        return EXIT_FAILURE;  // Indica fallo
    }
    return EXIT_SUCCESS;  // Indica éxito
}
uses
  ZConnection, ZDataset;

var
  Conn: TZConnection;
  Query: TZQuery;
begin
  Conn := TZConnection.Create(nil);
  Conn.Protocol := 'postgresql';
  Conn.HostName := 'localhost';
  Conn.Database := 'mi_basedatos';
  Conn.User := 'usuario';
  Conn.Password := 'contraseña';
  Conn.Connect;

  Query := TZQuery.Create(nil);
  Query.Connection := Conn;
  Query.SQL.Text := 'SELECT * FROM tabla;';
  Query.Open;

  while not Query.EOF do
  begin
    writeln(Query.FieldByName('campo').AsString);
    Query.Next;
  end;

  Query.Close;
  Conn.Disconnect;
end.
program Promedio;
var
  n, i: integer;
  suma: real;
  numeros: array of real;
begin
  writeln('¿Cuántos números desea ingresar?');
  readln(n);
  SetLength(numeros, n);
  suma := 0;
  for i := 0 to n-1 do
  begin
    writeln('Ingrese el número ', i+1, ':');
    readln(numeros[i]);
    suma := suma + numeros[i];
  end;
  writeln('El promedio es: ', suma/n:0:2);
end.
program Primo;
var
  n, i: integer;
  esPrimo: boolean;
begin
  writeln('Ingrese un número:');
  readln(n);
  esPrimo := true;
  if n < 2 then
    esPrimo := false
  else
    for i := 2 to n div 2 do
      if n mod i = 0 then
      begin
        esPrimo := false;
        break;
      end;
  if esPrimo then
    writeln(n, ' es un número primo')
  else
    writeln(n, ' no es un número primo');
end.
program Factorial;
var
  n, i: integer;
  factorial: longint;
begin
  writeln('Ingrese un número:');
  readln(n);
  factorial := 1;
  for i := 1 to n do
    factorial := factorial * i;
  writeln('El factorial de ', n, ' es ', factorial);
end.
git clone https://github.com/tfkhdyt/termux-fpc.git

cd termux-fpc
./install.sh

pas nombre_archivo.pas
Si en tu proyecto Yii2 no tienes el archivo console.php, eso significa que no tienes configurada aún la aplicación para la consola (la línea de comandos), que es necesaria para ejecutar comandos como las migraciones.

Para resolverlo, debes crear ese archivo manualmente desde cero dentro de la carpeta config/ de tu proyecto.

Aquí te dejo un ejemplo básico y funcional para que crees tu propio archivo console.php de configuración para la consola en Yii2:

<?php

return [
    'id' => 'app-console',
    'basePath' => dirname(__DIR__),  // Ruta base de tu proyecto
    'controllerNamespace' => 'app\commands', // Ruta por defecto para los controladores de consola
    // Aquí agregas la configuración de conexión a la base de datos
    'components' => [
        'db' => [
            'class' => 'yii\db\Connection',
            'dsn' => 'mysql:host=localhost;dbname=tu_base_de_datos', // Cambia esto por tu configuración
            'username' => 'tu_usuario',
            'password' => 'tu_contraseña',
            'charset' => 'utf8',
        ],
    ],
    // Configurar el controlador de migraciones extendido de la extensión bizley
    'controllerMap' => [
        'migration' => [
            'class' => 'bizley\migration\controllers\MigrationController',
        ],
    ],
];

      Además de crear este archivo, asegúrate de tener el script de entrada para consola que por defecto es el archivo yii (sin extensión) que está en la raíz del proyecto, el cual usa este archivo de configuración para correr comandos. Este archivo debería lucir así:
      
      #!/usr/bin/env php
<?php
defined('YII_DEBUG') or define('YII_DEBUG', true);
defined('YII_ENV') or define('YII_ENV', 'dev');

require __DIR__ . '/vendor/autoload.php';
require __DIR__ . '/vendor/yiisoft/yii2/Yii.php';

$config = require __DIR__ . '/config/console.php';

$application = new yii\console\Application($config);
$exitCode = $application->run();
exit($exitCode);

Resumen de la solución si no tienes console.php
Crea el archivo config/console.php con la configuración mínima requerida (como conexión a DB, controlador de migraciones, etc.).

Asegúrate de tener el archivo ejecutable yii en la raíz del proyecto que carga esa configuración para comandos de consola.

Con eso ya podrás usar comandos Yii como yii migrate y el controlador personalizado para migraciones.
composer require --dev bizley/migration

Configurar el controlador en console.php:
Agrega esto para registrar el controlador de migraciones extendido:

¿Qué es el controlador en controllerMap?
En Yii2, los controladores son clases que contienen la lógica que se ejecuta cuando llamas a un comando o accedes a una ruta web.

En la aplicación de consola, cada comando corresponde a un controlador.

controllerMap es una configuración especial que permite registrar o sobrescribir controladores específicos para la aplicación.
'controllerMap' => [
    'migration' => [
        'class' => 'bizley\migration\controllers\MigrationController',
    ],
],
  Aquí se le está diciendo a Yii2 que cuando ejecutes comandos relacionados con migration (migraciones), debe usar NO el controlador de migraciones por defecto que trae Yii2, sino otro controlador que ofrece la extensión bizley/yii2-migration.
Ese controlador extendido está implementado en la clase PHP bizley\migration\controllers\MigrationController, que viene con la extensión que instalaste.
Esto permite agregar funcionalidades avanzadas al comando yii migration usando ese controlador.
return [
    'id' => 'app-console',
    'basePath' => dirname(__DIR__),
    'controllerMap' => [
        'migration' => [
            'class' => 'bizley\migration\controllers\MigrationController',
        ],
    ],
    // otras configuraciones...
];


¿Dónde se añade esto?
En el archivo console.php de configuración, que es un archivo donde se define un array grande con la configuración, agregarías esta parte dentro del array principal, generalmente así:

  Generar migraciones a partir de la base de datos existente:

Para generar migración de una tabla específica:
  php yii migration/create nombre_tabla

  Para generar migraciones para varias tablas separadas por coma:
  php yii migration/create tabla1,tabla2,tabla3
  
Para generar migraciones para todas las tablas de la base de datos:
  php yii migration/create "*"
{
  "DFIntTaskSchedulerTargetFps": 240,
  "FFlagDebugDisableTextureFiltering": true,
  "DFFlagDebugRenderForceTechnologyVoxel": true,
  "FIntDebugForceMSAASamples": 0,
  "FFlagDisablePostFx": true,
  "FIntRenderShadowIntensity": 0,
  "FFlagDebugSkyGray": true,
  "FFlagDisableShadows": true,
  "FFlagDisableReflectionProbe": true,
  "FIntDebugForcePhysicsThrottle": 1,
  "DFFlagDisableLightInfluence": true,
  "FIntTextureQualityOverride": 0,
  "FFlagDisableWaterReflection": true,
  "FFlagDisableWaterRendering": true,
  "FFlagDisableGlobalShadows": true,
  "FFlagDisableOutdoorAmbient": true
}
{
  "DFIntTaskSchedulerTargetFps": 200,
  "FFlagDebugDisableTextureFiltering": true,
  "DFFlagDebugRenderForceTechnologyVoxel": true,
  "FIntDebugForceMSAASamples": 0,
  "FFlagDisablePostFx": true,
  "FFlagDisableGraphicsQualityOverrides": true
}
For crypto-focused startups, a secure wallet is a non-negotiable part of the infrastructure. Cryptocurrency wallet development enables users to store, send, and receive digital assets with full control and security. Whether you’re launching an exchange, DeFi app, or NFT platform, a custom wallet boosts user trust and engagement. Startups can choose between hot wallets for convenience or cold wallets for added security. A reliable cryptocurrency wallet development company ensures proper encryption, multi-currency support, and compliance with industry standards. Cryptocurrency wallet development is more than storage—it's your gateway to long-term user retention.
Experience the future of decentralized trading with Cross DEX Development by Web5 Nexus. Our advanced solution seamlessly connects multiple decentralized exchanges across different blockchains, enabling users to trade assets effortlessly without switching platforms. With mixes of real-time liquidity, reduced gas fees, and secure smart contracts, We enable your decentralized Finance project to provide a seamless, scalable, and accessible experience. Whether you're launching a new platform or upgrading an existing one, Web5 Nexus ensures your DEX stays ahead with strong architecture, fast transaction speeds, and flawless Web3 integration. Our development services, which include multi-token exchanges and cross-chain asset bridging, are intended to remove troubles and provide countless opportunities in the cryptocurrency space. If you're looking to build the next-generation DEX with interoperability at its core, trust Web5 Nexus to bring your vision to life.

Know more >>> https://crossdex.web5.nexus/

Mail to :  connect@web5.nexus
// -- Plugin check ----------------------------------------------------------------
global proc uvCU_EnsureUnfold3D()
{
    if (!`pluginInfo -q -l "Unfold3D"`) {
        loadPlugin "Unfold3D";
        if (!`pluginInfo -q -l "Unfold3D"`) {
            error "Unfold3D plugin not available. Enable it in Plugin Manager and try again.";
        }
    }
}

// -- Helpers ---------------------------------------------------------------------
global proc string[] uvCU_GetExplicitUVs(string $sel[])
{
    string $uvs[] = `filterExpand -sm 35 -ex 1`;
    if (!size($uvs)) {
        string $uvConv[] = `polyListComponentConversion -toUV $sel`;
        $uvs = `filterExpand -sm 35 -ex 1 $uvConv`;
    }
    return $uvs;
}

// -- Camera planar (from current view) ------------------------------------------
global proc uvCU_PlanarFromCamera()
{
    string $sel[] = `ls -sl`;
    if (!size($sel)) error "Select mesh components or objects to project.";

    string $faces[] = `filterExpand -sm 34 -ex 1`;
    if (!size($faces)) {
        string $toFaces[] = `polyListComponentConversion -toFace $sel`;
        $faces = `filterExpand -sm 34 -ex 1 $toFaces`;
    }
    if (!size($faces)) error "Could not resolve faces from selection.";

    select -r $faces;
    polyProjection -type Planar -md p -constructionHistory 1;

    print "[UV] Camera-based planar projection applied from view.\n";
}

// -- Core: Cut + Unfold ----------------------------------------------------------
// Behavior per toggle:
//  - shellsOnly = 1  => strictly: polyMapCut then u3dUnfold with specific flags; TD is ignored.
//  - shellsOnly = 0  => original behavior: unfold all UVs on owning meshes; TD optional.
global proc uvCU_Run(float $td, int $mapSize, int $doSetTD, int $doShellsOnly)
{
    // Require seam edges
    string $edges[] = `filterExpand -sm 32 -ex 1`;
    if (!size($edges)) error "Select polygon edges (UV seams) first.";

    // Always cut along selected edges first
    select -r $edges;
    polyMapCut;

    if ($doShellsOnly)
    {
        // Edges -> UVs -> full shells (explicit UV selection)
        string $edgeUVs[] = `polyListComponentConversion -fromEdge -toUV $edges`;
        if (!size($edgeUVs)) error "No UVs found from selected seams.";
        select -r $edgeUVs;
        polySelectBorderShell 1;
        string $shellUVs[] = `filterExpand -sm 35 -ex 1`;
        if (!size($shellUVs)) error "Could not resolve UV shells from selected seams.";

        // Always Unfold3D with requested flags; ignore TD in shells-only mode
        uvCU_EnsureUnfold3D();
        select -r $shellUVs;
        // Flags requested: -ite 1 -p 0 -bi 1 -tf 1 -ms 1024 -rs 0
        u3dUnfold -ite 1 -p 0 -bi 1 -tf 1 -ms 1024 -rs 0;

        print "[UV] Cut + Unfold (Shells Only, basic flags) complete.\n";
        return;
    }
    else
    {
        // Original behavior: unfold ALL UVs on the meshes owning the selected edges
        string $owners[] = `ls -o $edges`;
        string $xforms[];
        for ($o in $owners) {
            string $p[] = `listRelatives -p -pa $o`;
            if (size($p)) {
                int $seen = 0; for ($t in $xforms){ if ($t==$p[0]){$seen=1;break;} }
                if (!$seen) $xforms[size($xforms)] = $p[0];
            }
        }

        // Select ALL UVs on those meshes
        select -cl;
        for ($t in $xforms) {
            string $uvs0[] = `polyListComponentConversion -toUV $t`;
            select -add $uvs0;
        }
        string $targetUVs[] = `filterExpand -sm 35 -ex 1`;

        // If still empty, seed projection and retry (rare)
        if (!size($targetUVs)) {
            for ($t in $xforms) {
                select -r $t;
                polyAutoProjection -lm 0 -pb 0 -ibd 1 -cm 0 -l 2 -sc 1 -o 1 -p 6 -ps 0.2 -ch 0;
            }
            select -cl;
            for ($t in $xforms) { string $uvs1[] = `polyListComponentConversion -toUV $t`; select -add $uvs1; }
            $targetUVs = `filterExpand -sm 35 -ex 1`;
            if (!size($targetUVs)) error "Could not resolve UVs.";
        }

        // Unfold3D (default options), optional Texel Density
        uvCU_EnsureUnfold3D();
        select -r $targetUVs;
        u3dUnfold;

        if ($doSetTD) {
            if ($td <= 0.0)  error "Texel Density must be > 0.";
            if ($mapSize <= 0) error "Map Size must be > 0.";
            select -r $targetUVs;
            texSetTexelDensity $td $mapSize;
        }

        print "[UV] Cut + Unfold (All UVs on mesh) complete.\n";
    }
}

// -- Separate: Auto Layout Now ---------------------------------------------------
global proc uvCU_LayoutNow(float $padding)
{
    string $curr[] = `ls -sl`;
    if (!size($curr)) error "Select UVs or mesh components to layout.";

    string $uvs[] = uvCU_GetExplicitUVs($curr);
    if (!size($uvs)) error "Could not resolve UVs from selection.";

    select -r $uvs;
    // padding is in UV units (0..1)
    polyLayoutUV -l 2 -sc 1 -fr 1 -ps $padding -ch 0;

    print ("[UV] Auto Layout done (Pad: " + $padding + ").\n");
}

// -- Checkbox callback: enable/disable TD-related controls -----------------------
global proc uvCU_ToggleTD()
{
    int $state = `checkBox -q -v uvCU_cbTD`;
    control -e -en $state uvCU_tdFld;       // enable/disable TD value
    control -e -en $state uvCU_msFld;       // enable/disable Map Size
    control -e -en $state uvCU_padFld;      // enable/disable UV Padding
    control -e -en $state uvCU_layoutBtn;   // enable/disable Auto Layout Now button
}

// -- Button callback to persist options & run ------------------------------------
global proc uvCU_OnRun()
{
    float $td        = `floatFieldGrp -q -value1 uvCU_tdFld`;
    int   $ms        = `intFieldGrp   -q -value1 uvCU_msFld`;
    int   $doTD      = `checkBox      -q -v      uvCU_cbTD`;
    int   $shellOnly = `checkBox      -q -v      uvCU_cbShells`;

    optionVar -fv "uvCU_texelDensity" $td;
    optionVar -iv "uvCU_mapSize"      $ms;
    optionVar -iv "uvCU_doSetTD"      $doTD;
    optionVar -iv "uvCU_shellsOnly"   $shellOnly;

    uvCU_Run($td, $ms, $doTD, $shellOnly);
}

// -- UI --------------------------------------------------------------------------
global proc uvCU_UI()
{
    string $win = "uvCutUnfoldTDWin";
    if (`window -exists $win`) deleteUI -window $win;

    window -title "ChatGPT X CS UV Tool" -widthHeight 540 400 $win;
    columnLayout -adj true -rs 6;

        // Top: toggles + main actions (both toggles default OFF)
        int   $defShell = 0;
        int   $defDoTD  = 0;

        checkBox      -l "Only shells from selected seams" -v $defShell uvCU_cbShells;
        checkBox      -l "Scale to density after unfold"   -v $defDoTD  -cc "uvCU_ToggleTD()" uvCU_cbTD;

        // Main row
        rowLayout -nc 2 -cw2 180 180 -ct2 "both" "both" -co2 2 2;
            button -label "CameraBased Planar" -c "uvCU_PlanarFromCamera();";
            button -label "Cut + Unfold"       -c "uvCU_OnRun();";
        setParent ..;

        separator -style "in";

        // Bottom: TD/Map/Pad + Layout Now
        float $defTD  = (`optionVar -exists "uvCU_texelDensity"`) ? `optionVar -q "uvCU_texelDensity"` : 8.0;
        int   $defMap = (`optionVar -exists "uvCU_mapSize"`)      ? `optionVar -q "uvCU_mapSize"`      : 2048;
        float $defPad = (`optionVar -exists "uvCU_padding"`)      ? `optionVar -q "uvCU_padding"`      : 0.005;

        floatFieldGrp -label "Texel Density (px/unit)" -numberOfFields 1 -value1 $defTD  uvCU_tdFld;
        intFieldGrp   -label "Map Size (px)"           -numberOfFields 1 -value1 $defMap uvCU_msFld;
        floatFieldGrp -label "UV Padding (0..1)"       -numberOfFields 1 -value1 $defPad uvCU_padFld;

        // Same width as the top row
        rowLayout -nc 1 -cw1 364 -ct1 "both" -co1 2;
            button -label "Auto Layout Now" -c "uvCU_LayoutNow(`floatFieldGrp -q -value1 uvCU_padFld`);" uvCU_layoutBtn;
        setParent ..;

        // Respect initial TD state (defaults OFF)
        control -e -en $defDoTD uvCU_tdFld;
        control -e -en $defDoTD uvCU_msFld;
        control -e -en $defDoTD uvCU_padFld;
        control -e -en $defDoTD uvCU_layoutBtn;

    showWindow $win;
}

// Launch UI
uvCU_UI();
[ExtensionOf(classStr(PurchReqWorkflow))]
final class PurchReqWorkflow_LOC_Finance_Extension
{

    public static void main(Args _args)
    {
        PurchReqWorkflow purchReqWorkflow = PurchReqWorkflow::construct();
        PurchReqTable purchReqTable;
        FormDataSource purchReqTableDS;
        if (_args)
        {
            purchReqTable = _args.record();
            purchReqTableDS = FormDataUtil::getFormDataSource(purchReqTable);
 
            if(purchReqTable)
            {
                if(purchReqTable.ProjectName == "" || purchReqTable.ProjectDuration == ""
                    || purchReqTable.ProjectObjectives == "" || purchReqTable.BusinessImpact == "")
                    throw error("Sorry you can't submit this request, please must be fill Project Description, Project Duration, Project Objectives and Business Impact.");
            }
        }
        next main(_args);
    }
}

// https://khadarmsdax.wordpress.com/2022/08/11/workflow-validation-before-submit-x/
// ===== UV Cut + Unfold (+ Pack / Texel Density / Padding) — Stable MEL (Maya 2026) =====

global proc uvCU_RunPad(float $td, int $mapSize, int $doSetTD, int $doPack, float $padding)
{
    if ($doSetTD && $td <= 0.0)  error "Texel Density must be > 0.";
    if ($doSetTD && $mapSize <= 0) error "Map Size must be > 0.";

    string $edges[] = `filterExpand -sm 32 -ex 1`;
    if (!size($edges)) error "Select polygon edges (UV seams) first.";

    string $owners[] = `ls -o $edges`;
    string $xforms[];
    for ($o in $owners) {
        string $p[] = `listRelatives -p -pa $o`;
        if (size($p)) {
            int $seen = 0; for ($t in $xforms){ if ($t==$p[0]){$seen=1;break;} }
            if (!$seen) $xforms[size($xforms)] = $p[0];
        }
    }

    select -r $edges;
    polyMapCut;

    // Select ALL UVs on those meshes
    select -cl;
    for ($t in $xforms) {
        string $uvs[] = `polyListComponentConversion -toUV $t`;
        select -add $uvs;
    }
    select -r `filterExpand -sm 35 -ex 1`;

    // If no UVs yet, seed a quick projection & reselect UVs
    if (!size(`ls -sl -fl`)) {
        for ($t in $xforms) {
            select -r $t;
            polyAutoProjection -lm 0 -pb 0 -ibd 1 -cm 0 -l 2 -sc 1 -o 1 -p 6 -ps 0.2 -ch 0;
        }
        select -cl;
        for ($t in $xforms) {
            string $uvs2[] = `polyListComponentConversion -toUV $t`;
            select -add $uvs2;
        }
        select -r `filterExpand -sm 35 -ex 1`;
    }

    // Unfold (Unfold3D tool entry)
    u3dUnfold;

    // Optional Texel Density
    if ($doSetTD) {
        texSetTexelDensity $td $mapSize;
    }

    // Optional Pack (padding in UV units 0..1)
    if ($doPack) {
        polyLayoutUV -l 2 -sc 1 -fr 1 -ps $padding -ch 0;
    }

    string $msg = "[UV] Cut + Unfold";
    if ($doSetTD) $msg += " + TD";
    if ($doPack)  $msg += (" + Pack (Padding: " + $padding + ")");
    print ($msg + ".\n");
}

// Camera planar from current view (your requested flags)
global proc uvCU_PlanarFromCamera()
{
    string $sel[] = `ls -sl`;
    if (!size($sel)) error "Select mesh components or objects to project.";

    string $faces[] = `filterExpand -sm 34 -ex 1`;
    if (!size($faces)) {
        string $toFaces[] = `polyListComponentConversion -toFace $sel`;
        $faces = `filterExpand -sm 34 -ex 1 $toFaces`;
    }
    if (!size($faces)) error "Could not resolve faces from selection.";

    select -r $faces;
    polyProjection -type Planar -md p -constructionHistory 1;

    print "[UV] Camera-based planar projection applied from view.\n";
}

// Button callback — query controls by explicit names and run
global proc uvCU_OnRun()
{
    float $td      = `floatFieldGrp -q -value1 uvCU_tdFld`;
    int   $ms      = `intFieldGrp   -q -value1 uvCU_msFld`;
    int   $doTD    = `checkBox      -q -v      uvCU_cbTD`;
    int   $doPack  = `checkBox      -q -v      uvCU_cbPack`;
    float $padding = `floatFieldGrp -q -value1 uvCU_padFld`;

    optionVar -fv "uvCU_texelDensity" $td;
    optionVar -iv "uvCU_mapSize"      $ms;
    optionVar -iv "uvCU_doSetTD"      $doTD;
    optionVar -iv "uvCU_doPack"       $doPack;
    optionVar -fv "uvCU_padding"      $padding;

    uvCU_RunPad($td, $ms, $doTD, $doPack, $padding);
}

// UI — controls are created with fixed names so callbacks never break
global proc uvCU_UI()
{
    string $win = "uvCutUnfoldTDWin";
    if (`window -exists $win`) deleteUI -window $win;

    window -title "ChatGPT X CS UV Tool" -widthHeight 420 300 $win;
    columnLayout -adj true -rs 6;

        float $defTD   = (`optionVar -exists "uvCU_texelDensity"`) ? `optionVar -q "uvCU_texelDensity"` : 8.0;
        int   $defMap  = (`optionVar -exists "uvCU_mapSize"`)      ? `optionVar -q "uvCU_mapSize"`      : 2048;
        int   $defDoTD = (`optionVar -exists "uvCU_doSetTD"`)      ? `optionVar -q "uvCU_doSetTD"`      : 1;
        int   $defPack = (`optionVar -exists "uvCU_doPack"`)       ? `optionVar -q "uvCU_doPack"`       : 1;
        float $defPad  = (`optionVar -exists "uvCU_padding"`)      ? `optionVar -q "uvCU_padding"`      : 0.005;

        // Name each control explicitly (last arg)
        floatFieldGrp -label "Texel Density (px/unit)" -numberOfFields 1 -value1 $defTD  uvCU_tdFld;
        intFieldGrp   -label "Map Size (px)"           -numberOfFields 1 -value1 $defMap uvCU_msFld;
        checkBox      -l "Scale to density after unfold" -v $defDoTD uvCU_cbTD;
        checkBox      -l "Pack after unfold"             -v $defPack uvCU_cbPack;
        floatFieldGrp -label "UV Padding (0..1)"       -numberOfFields 1 -value1 $defPad uvCU_padFld;

        separator -style "in";

        rowLayout -nc 3 -cw3 180 160 60 -ct3 "both" "both" "both" -co3 2 2 2;
            button -label "CameraBased Planar" -c "uvCU_PlanarFromCamera();";
            button -label "Cut + Unfold"       -c "uvCU_OnRun();";
            button -label "Close"               -c ("deleteUI -window " + $win);
        setParent ..;

    showWindow $win;
}

// Launch
uvCU_UI();
In crypto, smart systems beat constant manual effort. Crypto trading bot development gives startups and entrepreneurs a way to automate trading while maintaining full control over strategies. Features like backtesting, real-time alerts, and multi-strategy support make bots versatile tools for any trading style. They also help keep decision-making consistent in volatile markets. A trusted crypto trading bot development company ensures your system is secure, efficient, and adaptable. For founders, a trading bot is both a productivity tool and a growth driver.

string button.send_doc_via_docu_sign()
{
	Ownership_Change_Request_id = "5971686000098845399";
	get_Details = zoho.crm.getRecordById("Ownership_Change_Request",Ownership_Change_Request_id);
	//info get_Details;
	customer_id = get_Details.get("Customer_Name").get("id");
	//info customer_id;
	contact_Details = zoho.crm.getRecordById("Contacts",customer_id);
	//info contact_Details;
	buyer_email = contact_Details.get("Email");
	info buyer_email;
	buyer_name = contact_Details.get("Full_Name");
	info buyer_name;

	// Step 1: Get Attachment from Ownership Change Request
	OCR_attachments = zoho.crm.getRelatedRecords("Attachments","Ownership_Change_Request",Ownership_Change_Request_id);
	if(OCR_attachments.size() > 0)
	{
		firstAttachment = OCR_attachments.get(0);
		attachmentId = firstAttachment.get("id");

		// Step 2: Download the document from CRM
		response1 = invokeurl
		[
			url :"https://www.zohoapis.com/crm/v8/Ownership_Change_Request/" + Ownership_Change_Request_id + "/Attachments/" + attachmentId
			type :GET
			connection:"newzohocrm"
		];

		// Step 3: Convert to Base64
		base64_pdf = zoho.encryption.base64Encode(response1);

		// Step 4: Prepare document map for DocuSign
		doc = Map();
		doc.put("documentBase64",base64_pdf);
		doc.put("name","Sale Purchase Agreement");
		doc.put("fileExtension","docx");
		doc.put("documentId","1");

		// Step 5: Signers' Info
		buyer_email = contact_Details.get("Email");
		buyer_name = contact_Details.get("Full_Name");

		// Joint Buyer
		joint_buyer_name = "Shahzad Joint";
		joint_buyer_email = "muhammad.kaleem@leosops.com";

		// Manager
		manager_name = "Leos";
		manager_email = "m.awais@leosuk.com";

		// ===== SIGNER 1: Buyer =====
		sign_here_buyer = List();
		sign_here_buyer.add({"anchorString":"Signed by Individual Purchaser","anchorUnits":"pixels","anchorXOffset":"170","anchorYOffset":"28"});
		sign_here_buyer.add({"anchorString":"Signed for and on behalf of the Purchaser","anchorUnits":"pixels","anchorXOffset":"175","anchorYOffset":"12"});

		// Initial field
		initial_here_buyer = List();
		initial_here_buyer.add({"anchorString":"Purchaser’s initials","anchorUnits":"pixels","anchorXOffset":"12","anchorYOffset":"-7"});

		// Date Signed field
		date_signed_buyer = List();
		date_signed_buyer.add({"anchorString":"Date signed:","anchorUnits":"pixels","anchorXOffset":"175","anchorYOffset":"10"});

		tabs_buyer = Map();
		tabs_buyer.put("signHereTabs",sign_here_buyer);
		tabs_buyer.put("initialHereTabs",initial_here_buyer);
		tabs_buyer.put("dateSignedTabs",date_signed_buyer);

		signer1 = Map();
		signer1.put("email",buyer_email);
		signer1.put("name",buyer_name);
		signer1.put("recipientId","1");
		signer1.put("routingOrder","1");
		signer1.put("tabs",tabs_buyer);

		// ===== SIGNER 2: Joint Buyer =====
		sign_here_joint = List();
		sign_here_joint.add({"anchorString":"Signed by Joint Individual Purchaser","anchorUnits":"pixels","anchorXOffset":"175","anchorYOffset":"28"});

		initial_here_joint = List();
		initial_here_joint.add({"anchorString":"Initial by Joint Individual Purchaser","anchorUnits":"pixels","anchorXOffset":"175","anchorYOffset":"28"});

		date_signed_joint = List();
		date_signed_joint.add({"anchorString":"Date Signed by Joint Individual Purchaser","anchorUnits":"pixels","anchorXOffset":"175","anchorYOffset":"28"});

		tabs_joint = Map();
		tabs_joint.put("signHereTabs",sign_here_joint);
		tabs_joint.put("initialHereTabs",initial_here_joint);
		tabs_joint.put("dateSignedTabs",date_signed_joint);

		signer2 = Map();
		signer2.put("email",joint_buyer_email);
		signer2.put("name",joint_buyer_name);
		signer2.put("recipientId","2");
		signer2.put("routingOrder","2");
		signer2.put("tabs",tabs_joint);

		// ===== SIGNER 3: Develper =====
		sign_here_manager = List();
		sign_here_manager.add({"anchorString":"Signed for and on behalf of Developer:","anchorUnits":"pixels","anchorXOffset":"175","anchorYOffset":"28"});

		initial_here_manager = List();
		initial_here_manager.add({"anchorString":"Seller’s initials","anchorUnits":"pixels","anchorXOffset":"175","anchorYOffset":"-3"});

		date_signed_manager = List();
		date_signed_manager.add({"anchorString":"Date Signed by Seller","anchorUnits":"pixels","anchorXOffset":"175","anchorYOffset":"28"});

		tabs_manager = Map();
		tabs_manager.put("signHereTabs",sign_here_manager);
		tabs_manager.put("initialHereTabs",initial_here_manager);
		tabs_manager.put("dateSignedTabs",date_signed_manager);

		signer3 = Map();
		signer3.put("email",manager_email);
		signer3.put("name",manager_name);
		signer3.put("recipientId","3");
		signer3.put("routingOrder","3");
		signer3.put("tabs",tabs_manager);

		// Step 6: Recipients map
		recipients = Map();
		recipients.put("signers",{signer1,signer2,signer3});

		// Step 7: Envelope
		envelope = Map();
		envelope.put("documents",{doc});
		envelope.put("emailSubject","Please Sign the Sale Purchase Agreement");
		envelope.put("status","sent");
		envelope.put("recipients",recipients);

		// Step 8: Get DocuSign Access Token from CRM Variable
		access_token_response = invokeurl
		[
			url :"https://www.zohoapis.com/crm/v6/settings/variables/5971686000102746225"
			type :GET
			connection:"newzohocrm"
		];
		access_token = access_token_response.get("variables").get(0).get("value");

		// Step 9: Send envelope via DocuSign
		headers = Map();
		headers.put("Authorization","Bearer " + access_token);
		headers.put("Content-Type","application/json");

		response = invokeurl
		[
			url :"https://demo.docusign.net/restapi/v2.1/accounts/60bf62d5-5696-443e-8b93-74f5da67f9b7/envelopes"
			type :POST
			parameters:envelope.toString()
			headers:headers
		];
		info response;
		envelopeId = response.get("envelopeId");

		update_map = Map();
		update_map.put("Envelope_ID", envelopeId);
		Update_Rec= zoho.crm.updateRecord("Reservation_", Ownership_Change_Request_id, update_map);
	}
	else
	{
		info "No attachments found on Ownership Change Request record.";
	}
	return "";
}
# Circumference of Circle
r = int(input("Enter radius of circle : "))
c = 2*3.14*r
print("Circumference of Circle is : ", c)

# Area of Circle
area = 3.14*r*r
print("Area of Circle is : ", area)
# Perimeter of Rectangle 
l = int(input("Enter length : "))
b = int(input("Enter breadth : "))
perimeter = 2*(l + b)
print("Perimeter of Rectangle is : ", perimeter)

# Are of Rectangle 
area = l*b
print("Area of Rectangle is : ", area)
# Sum of 3 Numbers
x = int(input("Enter 1st no. : "))
y = int(input("Enter 2nd no. : "))
z = int(input("Enter 3rd no. : "))
sum = x+y+z
print("Sum of these nos. is : ", sum)
import pandas as pd
list1=[-10,-20,-30]
ser = pd.Series(list1)
print(ser*2)
Are you ready to kickstart your own dynamic sports wagering platform using a customizable Bet365 clone script that aligns perfectly with your brand identity?Plurance offers an cutting-edge sports betting platform development solution that prioritizes the security of your business and player data.Our Ready-made Bet365 Clone Script includes features like user registration and profile management, diverse betting options, live odds and real-time updates, a secure payment gateway, a robust admin dashboard for streamlined operations, and compatibility across web and mobile platforms to enhance user experience, support, and management.We also offer a free live demo so you can experience the platform before you launch. 

Get in touch with our team today and take the first step toward launching your own betting platform

Book a free demo

Website – https://www.plurance.com/bet365-clone-script

Call/WhatsApp – +918807211181

Telegram – Pluranceteck

For free demo/cost – https://www.plurance.com/contact-us
DROP TABLE team_kingkong.tpap_risk116_breaches;
 
-- CREATE TABLE team_kingkong.tpap_risk116_breaches AS
INSERT INTO team_kingkong.tpap_risk116_breaches
SELECT DISTINCT B.*, C.category, D.txnType, D.txnType1, D.osVersion, D.initiationMode
, IF(D.upi_subtype IS NOT NULL, D.upi_subtype, IF(C.category = 'LITE_MANDATE', 'UPI_LITE_MANDATE', '')) AS upi_subtype
, 'upi_oc141_mcc7995_betting_v3' AS rule_name
, 'Breaches' as breach_reason
FROM
    (SELECT txn_id,
    MAX(CASE WHEN participant_type = 'PAYER' THEN vpa END) AS payer_vpa,
    MAX(CASE WHEN participant_type = 'PAYEE' THEN vpa END) AS payee_vpa,
    MAX(CASE WHEN participant_type = 'PAYEE' THEN mcc END) AS payeeMccCode,
    MAX(DATE(created_on)) as txn_date,
    MAX(amount) AS txn_amount,
    MAX(created_on) AS txn_time
    FROM switch.txn_participants_snapshot_v3
    WHERE DATE(dl_last_updated) BETWEEN DATE'2025-01-01' AND DATE'2025-01-31'
    AND DATE(created_on) BETWEEN DATE'2025-01-01' AND DATE'2025-01-31'
    GROUP BY 1)B
inner join
    (select txn_id, category
    from switch.txn_info_snapshot_v3
    where DATE(dl_last_updated) BETWEEN DATE'2025-01-01' AND DATE'2025-01-31'
    and DATE(created_on) BETWEEN DATE'2025-01-01' AND DATE'2025-01-31'
    and upper(status) = 'SUCCESS'
    AND category = 'VPA2MERCHANT') C
on B.txn_id = C.txn_id
INNER JOIN
    (SELECT txnid
    , regexp_replace(cast(json_extract(request, '$.requestPayload.payerType') AS varchar),'"','') AS payerType
    , regexp_replace(cast(json_extract(request, '$.requestPayload.payeeType') AS varchar),'"','') AS payeeType
    , JSON_EXTRACT_SCALAR(request, '$.requestPayload.initiationMode') AS initiationMode
    , regexp_replace(cast(json_extract(request, '$.evaluationType') as varchar), '"', '') AS upi_subtype
    , regexp_replace(cast(json_extract(request, '$.requestPayload.osVersion') as varchar), '"', '') AS osVersion
    , json_extract_scalar(request, '$.requestPayload.txnType') AS txnType
    , json_extract_scalar(request, '$.requestPayload.txnType1') AS txnType1
    FROM tpap_hss.upi_switchv2_dwh_risk_data_snapshot_v3
    WHERE DATE(dl_last_updated) BETWEEN DATE'2025-01-01' AND DATE'2025-01-31'
    AND json_extract_scalar(response, '$.action_recommended') <> 'BLOCK'
    AND regexp_replace(cast(json_extract(request, '$.evaluationType') as varchar), '"', '') = 'UPI_TRANSACTION'
    )D
ON B.txn_id = D.txnid
WHERE payeeMccCode = '7995'
AND ((LOWER(D.osVersion) LIKE '%android%' AND txnType = 'COLLECT')
OR (D.osVersion LIKE 'iOS%' AND txn_amount > 2000 AND txnType = 'COLLECT')
OR (txnType NOT IN ('PAY', 'DEBIT') AND txnType1 = 'CR' AND initiationMode = '00')
OR (D.initiationMode NOT IN ('00', '04', '05', '10')));     
-- RISK136	upi_lite_add_money_amount_limit
-- DROP TABLE team_kingkong.tpap_risk136_breaches;
 
-- CREATE TABLE team_kingkong.tpap_risk136_breaches AS
INSERT INTO team_kingkong.tpap_risk136_breaches
SELECT DISTINCT B.*, C.category, D.requestType
, IF(D.upi_subtype IS NOT NULL, D.upi_subtype, IF(C.category = 'LITE_MANDATE', 'UPI_LITE_MANDATE', '')) AS upi_subtype
, 'upi_lite_add_money_amount_limit' AS rule_name
, 'Add money to upi lite > 5k' as breach_reason
FROM
    (SELECT txn_id,
    MAX(CASE WHEN participant_type = 'PAYER' THEN vpa END) AS payer_vpa,
    MAX(CASE WHEN participant_type = 'PAYEE' THEN vpa END) AS payee_vpa,
    MAX(CASE WHEN participant_type = 'PAYEE' THEN mcc END) AS payeeMccCode,
    MAX(DATE(created_on)) as txn_date,
    MAX(amount) AS txn_amount,
    MAX(created_on) AS txn_time
    FROM switch.txn_participants_snapshot_v3
    WHERE DATE(dl_last_updated) BETWEEN DATE'2025-01-01' AND DATE'2025-01-31'
    AND DATE(created_on) BETWEEN DATE'2025-01-01' AND DATE'2025-01-31'
    GROUP BY 1)B
inner join
    (select txn_id, category
    from switch.txn_info_snapshot_v3
    where DATE(dl_last_updated) BETWEEN DATE'2025-01-01' AND DATE'2025-01-31'
    and DATE(created_on) BETWEEN DATE'2025-01-01' AND DATE'2025-01-31'
    and upper(status) = 'SUCCESS'
    AND category = 'RECHARGE_LITE_TOP_UP') C
on B.txn_id = C.txn_id
INNER JOIN
    (SELECT txnid
    , regexp_replace(cast(json_extract(request, '$.requestPayload.payerType') AS varchar),'"','') AS payerType
    , regexp_replace(cast(json_extract(request, '$.requestPayload.payeeType') AS varchar),'"','') AS payeeType
    , regexp_replace(cast(json_extract(request, '$.evaluationType') as varchar), '"', '') AS upi_subtype
    , json_extract_scalar(request, '$.requestPayload.requestType') as requestType
    FROM tpap_hss.upi_switchv2_dwh_risk_data_snapshot_v3
    WHERE DATE(dl_last_updated) BETWEEN DATE'2025-01-01' AND DATE'2025-01-31'
    AND json_extract_scalar(response, '$.action_recommended') <> 'BLOCK'
    AND json_extract_scalar(response, '$.requestPayload.requestType') IN ('INITIAL_LITE_TOP_UP', 'RECHARGE_LITE_TOP_UP')
    AND regexp_replace(cast(json_extract(request, '$.evaluationType') as varchar), '"', '') = 'UPI_LITE_TRANSACTION')D
ON B.txn_id = D.txnid
WHERE txn_amount > 5000;
import pandas as pd
dict = {"Population": {"Delhi":10927986, "Mumbai":12691836, "Kolkata":4631392, "Chennai":4328063}, 
        "Hospitals":{"Delhi":189, "Mumbai":208, "Kolkata":149, "Chennai":157},
        "Schools":{"Delhi":7916, "Mumbai":8508, "Kolkata":7226, "Chennai":7617}}
df = pd.DataFrame(dict)
print("Before Adding Column")
print(df)
print("-------------------------")

df["Students"]="12K"
print("After Adding Column Students")
print(df)
print("-------------------------")


df["Teachers"]=["10k", "20k", "30k", "40k"]
print("After Adding Column Teachers")
print(df)
print("-------------------------")

df.iat[3,3]="10000K"
df.at["Delhi","Schools"]=555555
print(df)
print("-----------------------------------")

df.loc["Agra"]=10
df.loc["Mathura"]=[10, 20,30, 40, 50]
print(df)

df.loc["Rohta",["Hospitals", "Schools"]]=20000
print(df)

del df["Hospitals"]

print(df)

df.loc["Agra",["Schools", "Students"]]=[1000000, 200000]
df.loc["Ajmer",["Schools", "Students"]]=[10541,5874125]
print(df)

print("-----------Bye----------------------")
'# print(df.index)
# print(df.columns)
# print(df.loc[["Delhi", "Mumbai"],["Students", "Teachers"]])

# x =' df.drop(["Mumbai", "Agra"], axis=0)
# y = df.drop(["Students", "Teachers"], axis=1)
# print(x)
# print(y)
# print(df)

# print("New DataFrame------------------------------------------")
# newdf = df.rename(index={"Delhi":"D"})
# print(newdf)
# print(df)
# print("Old Data Frame -----------------------------------------")
# df.rename(index={"Delhi":"D"}, inplace=True)
# print(df)


newdf=df.rename(columns={"Population":"P"})
print(newdf)
df.rename(columns={"Population":"P"}, inplace=True)
print(df)
df.rename(index={"Delhi":"Agra"}, columns={"Schools":"College"}, inplace=True)
print(df)
def generate_random_number():
    x = id(0)
    x = id(x)
    x = str(x)[1]
    return x

print(generate_random_number())
function howMany(){
  console.log(arguments); // 
}


howMany(3,4,5,6,7,8,90,)



//prints
Arguments(7) [3, 4, 5, 6, 7, 8, 90, callee: (...), Symbol(Symbol.iterator): ƒ]
// shows an array and we can do something like



function howMany() {
  let total = 0;
  for (let value of arguments) {
    total += value;
  }
  console.log(total);
  return total;
}

howMany(3, 4, 5, 6, 7, 8, 90);
<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <title>Document Download</title>
    <style>
        body {
            font-family: Cambria, sans-serif;
            background: #E0F7FA;
            margin: 0;
            padding: 0;
            display: flex;
            justify-content: center;
            align-items: center;
            height: 100vh;
        }

        .form-box {
            background: #00FFFF;
            padding: 20px;
            box-shadow: 0 4px 12px rgba(0, 0, 0, 0.2);
            border-radius: 10px;
            text-align: center;
            width: 350px;
            max-width: 90%;
        }

        input, button {
            padding: 10px;
            margin: 10px 0;
            width: 100%;
            box-sizing: border-box;
        }

        a button {
            background: #007BFF;
            color: white;
            border: none;
            cursor: pointer;
            padding: 10px 20px;
            width: auto;
            margin-top: 5px;
        }

        a button:hover {
            background: #0056b3;
        }

        #result {
            margin-top: 20px;
            font-weight: bold;
        }

        .not-available {
            color: red;
            margin: 5px 0;
        }

        .loader {
            width: 50px;
            height: 50px;
            position: relative;
            margin: 20px auto;
            display: none;
        }

        .loader::before {
            content: '';
            position: absolute;
            border: 5px solid #007BFF;
            border-radius: 50%;
            width: 30px;
            height: 30px;
            top: 0;
            left: 0;
            animation: spin 1s linear infinite;
            border-right-color: transparent;
        }

        @keyframes spin {
            0% { transform: rotate(0deg); }
            100% { transform: rotate(360deg); }
        }
    </style>
</head>
<body>

<div class="form-box">
    <h2>Download Important Documents of the Trainees<br>Session 2025–2027</h2>

    <input type="text" id="regNo" placeholder="Enter Registration Number"><br>
    <input type="text" id="traineeName" placeholder="Enter Your Name"><br>
    <button id="submitBtn" onclick="checkDocuments()">Submit</button>

    <div class="loader" id="loader"></div>
    <div id="result"></div>
</div>

<script>
function checkDocuments() {
    const regNo = document.getElementById("regNo").value.trim();
    const traineeName = document.getElementById("traineeName").value.trim().toLowerCase();
    const resultDiv = document.getElementById("result");
    const submitBtn = document.getElementById("submitBtn");
    const loader = document.getElementById("loader");

    if (!regNo || !traineeName) {
        alert("Please enter both Registration Number and Trainee Name");
        return;
    }

    resultDiv.innerHTML = "";
    loader.style.display = "block";
    submitBtn.disabled = true;

    const apiUrl = `https://script.google.com/macros/s/AKfycbxIEcEHZ2gokJPGLeU6y8mrjJG4rbJoOfSubjqfqxw46i3ilXc-t2Bl13e1jOfabJ7L/exec?regNo=${encodeURIComponent(regNo)}&traineeName=${encodeURIComponent(traineeName)}`;

    fetch(apiUrl)
        .then(response => response.json())
        .then(data => {
            if (Object.keys(data).length > 0) {
                let links = `<p>Hello, ${traineeName.toUpperCase()}!</p>`;

                // Get all keys ending with ' Link'
                const linkKeys = Object.keys(data).filter(key => key.endsWith(' Link'));

                if (linkKeys.length === 0) {
                    links += `<p class="not-available">No downloadable documents found.</p>`;
                } else {
                    linkKeys.forEach(key => {
                        const label = key.replace(" Link", "");

                        if (data[key]) {
                            links += `<a href="${data[key]}" target="_blank" rel="noopener noreferrer">
                                        <button>Download ${label}</button>
                                      </a>`;
                        } else {
                            links += `<p class="not-available">${label}: Document not available yet.</p>`;
                        }
                    });
                }

                resultDiv.innerHTML = links;
            } else {
                resultDiv.innerHTML = "<p class='not-available'>No documents found for this registration number and name.</p>";
            }
        })
        .catch(error => {
            console.error(error);
            resultDiv.innerHTML = "<p class='not-available'>Documents not Available.</p>";
        })
        .finally(() => {
            loader.style.display = "none";
            submitBtn.disabled = false;
        });
}
</script>

</body>
</html>
function doGet(e) {
  // Check if 'e' and 'e.parameter' exist to avoid errors
  if (!e || !e.parameter) {
    return ContentService
      .createTextOutput("No parameters received")
      .setMimeType(ContentService.MimeType.TEXT);
  }

  const regNo = (e.parameter.regNo || "").toString().trim();
  const traineeName = (e.parameter.traineeName || "").toLowerCase().trim();

  if (!regNo || !traineeName) {
    return ContentService
      .createTextOutput("Missing parameters: regNo and traineeName are required")
      .setMimeType(ContentService.MimeType.TEXT);
  }

  const sheet = SpreadsheetApp.getActiveSpreadsheet().getSheetByName("Sheet1");
  const data = sheet.getDataRange().getValues();

  const headers = data[0];
  const rows = data.slice(1);

  const regIndex = headers.indexOf("Registration Number");
  const nameIndex = headers.indexOf("Trainee Name");

  if (regIndex === -1 || nameIndex === -1) {
    return ContentService
      .createTextOutput("Required columns (Registration Number, Trainee Name) missing in sheet")
      .setMimeType(ContentService.MimeType.TEXT);
  }

  const links = {};

  rows.forEach(row => {
    if (row[regIndex].toString().trim() === regNo && row[nameIndex].toLowerCase().trim() === traineeName) {
      headers.forEach((header, i) => {
        if (header.toLowerCase().includes("link")) {
          links[header] = row[i];
        }
      });
    }
  });

  if (Object.keys(links).length === 0) {
    return ContentService
      .createTextOutput("No matching record found")
      .setMimeType(ContentService.MimeType.TEXT);
  }

  return ContentService
    .createTextOutput(JSON.stringify(links))
    .setMimeType(ContentService.MimeType.JSON);
}

// Test function to simulate a GET request inside the editor
function testDoGet() {
  const e = {
    parameter: {
      regNo: "12345",
      traineeName: "John Doe"
    }
  };
  const response = doGet(e);
  Logger.log(response.getContent());
}
1. Usando pg_dump (fuera de psql)
Este es el método más común y recomendado para respaldar una base de datos PostgreSQL.

Respaldar una base de datos completa:
pg_dump -U usuario -h localhost -p 5432 -F c -b -v -f "backup_file.backup" nombre_basedatos

-U: Usuario de PostgreSQL.
-h: Host del servidor (usar localhost si es local).
-p: Puerto (por defecto es 5432).
-F c: Formato personalizado (compacto y comprimido, ideal para restauración).
-b: Incluye objetos grandes (BLOBs).
-v: Modo verbose (muestra detalles del proceso).
-f: Ruta del archivo de salida.
nombre_basedatos: Nombre de la base de datos a respaldar.

Respaldar en formato SQL plano (legible):
pg_dump -U usuario -h localhost -p 5432 -f "backup_file.sql" nombre_basedatos
Sin -F c, se genera un archivo SQL plano (puede ser grande).

Respaldar solo el esquema (sin datos):
pg_dump -U usuario -h localhost -p 5432 -s -f "esquema.sql" nombre_basedatos
-s: Solo estructura (schema), sin datos.

Respaldar tablas específicas:
pg_dump -U usuario -h localhost -p 5432 -t tabla1 -t tabla2 -f "tablas.sql" nombre_basedatos
-t: Especifica las tablas a incluir.

2. Desde la consola psql (exportar datos)
Si ya estás dentro de psql, puedes exportar datos con \copy (pero no es un backup completo como pg_dump):

Exportar una tabla a CSV:
\copy (SELECT * FROM tabla) TO 'ruta/archivo.csv' WITH CSV HEADER;

Exportar resultados de una consulta:
\copy (SELECT col1, col2 FROM tabla WHERE condicion) TO 'ruta/resultado.csv' WITH CSV;

3. Restaurar un backup
Para restaurar un backup creado con pg_dump:
Restaurar backup en formato personalizado (-F c):
pg_restore -U usuario -h localhost -p 5432 -d nombre_basedatos -v "backup_file.backup"

Restaurar backup SQL plano:
psql -U usuario -h localhost -p 5432 -d nombre_basedatos -f "backup_file.sql"

Notas importantes:
PostgreSQL debe estar en el PATH para que funcionen los comandos pg_dump y pg_restore.
Si tienes problemas de permisos, usa sudo -u postgres antes del comando (en Linux).
Para respaldar todas las bases de datos de un cluster, usa pg_dumpall.



$usuarios = User::with(['persona', 'persona.genero', 'institutos'])
              ->select('users.*')
              ->take(5) // o ->limit(5)
              ->get();

Si necesitas paginación manual (avanzar de 5 en 5):
Si quieres controlar el "offset" (desplazamiento) manualmente, puedes combinar skip() y take():

$page = request('page', 1); // Página actual, por defecto 1
$perPage = 5; // Registros por página

$usuarios = User::with(['persona', 'persona.genero', 'institutos'])
              ->select('users.*')
              ->skip(($page - 1) * $perPage) // Salta los registros anteriores
              ->take($perPage) // Toma solo 5
              ->get();

Diferencia con paginate():
paginate() es más completo (maneja automáticamente la lógica de paginación y genera enlaces)

take()/limit() con skip() es más manual pero te da control directo
$usuarios = User::with(['persona', 'persona.genero', 'institutos'])
              ->select('users.*')
              ->paginate(5);

Alternativas:
Paginar con parámetro desde request (para que el cliente pueda cambiar el tamaño de página):

$usuarios = User::with(['persona', 'persona.genero', 'institutos'])
              ->select('users.*')
              ->paginate(request('per_page', 5)); // 5 por defecto

Simple paginación (solo next/previous, sin números de página):
$usuarios = User::with(['persona', 'persona.genero', 'institutos'])
              ->select('users.*')
              ->simplePaginate(5);

Cómo usar en la vista:
En tu controlador:
return view('tu_vista', ['usuarios' => $usuarios]);

En tu vista Blade:
@foreach($usuarios as $usuario)
    <!-- Mostrar datos del usuario -->
@endforeach

{{ $usuarios->links() }} <!-- Esto mostrará los enlaces de paginación -->
  
  Diferencia con paginate():
paginate() es más completo (maneja automáticamente la lógica de paginación y genera enlaces)

take()/limit() con skip() es más manual pero te da control directo
1.-si tienes esto: 

<head>
    <meta charset="UTF-8">
    <meta name="viewport" content="width=device-width, initial-scale=1.0">
    <title>Tu título aquí</title>

    <!-- Aquí agregas el token CSRF -->
     <meta name="csrf-token" content="{{ csrf_token() }}"> 

    <!-- Otros estilos y scripts -->
    <link rel="stylesheet" href="...">
</head>

puedes hacer simplemente esto segun esta es la manera estandar y mas sencilla:
$.ajaxSetup({
  headers: {
    'X-CSRF-TOKEN': $('meta[name="csrf-token"]').attr('content')
  }
}); 

2.- si tienes esto: 

<head>
    <meta charset="UTF-8">
    <meta name="viewport" content="width=device-width, initial-scale=1.0">
    <title>Tu título aquí</title>

    <!-- Aquí agregas el token CSRF -->
     <meta name="csrf-token" content="{{ csrf_token() }}"> 

    <!-- Otros estilos y scripts -->
    <link rel="stylesheet" href="...">
</head>

puedes hacer dos cosas capturar una variable dentro de una script asi:

const token = document.querySelector('meta[name="csrf-token"]').getAttribute('content');

luego haces esto:
$('#usuarios').DataTable({
  ajax: {
    url: '/usuarios/data',   // URL al método que devuelve JSON
    type: 'POST'  ,
     data: {
      _token: token, // CSRF token
    } //linea relevante es esta

  },
  processing: true,
  serverSide: true,
  columns: [
    { data: 'persona.nombres' },
    { data: 'persona.apellidos' },
    { data: 'persona.email' },
    { data: 'institutos' },
    { data: 'persona.genero.nombre' },
    { data: 'fecha_nacimiento2' },
    { data: 'acciones' }
  ],
  language: {
    url: "/js/es-ES.json",


  },
  pageLength: 3,

});

3.- @push('scripts')
            <script>
                const token = '{{ csrf_token() }}';
  			 </script>

            @stack('scripts')
        @endpush

luego haces esto:
$('#usuarios').DataTable({
  ajax: {
    url: '/usuarios/data',   // URL al método que devuelve JSON
    type: 'POST'  ,
     data: {
      _token: token, // CSRF token
    } //linea relevante es esta

  },
  processing: true,
  serverSide: true,
  columns: [
    { data: 'persona.nombres' },
    { data: 'persona.apellidos' },
    { data: 'persona.email' },
    { data: 'institutos' },
    { data: 'persona.genero.nombre' },
    { data: 'fecha_nacimiento2' },
    { data: 'acciones' }
  ],
  language: {
    url: "/js/es-ES.json",


  },
  pageLength: 3,

});


Transform your organization with the power of decentralized governance! DAOs are revolutionizing traditional corporate structures with transparency, inclusivity, and efficiency. Overcome challenges like scalability and regulatory complexities with expert solutions tailored to your needs. Whether you're building a DAO from scratch or optimizing an existing one, Maticz, the best DAO development company ensure seamless implementation for a future-ready business. Embrace innovation and take the first step toward decentralized success today!

Get Started:
Contact Us: +91 9384587998 | sales@maticz.com

<t t-name="website.chatbot-service">
  <t t-call="website.layout">
    <link rel="stylesheet" href="https://cdnjs.cloudflare.com/ajax/libs/font-awesome/6.5.0/css/all.min.css"/>
    
    &lt;style&gt;
      
      <!--header {background: linear-gradient(135deg, #4f46e5, #06b6d4); color: white; padding: 3rem 2rem; text-align: center;}-->
      header h1 {font-size: 2.5rem; margin-bottom: 1rem;}
      header p {font-size: 1.1rem;}
      .sec {padding: 3rem 2rem; max-width: 1200px; margin: auto;}
      h2 {color: #111827; margin-bottom: 1rem; font-size: 2rem; text-align: center;}
      .features, .benefits, .pricing, .use-cases, .why-choose {display: grid; gap: 1.5rem; grid-template-columns: repeat(auto-fit, minmax(280px, 1fr));}
      .card {background: white; border-radius: 12px; padding: 2rem; box-shadow: 0 5px 20px rgba(0,0,0,0.05); transition: transform 0.3s ease;}
      .card:hover {transform: translateY(-5px);}
      .icon {font-size: 2rem; margin-bottom: 1rem; color: #4f46e5;}
      .pricing .card {border-top: 5px solid #4f46e5;}
      .btn {display: inline-block; padding: 0.8rem 1.5rem; background: #4f46e5; color: white; border-radius: 30px; text-decoration: none; margin-top: 1rem; transition: background 0.3s;}
      .btn:hover {background: #4338ca;}
      footer {background: #1f2937; color: white; text-align: center; padding: 1.5rem;}
    &lt;/style&gt;
    

    <section class="sec">
      <h2>Our Services</h2>
      <div class="features">
        <div class="card"><div class="icon"><i class="fa-solid fa-comments"/></div><h3>Custom Chatbot Widget</h3><p>Fully tailored chatbot for your website with branding and flow customization.</p></div>
        <div class="card"><div class="icon"><i class="fa-solid fa-brain"/></div><h3>AI &amp; Rule-Based Options</h3><p>Choose between static (rule-based) or dynamic (AI-powered) conversation flows.</p></div>
        <div class="card"><div class="icon"><i class="fa-solid fa-cogs"/></div><h3>Odoo Integration</h3><p>Seamless integration to create tickets, check orders, or fetch CRM data.</p></div>
      </div>
    </section>

    <section class="sec">
      <h2>Business Benefits</h2>
      <div class="benefits">
        <div class="card"><div class="icon"><i class="fa-solid fa-clock"/></div><h3>24/7 Response</h3><p>Instant answers for customers anytime, reducing wait times.</p></div>
        <div class="card"><div class="icon"><i class="fa-solid fa-bolt"/></div><h3>Lead Generation</h3><p>Capture emails, phone numbers, and inquiries with ease.</p></div>
        <div class="card"><div class="icon"><i class="fa-solid fa-piggy-bank"/></div><h3>Cost Reduction</h3><p>Minimize support agent workload for repetitive queries.</p></div>
      </div>
    </section>

    <section class="sec">
      <h2>Pricing Plans</h2>
      <div class="pricing">
        <div class="card"><h3>Starter</h3><p>Static chatbot, up to 10 FAQs, website embed</p><h4>₹3,000/month</h4><a href="#" class="btn">Get Started</a></div>
        <div class="card"><h3>Smart</h3><p>AI chatbot (GPT), lead form, email alerts</p><h4>₹8,000/month</h4><a href="#" class="btn">Get Started</a></div>
        <div class="card"><h3>Pro (Odoo)</h3><p>AI chatbot + Odoo integration</p><h4>₹15,000/month + Setup</h4><a href="#" class="btn">Get Started</a></div>
      </div>
    </section>

    <section class="sec">
      <h2>Use Cases</h2>
      <div class="use-cases">
        <div class="card"><div class="icon"><i class="fa-solid fa-cart-shopping"/></div><h3>E-Commerce</h3><p>Track orders, recommend products, and answer FAQs.</p></div>
        <div class="card"><div class="icon"><i class="fa-solid fa-school"/></div><h3>Education</h3><p>Handle course inquiries, fee details, and contact collection.</p></div>
        <div class="card"><div class="icon"><i class="fa-solid fa-briefcase"/></div><h3>Service Businesses</h3><p>Book appointments and handle pricing queries instantly.</p></div>
        <div class="card"><div class="icon"><i class="fa-solid fa-stethoscope"/></div><h3>Healthcare</h3><p>Assist patients with appointment booking, doctor availability, and basic health info.</p></div>
        <div class="card"><div class="icon"><i class="fa-solid fa-plane"/></div><h3>Travel &amp; Hospitality</h3><p>Help customers with bookings, itineraries, and travel recommendations.</p></div>
        <div class="card"><div class="icon"><i class="fa-solid fa-building"/></div><h3>Real Estate</h3><p>Provide property details, arrange viewings, and answer buyer/seller queries.</p></div>
      </div>
    </section>

    <section class="sec">
      <h2>Why Choose Us?</h2>
      <div class="why-choose">
        <div class="card"><div class="icon"><i class="fa-solid fa-award"/></div><h3>Proven Expertise</h3><p>Years of experience in Odoo customization, AI integrations, and chatbot development.</p></div>
        <div class="card"><div class="icon"><i class="fa-solid fa-layer-group"/></div><h3>End-to-End Solutions</h3><p>From design to launch, we handle every step of the chatbot implementation process.</p></div>
        <div class="card"><div class="icon"><i class="fa-solid fa-expand"/></div><h3>Scalable Technology</h3><p>Our solutions grow with your business, ready to handle more users and features anytime.</p></div>
        <div class="card"><div class="icon"><i class="fa-solid fa-hand-holding-heart"/></div><h3>Customer-Centric Approach</h3><p>We focus on delivering value and improving customer satisfaction through fast, accurate support.</p></div>
        <div class="card"><div class="icon"><i class="fa-solid fa-tag"/></div><h3>Competitive Pricing</h3><p>High-quality chatbot solutions at prices designed to fit your budget.</p></div>
      </div>
    </section>

    <footer>
      <p>© 2025 AI Chatbot Solutions – Powered by OpenAI, Groq &amp; Odoo Integration</p>
    </footer>
  </t>
</t>
<t t-name="website.ai-services">
  <t t-call="website.layout">
    <link rel="stylesheet" href="https://cdnjs.cloudflare.com/ajax/libs/font-awesome/6.5.0/css/all.min.css"/>
    <![CDATA[
    <style>
      body {font-family: 'Poppins', sans-serif; color: #333; background: #f9fafc; line-height: 1.6;}
      header.hero {background: url('https://source.unsplash.com/1600x600/?ai,technology') center/cover no-repeat; color: #fff; padding: 5rem 2rem; text-align: center; position: relative;}
      header.hero::after {content: ''; position: absolute; top: 0; left: 0; width: 100%; height: 100%; background: rgba(0,0,0,0.4);}
      header.hero h1, header.hero p {position: relative; z-index: 2;}
      section {padding: 3rem 2rem; max-width: 1200px; margin: auto;}
      h2 {text-align: center; margin-bottom: 1rem; color: #111827;}
      .services, .industries, .benefits {display: grid; grid-template-columns: repeat(auto-fit, minmax(280px, 1fr)); gap: 1.5rem;}
      .card {background: white; border-radius: 12px; padding: 2rem; box-shadow: 0 5px 20px rgba(0,0,0,0.05); transition: transform 0.3s ease;}
      .card:hover {transform: translateY(-5px);}
      .icon {font-size: 2rem; color: #4f46e5; margin-bottom: 1rem;}
    </style>
    ]]>

    <header class="hero">
      <h1><i class="fa-solid fa-microchip"></i> AI Solutions for Your Business</h1>
      <p>We provide cutting-edge AI services to automate, optimize, and innovate your business processes.</p>
    </header>

    <section>
      <h2>Our AI Services</h2>
      <div class="services">
        <div class="card"><div class="icon"><i class="fa-solid fa-robot"></i></div><h3>AI Chatbots</h3><p>Custom chatbots powered by GPT for support, sales, and engagement.</p></div>
        <div class="card"><div class="icon"><i class="fa-solid fa-chart-line"></i></div><h3>Predictive Analytics</h3><p>Forecast trends, demand, and risks with AI-driven insights.</p></div>
        <div class="card"><div class="icon"><i class="fa-solid fa-language"></i></div><h3>Natural Language Processing</h3><p>Extract meaning, sentiment, and automate language-based tasks.</p></div>
      </div>
    </section>

    <section>
      <h2>Industries We Serve</h2>
      <div class="industries">
        <div class="card"><div class="icon"><i class="fa-solid fa-heart-pulse"></i></div><h3>Healthcare</h3><p>AI diagnostics, patient support chatbots, and health monitoring.</p></div>
        <div class="card"><div class="icon"><i class="fa-solid fa-store"></i></div><h3>Retail</h3><p>Personalized recommendations, inventory prediction, and customer insights.</p></div>
        <div class="card"><div class="icon"><i class="fa-solid fa-graduation-cap"></i></div><h3>Education</h3><p>Automated grading, virtual tutors, and personalized learning paths.</p></div>
      </div>
    </section>

    <section>
      <h2>Why Choose Our AI Solutions?</h2>
      <div class="benefits">
        <div class="card"><div class="icon"><i class="fa-solid fa-bolt"></i></div><h3>Faster Decision Making</h3><p>Empower your team with real-time AI insights.</p></div>
        <div class="card"><div class="icon"><i class="fa-solid fa-scale-balanced"></i></div><h3>Scalable  Flexible</h3><p>Our AI solutions grow with your business needs.</p></div>
        <div class="card"><div class="icon"><i class="fa-solid fa-hand-holding-dollar"></i></div><h3>Cost-Effective</h3><p>Automate repetitive tasks and reduce operational costs.</p></div>
      </div>
    </section>

    <footer>
      <p>© 2025 AI Solutions – Innovating Your Business with Artificial Intelligence</p>
    </footer>
  </t>
</t>
%%[
var @url_factura, @documento_id 

set @url_factura = Concat(@entornoDescargaFactura,@downloadInvoice,'?id=',@urlDescargaFactura,@eml,@fechaEnvio,@nad,@descargafactura) 
set @documento_id = AttributeValue("CIF_FACTURA")  

set @password = "e2a80fe9-5ad6-4e94-8c35-481ae69b8a7a"  
set @saltVal = "77a43623-feb2-4c41-99d9-54ea77cd424b"  
set @initVectorVal = "2d6ed376-b312-4b1e-9545-5c7c0e71134a"  

set @factura_encriptada=EncryptSymmetric(@url_factura,"AES",@password,@null,@saltVal,@null,@initVectorVal,@null)  
set @documento_encriptado=EncryptSymmetric(@documento_id,"AES",@password,@null,@saltVal,@null,@initVectorVal,@null)  


SET @encFactura = URLEncode(@factura_encriptada, 1, 1)
SET @encDocumento = URLEncode(@documento_encriptado, 1, 1)

SET @LandingURL = Concat("https://cloud.dev.notificaciones.endesaclientes.com/validacion-doc-aviso-ml-es?f=",@encFactura,"&d=",@encDocumento) 

]%%


 <a target="_blank" href="%%=Redirectto(@LandingURL)=%%" title="descargar factura" alias="">DESCARGAR FACTURA</a>
var documentErrorMessage = "El documento identificativo no es válido";
var nifErrorMessage = "NIF no es válido";
var nieErrorMessage = "NIE no es válido";
var cifErrorMessage = "CIF no es válido";
var passaportErrorMessage = "Pasaporte no es válido";

var docNoFound = "Por favor, revisa que los datos introducidos sean correctos.";
var conInvalidDocMx = "Por favor, revisa que los datos introducidos sean correctos.";
var docInvalid = "Por favor, revisa que los datos introducidos sean correctos.";
var docNoRel = "Por favor, revisa que los datos introducidos sean correctos.";
<script runat="server">

  Platform.Load("Core", "1.1.1")
  try {
    var data = Request.GetFormField("data");

    JSON = Platform.Function.ParseJSON(data);

    Documento = JSON.Documento;
    encDocumento = JSON.encDocumento;
    encFactura = JSON.encFactura;  
    today = new Date();
    password = "e2a80fe9-5ad6-4e94-8c35-481ae69b8a7a";
    saltVal = "77a43623-feb2-4c41-99d9-54ea77cd424b";
    initVectorVal = "2d6ed376-b312-4b1e-9545-5c7c0e71134a";
    
    Variable.SetValue("@password", password);
    Variable.SetValue("@saltVal", saltVal);
    Variable.SetValue("@initVectorVal", initVectorVal);
    Variable.SetValue("@encDocumento", encDocumento);
    Variable.SetValue("@encFactura", encFactura);
    
    </script>

%%[

 SET @desEncDocumento = DecryptSymmetric(@encDocumento,"AES",@password,@null,@saltVal,@null,@initVectorVal,@null) 

]%%
   

<script runat="server">

    var desEncDocumento = Variable.GetValue("@desEncDocumento");

    if (Documento == desEncDocumento) {

</script>

%%[

 SET @desEncFactura = DecryptSymmetric(@encFactura,"AES",@password,@null,@saltVal,@null,@initVectorVal,@null) 

]%%
   

<script runat="server">        
      
     var desEncFactura = Variable.GetValue("@desEncFactura"); 
     Write(desEncFactura) 
      
  }

  }

  catch (error) {
    Write('false')    
  }
</script>
star

Wed Aug 13 2025 16:46:12 GMT+0000 (Coordinated Universal Time)

@enojiro7

star

Wed Aug 13 2025 13:46:57 GMT+0000 (Coordinated Universal Time)

@jrg_300i #php #laravel

star

Wed Aug 13 2025 13:09:17 GMT+0000 (Coordinated Universal Time) https://www.alwin.io/ai-development-services

@tessa #ai #aidevelopment #aidevelopmentcompany #aidevelopmentservice

star

Wed Aug 13 2025 10:25:12 GMT+0000 (Coordinated Universal Time) https://maticz.com/igaming-software-development

@carolinemax

star

Wed Aug 13 2025 08:33:13 GMT+0000 (Coordinated Universal Time) https://maticz.com/solidity-development-company

@Rachelcarlson

star

Wed Aug 13 2025 07:04:37 GMT+0000 (Coordinated Universal Time) https://webextension.org/listing/always-active.html?version

@Asneedarazali

star

Tue Aug 12 2025 20:02:17 GMT+0000 (Coordinated Universal Time) https://developer.android.com/reference/android/provider/DocumentsProvider

@Asneedarazali

star

Tue Aug 12 2025 16:28:03 GMT+0000 (Coordinated Universal Time)

@jrg_300i #php #laravel

star

Tue Aug 12 2025 16:02:18 GMT+0000 (Coordinated Universal Time)

@jrg_300i #php #laravel

star

Tue Aug 12 2025 16:01:08 GMT+0000 (Coordinated Universal Time)

@jrg_300i #php #laravel

star

Tue Aug 12 2025 16:00:41 GMT+0000 (Coordinated Universal Time)

@jrg_300i #php #laravel

star

Tue Aug 12 2025 16:00:13 GMT+0000 (Coordinated Universal Time)

@jrg_300i #php #laravel

star

Tue Aug 12 2025 15:54:47 GMT+0000 (Coordinated Universal Time)

@jrg_300i #php #laravel

star

Tue Aug 12 2025 15:19:23 GMT+0000 (Coordinated Universal Time)

@jrg_300i #php #laravel

star

Tue Aug 12 2025 15:15:46 GMT+0000 (Coordinated Universal Time)

@jrg_300i #php #laravel

star

Tue Aug 12 2025 15:01:32 GMT+0000 (Coordinated Universal Time)

@enojiro7

star

Tue Aug 12 2025 15:01:06 GMT+0000 (Coordinated Universal Time)

@enojiro7

star

Tue Aug 12 2025 11:07:34 GMT+0000 (Coordinated Universal Time) https://www.opris.exchange/cryptocurrency-wallet-development/

@valentinavalen

star

Tue Aug 12 2025 10:49:27 GMT+0000 (Coordinated Universal Time) https://crossdex.web5.nexus/

@Clarapeters #crossdex #defi #cryptotrading #blockchain #dex

star

Tue Aug 12 2025 10:24:53 GMT+0000 (Coordinated Universal Time)

@enite

star

Tue Aug 12 2025 08:53:16 GMT+0000 (Coordinated Universal Time)

@MinaTimo

star

Tue Aug 12 2025 07:42:24 GMT+0000 (Coordinated Universal Time)

@enite

star

Tue Aug 12 2025 06:08:01 GMT+0000 (Coordinated Universal Time)

@usman13

star

Tue Aug 12 2025 02:44:08 GMT+0000 (Coordinated Universal Time)

@root1024 ##python

star

Tue Aug 12 2025 02:42:04 GMT+0000 (Coordinated Universal Time)

@root1024 ##python

star

Tue Aug 12 2025 02:39:53 GMT+0000 (Coordinated Universal Time)

@root1024 ##python

star

Tue Aug 12 2025 02:12:42 GMT+0000 (Coordinated Universal Time)

@root1024 ##python ##pandas ##dataframe

star

Mon Aug 11 2025 12:05:09 GMT+0000 (Coordinated Universal Time) https://www.plurance.com/bet365-clone-script

@Auroraceleste

star

Mon Aug 11 2025 07:33:40 GMT+0000 (Coordinated Universal Time)

@shubhangi.b

star

Mon Aug 11 2025 06:21:57 GMT+0000 (Coordinated Universal Time)

@shubhangi.b

star

Mon Aug 11 2025 03:42:40 GMT+0000 (Coordinated Universal Time)

@root1024 ##python ##pandas ##dataframe

star

Sun Aug 10 2025 02:46:40 GMT+0000 (Coordinated Universal Time)

@davidmchale #functional #args #arguments

star

Sat Aug 09 2025 12:00:58 GMT+0000 (Coordinated Universal Time) https://trio321.de/

@lunnajennifer #hausmeisterdienstein der nähe

star

Sat Aug 09 2025 07:02:09 GMT+0000 (Coordinated Universal Time) https://www.proxy4free.com/

@proxy4free

star

Sat Aug 09 2025 07:02:08 GMT+0000 (Coordinated Universal Time) https://www.proxy4free.com/

@proxy4free

star

Fri Aug 08 2025 15:13:30 GMT+0000 (Coordinated Universal Time)

@jrg_300i #php #laravel

star

Fri Aug 08 2025 13:50:25 GMT+0000 (Coordinated Universal Time)

@jrg_300i #php #laravel

star

Fri Aug 08 2025 12:10:24 GMT+0000 (Coordinated Universal Time) https://maticz.com/dao-development-services

@Maeve43 #blockchain #web3 #crypto

star

Fri Aug 08 2025 10:43:18 GMT+0000 (Coordinated Universal Time)

@vishalkoriya125

star

Fri Aug 08 2025 10:42:22 GMT+0000 (Coordinated Universal Time)

@vishalkoriya125

star

Fri Aug 08 2025 07:46:43 GMT+0000 (Coordinated Universal Time)

@andresrivera #ampscript

star

Fri Aug 08 2025 07:43:47 GMT+0000 (Coordinated Universal Time)

@andresrivera #ampscript

star

Fri Aug 08 2025 07:42:58 GMT+0000 (Coordinated Universal Time)

@andresrivera #ampscript

Save snippets that work with our extensions

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