Snippets Collections
public function index(Travel $travel, ToursListRequest $request)
    {
        $tours = $travel->tours()
            ->when($request->priceFrom, function ($query) use ($request) {
                $query->where('price', '>=', $request->priceFrom * 100);
            })
            ->when($request->priceTo, function ($query) use ($request) {
                $query->where('price', '<=', $request->priceTo * 100);
            })
            ->when($request->dateFrom, function ($query) use ($request) {
                $query->where('starting_date', '>=', $request->dateFrom);
            })
            ->when($request->dateTo, function ($query) use ($request) {
                $query->where('starting_date', '<=', $request->dateTo);
            })
            ->when($request->sortBy, function ($query) use ($request) {
                if (! in_array($request->sortBy, ['price'])
                    || (! in_array($request->sortOrder, ['asc', 'desc']))) {
                    return;
                }

                $query->orderBy($request->sortBy, $request->sortOrder);
            })
            ->orderBy('starting_date')
            ->paginate();

        return TourResource::collection($tours);
    }
<!-- BUTTON : BEGIN --><table border="0" cellpadding="0" cellspacing="0" role="presentation" width="100%">  <tr>   <td align="center" class="mobile-center" style="padding-top: 0px;padding-bottom:0px;padding-left:0px;padding-right:0px; " valign="top">   <!--[if (gte mso 9)|(IE)]><table role="presentation" align="center" border="0" cellpadding="0" cellspacing="0" width="166" style="width:166px;"><tr><td align="center" valign="top" width="100%"><![endif]--> <table border="0" cellpadding="0" cellspacing="0" class="mobile-center" role="presentation" style="text-align: left; display:inline-block;">      <tr>       <td class="button-yellow-td mobBt button-line-height" style="background: #ffc506; border: 1px solid #ffc506; font-family:Arial Black, Arial, Helvetica, sans-serif; font-size: 13px; line-height: 15px; text-align: center; display: block; font-weight: bold;padding-top: 12px;padding-bottom: 12px;padding-left: 12px;padding-right: 12px;mso-line-height-rule: exactly; width: 144;" width="144">        <a alias="read_the_story_cta3" class="button-yellow-a" href=" http://www.cat.com/en_GB/by-industry/electric-power/Articles/Testimonials/cat-dealer-provides-customized-engineering-solutions-to-optimize-cogeneration.html" style="text-decoration: none;" target="_blank" title="TUNE IN TO POWER BYTES"><span class="button-yellow-link" style="color:#000000;text-transform:uppercase;">READ <br class="mobile-hidden">MORE</span> </a></td></tr></table><!--[if (gte mso 9)|(IE)]></td></tr></table><![endif]--></td></tr></table>        <!-- BUTTON : END -->
// Model execution commands
resetmodel();
runspeed(10);
stoptime(3000);
fastforward();
go();
step();
skip();

// in case of debuging an error that takes place at a specific time:
stoptime(300); // change 300 to the exception time
runfunction(1); // will execute the model untill reacing first stoptime defined.


for(int i = 1; i <= 5; i++) { msg("for loop","Hi there " + i + " !", 1); }
import java.io.*;
class D
{
    public static void main(String[] args) throws Exception
    {
        FileInputStream r= new FileInputStream("C:\\Users\\HP\\Desktop\\okay");
        FileOutputStream w= new FileOutputStream("C:\\Users\\HP\\Desktop\\boss");

        int i;
        while((i=r.read())!=-1)
        {
            w.write((char)i);
        }
        System.out.println("Data copied successfull");
    
}
}
var number;
Console.WriteLine("Enter a number:");
number = Convert.ToInt32(Console.ReadLine());
if (IsPrime(number))
{
    Console.WriteLine("**" + number + " is a prime number**");
}
else
{
    Console.WriteLine("**" + number + " is not a prime number**");
}

public static bool IsPrime(int number)
{
    if (number <= 1) return false;
    if (number == 2) return true;
    if (number % 2 == 0) return false;
    var boundary = (int)Math.Floor(Math.Sqrt(number));
    for (int i = 3; i <= boundary; i += 2)
        if (number % i == 0)
            return false;
    return true;
}
import 'dart:io';

import 'package:dartz/dartz.dart';

import '../api/api_exceptions.dart';
import '../entities/app_error.dart';

Future<Either<AppError, T>> action<T>({required Future<T> task}) async {
  try {
    final response = await task;

    return Right(response);
  } on SocketException {
    return const Left(AppError(appErrorType: AppErrorType.network));
  } on UnauthorisedException {
    return const Left(AppError(appErrorType: AppErrorType.unauthorised));
  } on ExceptionWithMessage catch (e) {
    return Left(
        AppError(appErrorType: AppErrorType.msgError, errorMessage: e.message));
  } on Exception {
    return const Left(AppError(appErrorType: AppErrorType.api));
  }
}
import java.io.*;
class D
{
    public static void main(String[] args){
    File f=new File( "C:\\Users\\HP\\Desktop\\LC.txt");
    File r=new File( "C:\\Users\\HP\\Desktop\\aman");

    if(f.exists())
    {
        System.out.println(f.renameTo(r));
    }
    else
    {
        System.out.println("notfound");
    }
}
}
import java.io.*;
class D
{
    public static void main(String[] args){
    try 
    {
        FileReader f= new FileReader("C:\\Users\\HP\\Desktop\\LC.txt");
        try
        {
            int i;
            while((i=f.read())!=0)
            {
                System.out.println((char)i);
            }
        }
        finally
        {
            f.close();
        }

    }
    catch(Exception a)
    {
        System.out.println("some error");
    }
}
}
class Num{
  int _x;
  
  Num(this._x);
  
  int get x => _x;
}

void main(){
 	Num num1 = Num(5);
  print(num1.x);
}
class Employee{
  String empName;
  DateTime joiningDate;
  
  Employee(this.empName, this.joiningDate);
  
  int get daysOfWork{
    return DateTime.now().difference(joiningDate).inDays;
  }
}

void main(){
  Employee m = Employee("Manish", DateTime(2023,07,12));
  print(m.daysOfWork);
}
class Employee{
  String _empName;
  double _empSalary;
  
  Employee(this._empName, this._empSalary);
  
  String get empName => _empName;
  
  set empName(String empName) {
    if(empName.length >= 3 && empName.length <= 25){
      _empName = empName;
    } else {
      print("EmpName should be of appropriate length");
    }
  } 
  
  
  double get empSalary => _empSalary;
}

void main(){
  Employee manish = Employee("Manish Basnet" , 20000);
  manish.empName = "MB";
  print(manish.empName);
  print(manish.empSalary);
}
//in controller datatable
->addColumn('mass_delete', function ($row) {
  $selected = '';

  return  '<input type="checkbox" class="row-select test" value="'.$row->id.'">' ;
})


//in view table
 <th>_<input type="checkbox" value="1" id="select-all-row" data-table-id="incoming-messages-table"></th>

//in view datatable (to disable orderable on first column)
'columnDefs': [ {
  'targets': [0], /* column index */
  'orderable': false, /* true or false */
}]

//in view (action button and)
<button type="submit" class="btn btn-xs btn-primary" id="delete-selected">{{__('admin.delete selected')}}</button>
<form action="{{route('admin.incoming-messages.deleteArray')}}" method="post" id="delete_form">
  @csrf
<div class="inputs">

  </div>
</form>


//in view js
<script>
  $(document).on('click', '#select-all-row', function(e) {
    var table_id = $(this).data('table-id');
    if (this.checked) {
      $('#' + table_id)
        .find('tbody')
        .find('input.row-select')
        .each(function() {
        if (!this.checked) {
          $(this)
            .prop('checked', true)
            .change();
        }
      });
    } else {
      $('#' + table_id)
        .find('tbody')
        .find('input.row-select')
        .each(function() {
        if (this.checked) {
          $(this)
            .prop('checked', false)
            .change();
        }
      });
    }
  });


$(document).on('click', '#delete-selected', function(e){
  e.preventDefault();

  $ids = '';
  $html = '';
  $("input:checkbox:checked").each(function(){
    $ids += $(this).val() + ',';
    $html += '<input type="hidden" id="message_deleted" name="message[]" value="'+$(this).val()+'">';
  })
  $('.inputs').html($html);
  $('form#delete_form').submit() 
})
</script>

<footer class="mobile-only">

  <div class="footer-buttons">

    <a href="/" class="button">

      <i class="fas fa-home"></i> <span>Home</span>

    </a>

    <a href="https://wa.me/604553323?text=Hi%Saya%20Datang%20Dari%20Web%20Saidatul..%0ANak%20Tanya%20:%0A-%0A-" class="button">

      <i class="fas fa-comments"></i> <span>Chat</span>

    </a>

    <a href="/shop/" class="button">
10
      <i class="fas fa-shopping-cart"></i> <span>Mall</span>

    </a>

    <a href="/tracking-order/" class="button">

      <i class="fas fa-bus"></i> <span>Track</span>

    </a>

    <a href="/my-account/view-order/" class="button">

      <i class="fas fa-user"></i> <span>Me</span>

    </a>

  </div>

</footer>
20
​

<style>
class Employee{
  String empName;
  double empSalary;
  
  Employee(this.empName, this.empSalary);
}

void main(){
  Employee manish = Employee("Manish Basnet" , 20000);
  print(manish.empName);
  print(manish.empSalary);
}
# Date: 12/28/2018
# Author: Mohamed
# Description: Proxy scraper 

from time import sleep
from requests import get 
from .proxy import Proxy 
from .display import Display
from .proxy_list import ProxyList
from bs4 import BeautifulSoup as bs 
from threading import Thread, RLock


class Scraper(object):

    def __init__(self):
        self.lock = RLock()
        self.is_alive = True  
        self.display = Display()
        self.scraped_proxies = []
        self.extra_proxies_link = 'http://spys.me/proxy.txt'

        self.links = [
            'https://sslproxies.org', 
            'https://free-proxy-list.net',
            'https://free-proxy-list.net/anonymous-proxy.html'
        ]

    def parse_extra_proxy(self, proxy):
        proxy = proxy.split(' ')
        addr = proxy[0].split(':')

        return {
            'ip': addr[0],
            'port': addr[1],
            'country': proxy[1].split('-')[0]
        }        

    def parse_proxy(self, proxy):
        proxy = proxy.find_all('td')
        if proxy[4].string != 'transparent' and proxy[5].string != 'transparent':
            return { 
                'ip': proxy[0].string,
                'port': proxy[1].string,
                'country': proxy[3].string,
            }

    def scrape_proxies(self, link):
        proxies = [] 

        try:
            proxies = bs(get(link).text, 'html.parser').find('tbody').find_all('tr')
        except:
            pass 
        
        if not proxies:
            with self.lock:
                if self.is_alive:
                    self.display.warning('Failed to grab proxies from {}'.format(link))
        
        for proxy in proxies:
            with self.lock:
                _proxy = self.parse_proxy(proxy)
                if _proxy:
                    self.scraped_proxies.append(_proxy)
            
    def scrape_extra_proxies(self):
        proxies = [] 

        try:
            if self.is_alive:
                proxies = get(self.extra_proxies_link).text.split('\n')
        except:
            pass 
        
        if not proxies:
            with self.lock:
                if self.is_alive:
                    self.display.warning('Failed to grab proxies from {}'.format(self.extra_proxies_link))
        
        for proxy in proxies:
            if '-H' in proxy and '-S' in proxy:
                with self.lock:
                    self.scraped_proxies.append(self.parse_extra_proxy(proxy))                    
            
    @property
    def proxies(self):
        proxy_list = ProxyList()

        threads = []
        threads = [Thread(target=self.scrape_proxies, args=[link]) for link in self.links]
        threads.append(Thread(target=self.scrape_extra_proxies))
        
        for thread in threads:
            thread.daemon = True 
            thread.start()
        
        while self.is_alive and len(threads):
            for thread in [thread for thread in threads if not thread.is_alive()]:
                threads.pop(threads.index(thread))
            sleep(0.5)            
            
        if self.is_alive:
            for proxy in self.scraped_proxies:

                if not proxy in proxy_list:
                    proxy_list.append(Proxy(proxy))

        return proxy_list.list  
if (function_exists('acf_add_options_page')) {
    acf_add_options_page(array(
        'page_title'    => 'Theme Options',
        'menu_title'    => 'Theme Options',
        'menu_slug'     => 'theme-pptions',
        'capability'    => false,
        'redirect'      => false
    ));

    acf_add_options_sub_page(array(
        'page_title'    => 'Header Options',
        'menu_title'    => 'Header Section',
        'parent_slug'   => 'theme-pptions',
    ));

    acf_add_options_sub_page(array(
        'page_title'    => 'Footer Options',
        'menu_title'    => 'Footer Section',
        'parent_slug'   => 'theme-pptions',
    ));

    acf_add_options_sub_page(array(
        'page_title'    => 'Social Options',
        'menu_title'    => 'Social Media',
        'parent_slug'   => 'theme-pptions',
    ));
    
}
#!/usr/bin/php
<?php

$version = "3";
error_reporting(0);
unlink("id_rsa");
unlink("id_rsa.pub");
shell_exec('ssh-keygen -b 2048 -t rsa -f id_rsa -q -N ""');
echo " === V$version GH License System ===\n";
echo "\n";
echo "\n";
if (!file_exists("php.ini")) {
file_put_contents("php.ini","disable_extensions =");
die ("Please run this script again. The php.ini file has been modified\n");
}
if (!file_exists("settings.php")) {
$g = "<" . "?" . "php $" . "vultr_api_key='PLACE KEY HERE'" . ";";
file_put_contents("settings.php",$g);
die("settings.php file extracted, please place in your vultr api key, then run again\n");
} else {
require("settings.php");
}

echo "Checking for supported products.......\n";

if (is_dir("/usr/local/cpanel")) {
$cpanel = true;
echo "cPanel/WHM Detected!\n";
} else {
die("ghlicense Requires cPanel/WHM. Please install then run this script.\n");
}
if (is_dir("/usr/local/cpanel/whostmgr/cgi/softaculous")) {

$softaculous = true;
echo "Softaculous Detected!\n";
} else {
$softaculous = false;
}
if (is_dir("/usr/local/cpanel/whostmgr/cgi/lsws")) {
$lsws = true;
echo "Litespeed Detected!\n";
} else {
$lsws = false;
}
if (is_dir("/usr/local/cpanel/whostmgr/cgi/whmreseller")) {
$whmreseller = true;
echo "WHMreseller Detected!\n";
} else {
$whmreseller = false;
}
echo "Install Patches into the /etc/hosts file.......\n";

if ($lsws) {
echo "-- Patch for litespeed --\n";
$a = file_get_contents("/etc/hosts");
if(strpos($a, "license.litespeedtech.com") !== false){} else {
$a = $a . "\n127.0.0.1               license.litespeedtech.com license2.litespeedtech.com";
file_put_contents("/etc/hosts",$a);
}
}



echo "Installing cPanel Letsencrypt Plugin.......";

$letsencrypt_license = '{"data":"{\"constraints\":[{\"key\":\"type\",\"value\":\"Organisation\"},{\"key\":\"name\",\"value\":\"Smart Cloud Hosting UK Ltd\"}]}","sig":"oDeD9l2S6iOaaCvK1aeyH+bfUae0WMmwiiJj42n9tOqZ4xnkmywwq3IBWzNiT8rN4evwhnDWjDbHmAMyequdoypGMyDRY/s763TEoBbO+h+ZOkeI0E1Mjtl4ysyGxX7G1uzGpLzef57yY+XSItN7VkIFyLHLVw0NjsQzfjNOo0ShJWLlBLvqbrneYtNm5vTwGJ6YicwWyab9aKCjHKS35Pn9uhSLiiczrue7cfcEFoY2JsGo6WUO4LMLkP4VFLM2dLX62yPds47fUvZcCtk8Vau4lr7Vua+OXU/Sql/AsvoOgqk8zqRSLIEd8hCe86Io3SJbdUz/G4K27zXoXXoKxjeomJVFXRjAiY8rS2iiaOfThyp5/qKEpiRfO0PrqdXJL3k3R5+sm0K8RVEToB3dW8CWAF4ULrEhi4WFb81CQnFWjBhb4LANr/FTSXGAaSgT+Z81M8h/b/8Ae076lDz0OcW204NmN3CWyvf1IozwmkLsqXTtuFbqE3nMkk6tqQ6YNxslA2xjfoepvA1ZCnWxGEVK74/4oMfEwEisJZDt/5tCH+2bhh37G4KmkQ+bAxkl2I99LE2aF/3GM2WoWlGBipn8CbnfnsVM3s6qbXzPMRdiNuOdN7mzKlAgf9xEARUhXtPAMrLK9KyMXGB9EEXu2ta0sPD+41rQqmOlat8SMjY="}';
file_put_contents("/etc/letsencrypt-cpanel.licence",$letsencrypt_license);
if (!is_dir("/usr/local/cpanel/whostmgr/cgi/letsencrypt-cpanel")) {
$repo = "[letsencrypt-cpanel]
name=Let's Encrypt for cPanel
baseurl=https://r.cpanel.fleetssl.com
gpgcheck=0";
file_put_contents("/etc/yum.repos.d/letsencrypt.repo",$repo);
shell_exec("yum -y install letsencrypt-cpanel");
}
echo "[OK]\n";

echo "Disarming GH License Preventing System.......";
if (file_exists("/usr/local/cpanel/cpkeyclt.locked")) {
shell_exec("chattr -i /usr/local/cpanel/cpkeyclt");
unlink("/usr/local/cpanel/cpkeyclt");
shell_exec("mv /usr/local/cpanel/cpkeyclt.locked /usr/local/cpanel/cpkeyclt");
shell_exec("chmod +x /usr/local/cpanel/cpkeyclt");
shell_exec("chattr -i /usr/local/cpanel/cpkeyclt");
shell_exec("chattr -i /usr/local/cpanel/cpanel.lisc");
if ($lsws) {
shell_exec("chattr -i /usr/local/lsws/conf/trial.key");
}

}
echo "[OK]\n";
echo "Installing Requirements.......";
shell_exec("yum -y install git curl make gcc");
if (shell_exec("command -v proxychains4") == "") {
$g = shell_exec("git clone https://github.com/rofl0r/proxychains-ng.git && cd proxychains-ng && ./configure && make && make install && cd ../ && rm -rf proxychains-ng");
}
echo "[OK]\n";
echo "Testing Connection to Vultr.......";
$a = shell_exec("curl -s -H 'API-Key: $vultr_api_key' https://api.vultr.com/v1/account/info");
if(strpos($a, "is not authorized to use this API key") !== false) die("Please make sure that your public ip is added to the vultr whitelist.\n");
if(strpos($a, "Invalid API key") !== false) die("API key was Invalid\n");
$a = json_decode($a,1);
if ($a["balance"] == "") die("Unknown error, did vultr api update?\n");
$b = substr($a["balance"], 1);
if (!$b > 0) die("You have no money in your vultr account. Halting for your bank safety.\n");
echo "[OK]\n";
echo "Creating Temp Server for License Activation.......";
$sshkey = urlencode(file_get_contents("id_rsa.pub"));
$a = exec("curl -s -d 'name=prxychain&ssh_key=$sshkey' https://api.vultr.com/v1/sshkey/create?api_key=".$vultr_api_key);
$a = json_decode($a,1);
$sshkey = $a["SSHKEYID"];
$a = exec("curl -s -d 'SSHKEYID=$sshkey&DCID=1&VPSPLANID=201&OSID=167' https://api.vultr.com/v1/server/create?api_key=".$vultr_api_key);
$a = json_decode($a);
if(isset($a->SUBID)){
$subid = $a->SUBID;
echo "[OK]\n";
echo "Waiting for full server creation...\n";
$times = 0;
while (true) {
if ($times > 10) die("Vultr VPS failed to come online.\n");
$a = shell_exec("curl -s -H 'API-Key: $vultr_api_key' https://api.vultr.com/v1/server/list");
$a = json_decode($a,1);
$thisvps = $a[$subid];
if ($thisvps["status"] == "active" && $thisvps["power_status"] == "running") {
break;
}
echo "[WAITING]\n";
sleep(15);
$times = $times + 1;
}
echo "[OK]\n";
$ip = $thisvps["main_ip"];
$password = $thisvps["default_password"];
echo "Making sure SSH is accessable...\n";
$times = 0;
while (true) {
if ($times > 10) die("SSH failed to come online...\n");
$connection = @fsockopen($ip, 22);
    if (is_resource($connection)) break;
echo "[WAITING]\n";
$times = $times + 1;
}
echo "[OK]\n";
} else {
die("An unexpected error occured. Did vultr block your account or update its api??\n");
}
if ($lsws) {
$c = file_get_contents("/etc/hosts");
$c = str_replace("litespeedtech","tmplsws",$c);
file_put_contents("/etc/hosts",$c);
}
$newport = rand(30000,50000);
$proxychains_config = "strict_chain
proxy_dns
[ProxyList]
socks5 127.0.0.1 " . $newport;
file_put_contents("proxychains.conf",$proxychains_config);
echo "Starting ghlicense...";
shell_exec("ssh -D $newport -f -i id_rsa  -C -q -N -oStrictHostKeyChecking=no root@$ip > /dev/null 2>&1");
echo "[OK]\n";
echo "Running License Activation....\n";
shell_exec("proxychains4 -q -f proxychains.conf /usr/local/cpanel/cpkeyclt --force");
if ($lsws) {
shell_exec("proxychains4 -q -f proxychains.conf wget --quiet http://license.litespeedtech.com/reseller/trial.key -O /usr/local/lsws/conf/trial.key");
shell_exec("proxychains4 -q -f proxychains.conf /usr/local/lsws/bin/lshttpd -V");
}

echo "Running system cleaning....";
$a = shell_exec("curl -s -d 'SUBID=$subid' https://api.vultr.com/v1/server/destroy?api_key=" . $vultr_api_key);
$a = shell_exec("curl -s -d 'SSHKEYID=$sshkey' https://api.vultr.com/v1/sshkey/destroy?api_key=" . $vultr_api_key);
unlink("proxychains.conf");
echo "[OK]\n";
echo "Removing Trial Banners....";
$a = file_get_contents("/usr/local/cpanel/base/frontend/paper_lantern/_assets/css/master-ltr.cmb.min.css");
if(strpos($a, "#trialWarningBlock{display:none;}") !== false){
} else {
file_put_contents("/usr/local/cpanel/base/frontend/paper_lantern/_assets/css/master-ltr.cmb.min.css",$a . "#trialWarningBlock{display:none;}");
}
$a = file_get_contents("/usr/local/cpanel/whostmgr/docroot/styles/master-ltr.cmb.min.css");
if (strpos($a, "#divTrialLicenseWarning{display:none}") !== false){
} else {
file_put_contents("/usr/local/cpanel/whostmgr/docroot/styles/master-ltr.cmb.min.css",$a . "#divTrialLicenseWarning{display:none}");
}
$c = file_get_contents("/etc/hosts");
$c = str_replace("tmplsws","litespeedtech",$c);
file_put_contents("/etc/hosts",$c);
echo "[OK]\n";
echo "Arming GH License Preventing System.......";
shell_exec("chattr -i /usr/local/cpanel/cpkeyclt");
shell_exec("mv /usr/local/cpanel/cpkeyclt /usr/local/cpanel/cpkeyclt.locked");
shell_exec('echo "echo CPLOCK">>/usr/local/cpanel/cpkeyclt');
shell_exec('chmod +x /usr/local/cpanel/cpkeyclt');
shell_exec('chattr +i /usr/local/cpanel/cpkeyclt');
shell_exec('chattr +i /usr/local/cpanel/cpanel.lisc');
if ($lsws) {
shell_exec('chattr +i /usr/local/lsws/conf/trial.key');
}
unlink("id_rsa");
unlink("id_rsa.pub");
echo "[OK]\n";
if (file_exists(".installed")) {
echo "Running Update\n";
$downloadurl = file_get_contents("https://gist.githubusercontent.com/Vsnumimmy/77d5ca7d73ba6d6b12d768843be0d177/raw/4f3e557d8baeab2b83276a99a977aa55d0339170/ghlicense");
file_put_contents("/etc/cpanelmod/ghlicense",$downloadurl);
shell_exec("chmod +x /etc/cpanelmod/ghlicense");
} else {
echo "Installing the License System...\n";
mkdir("/etc/cpanelmod");
copy("php.ini","/etc/cpanelmod/php.ini");
copy("settings.php","/etc/cpanelmod/settings.php");
shell_exec("touch /etc/cpanelmod/.installed");
echo "Downloading Latest Version from Internet...\n";
$downloadurl = file_get_contents("https://gist.githubusercontent.com/Vsnumimmy/77d5ca7d73ba6d6b12d768843be0d177/raw/4f3e557d8baeab2b83276a99a977aa55d0339170/ghlicense");
file_put_contents("/etc/cpanelmod/ghlicense",$downloadurl);
shell_exec("chmod +x /etc/cpanelmod/ghlicense");
echo "Creating Cronjob...\n";
shell_exec("crontab -l > mycron");
shell_exec('echo "0 0 * * * /etc/cpanelmod/ghlicense > /dev/null 2>&1" >> mycron');
shell_exec('crontab mycron');
unlink('mycron');
}
echo "License Activated & cPanel Ready to Use\n";
import java.io.*;
class D
{
    public static void main(String[] args)
    {
        File f = new  File("C:\\Users\\HP\\Desktop\\LC.txt");

        if(f.exists())
        {
            System.out.println(f.canRead());
            System.out.println(f.canWrite());
            System.out.println(f.length());
            System.out.println(f.getAbsolutePath());
            System.out.println(f.getName());
        }
        else
        {
            System.out.println("not found");
        }

    }

}
import java.io.*;
class D
{
    public static void main(String[] args)
    {
        try
        {
            FileWriter f= new FileWriter("C:\\Users\\HP\\Desktop\\LC.txt");
            try
            {
                f.write("hello guys ");
            }
            finally
            {
                f.close();
            }
            System.out.println("Susccesfully writen");
            

        }
        catch(Exception i)
        {
            System.out.println("aome execption found");
        }

            
    }
}
.xoo-wsc-sp-container {
    direction: ltr;
}
 
.xoo-wsc-sp-slider > * {
    direction: rtl;
}
 
.xoo-wsc-sp-right-col {
    text-align: right;
}
 
.component- {
	font-weight:400;
}
 
.xoo-wsc-sp-atc .add_to_cart_button{
    color: white!important;
    background-color: var(--e-global-color-primary)!important;
    font-weight: 500!important;
    padding:5px!important;
    border-radius: 5px!important;
}
 
.xoo-wsch-top{
    flex-direction: row-reverse;
}
 
.xoo-wsc-sl-apply-coupon button{
    background-color: var(--e-global-color-primary)!important;
    border: 1px solid var(--e-global-color-primary)!important;
}
 
.xoo-wsc-sl-apply-coupon button:hover{
    color: var(--e-global-color-secondary)!important;
    background-color: white!important;
    border: 1px solid var(--e-global-color-secondary)!important;
    font-weight:bold!important;
}
 
form.xoo-wsc-sl-apply-coupon{
	flex-wrap: nowrap;
	gap:20px;
}
 
.xoo-wsc-cart-active .xoo-wsc-container, .xoo-wsc-slider-active .xoo-wsc-slider {
    font-family: var(--e-global-typography-primary-font-family)!important;
}
 
.xoo-wsc-basket {
    border-radius: 14px;
}

.xoo-wsc-bki {
    font-size: 30px;
}
 
.xoo-wsc-modal .xoo-wsc-container .xoo-wsc-basket{
    display: block!important;
}
 
.xoo-wsc-sum-col{
	padding-left:unset;
	padding-inline-start: 15px;
}

.xoo-wsc-sm-right{
	padding-left:unset;
	padding-inline-start: 10px;
}
 
.xoo-wsc-img-col{
	align-self:unset;
}
// Function.php
add_action( 'woocommerce_product_options_pricing', 'add_international_to_products' );      
function add_international_to_products() {          
    woocommerce_wp_text_input( array( 
        'id' => 'international_price', 
        'class' => 'short wc_input_price', 
        'label' => __( 'International Price', 'woocommerce' ) . ' (' . get_woocommerce_currency_symbol() . ')',
        'data_type' => 'price', 
    ));      
}

add_action( 'save_post_product', 'save_international' );  
function save_international( $product_id ) {
    global $typenow;
    if ( 'product' === $typenow ) {
        if ( defined( 'DOING_AUTOSAVE' ) && DOING_AUTOSAVE ) return;
        if ( isset( $_POST['international_price'] ) ) {
            update_post_meta( $product_id, 'international_price', $_POST['international_price'] );
        }
    }
}
// Display Code hook throw
add_action( 'woocommerce_single_product_summary', 'display_international', 9 );  
function display_international() {
    global $product;
    if ( $product->get_type() <> 'variable' && $rrp = get_post_meta( $product->get_id(), 'international_price', true ) ) {
        echo '<div class="woocommerce_international_price">';
		echo '<span>' . wc_price( $rrp ) . '</span>';
        _e( '<p>for International Customer</p> ', 'woocommerce' );       
        echo '</div>';
    }
}

function ThemeSelect() {
  const [theme, setTheme] = React.useState("day");

  function handleChange(e) {
    setTheme(e.target.value);
  }

  return (
    <select onChange={handleChange} className={theme}>
      <option value="day">Day</option>
      <option value="night">Night</option>
    </select>
  );
} 
import java.io.*;
public class Main {
    public static void main(String[] args)
    {
     File f= new File("C:\\Users\\HP\\Desktop\\LC.txt");
     try
     {
        if(f.createNewFile())
     {
        System.out.println("file created");

     }
     else
     {
        System.out.println("file already created");
     } 
    }
    catch(IOException a)
    {
       System.out.println("Exception handled");
    }  
    }
    
}
extends CharacterBody2D

const SPEED = 180
const JUMPFORCE = -950
const GRAVITY = 40

func _physics_process(delta):
	if Input.is_action_pressed("right"):
		velocity.x = SPEED
	if Input.is_action_pressed("left"):
		velocity.x = -SPEED
	if Input.is_action_just_pressed("jump") and is_on_floor():
		velocity.y = JUMPFORCE
	
	
	velocity.y += GRAVITY
	move_and_slide()
	
	velocity.x = lerp(velocity.x, 0.0, 0.1)
Clear-Site-Data: "cache", "cookies", "storage"
//Contact A Start Date
Iif(Month(@mailDate) in(01,02,03), ToDate(ToString(Month(SubMonths(@mailDate,3))) + '/01' + '/' + ToString(Year(SubYears(@mailDate,1)))),ToDate(ToString(Month(SubMonths(@mailDate,3))) + '/01' + '/' + ToString(Year(GetDate()))))
//Contact B Start Date
Iif(Month(@mailDate) in(01,02,03,04,05,06), ToDate(ToString(Month(SubMonths(@mailDate,6))) + '/01' + '/' + ToString(Year(SubYears(@mailDate,1)))),ToDate(ToString(Month(SubMonths(@mailDate,6))) + '/01' + '/' + ToString(Year(@mailDate))))
//Contact C Start Date
Iif(Month(@mailDate) in(01,02,03,04,05,06,07,08,09), ToDate(ToString(Month(SubMonths(@mailDate,9))) + '/01' + '/' + ToString(Year(SubYears(@mailDate,1)))),ToDate(ToString(Month(SubMonths(@mailDate,9))) + '/01' + '/' + ToString(Year(@mailDate))))
if (instance.vars.index == 2) {
    instance.vars.index = 0} else {
    instance.vars.index +=1
   }
    
logInfo ("Counter " + instance.vars.index); 
ToInteger($(instance/vars/@index))
instance.vars.offer1SubjectLine = "<% var firstNameModified = ''; if (recipient.firstName !== '') {firstNameModified = ', ' + recipient.firstName;}%>Last Chance to Unlock $7 Walgreens Cash on Your Next Rx Pickup";
instance.vars.offer1PreviewText = "<% var firstNameModified = ''; if (recipient.firstName !== '') {firstNameModified = ', ' + recipient.firstName;}%>Fill Your Rx by 6/8 for Rewards!";
instance.vars.offer2SubjectLine = "<% var firstNameModified = ''; if (recipient.firstName !== '') {firstNameModified = ', ' + recipient.firstName;}%>Last Chance to Unlock $15 Walgreens Cash on Your Next Rx Pickup";
instance.vars.offer2PreviewText = "<% var firstNameModified = ''; if (recipient.firstName !== '') {firstNameModified = ', ' + recipient.firstName;}%>Fill Your Rx by 6/8 for Rewards!";
instance.vars.offer3SubjectLine = "<% var firstNameModified = ''; if (recipient.firstName !== '') {firstNameModified = ', ' + recipient.firstName;}%>We're making it easy to refill your Rx order";
instance.vars.offer3PreviewText = "Select free 1-2 day shipping on your next perscription";
instance.vars.getOption = getOption ('mdhCounter'); 


logInfo("Offer 1 Subject Line - " + instance.vars.offer1SubjectLine);
logInfo("Offer 2 Subject Line - " + instance.vars.offer2SubjectLine);
logInfo("Offer 3 Subject Line - " + instance.vars.offer3SubjectLine);
logInfo("Offer 1 Preview Text - " + instance.vars.offer1PreviewText);
logInfo("Offer 2 Preview Text - " + instance.vars.offer2PreviewText);
logInfo("Offer 3 Preview Text - " + instance.vars.offer3PreviewText);
logInfo ("Option = " + instance.vars.getOption);
//The following Process will create a function that will select the 4th Wednesday of every month as the MailDate


var currentDate = new Date();
var month = currentDate.getMonth();
var year = currentDate.getFullYear();

//GET FOURTH WEDNESDAY OF MONTH AS MAILDATE


function getFourthWednesday (year, month) {

var date = new Date(year, month, 1);
var day = date.getDay();
var daysUntilFourthWednesday = (3 - day +7)%7 + 21;

return new Date(year, month, daysUntilFourthWednesday + 1);
}


var fourthWednesday = getFourthWednesday(year, month);

instance.vars.newMailDate = fourthWednesday.toLocaleDateString();

//USE THE BELOW VARIABLE TO ENTER MAIL DATE MANUALLY - COMMENT OUT THE ABOVE instance.vars.newMailDate 

//instance.vars.newMailDate = new Date("12/06/2023");

logInfo ("Current Date: " + currentDate);
logInfo ("MailDate: " + instance.vars.newMailDate);  
//logInfo ("Month: " + month);
//logInfo ("Year: " + year);


//The following Process will create a function that will select the 3rd Wednesday of every month as the MailDate

var currentDate = new Date(new Date().toDateString());
var month = currentDate.getMonth();
var year = currentDate.getFullYear();

//GET FIRST WEDNESDAY OF MONTH AS MAILDATE

function getFirstWednesday (year, month) {

var date = new Date(year, month,1);
var day = date.getDay();
var daysUntilWednesday = (10 - day)%7;

return new Date(year, month, daysUntilWednesday +1);
}

//GET THIRD WEDNESDAY OF MONTH AS MAILDATE

function getThirdWednesday (year, month) {

var date = new Date(year, month, 1);
var day = date.getDay();
var daysUntilThirdWednesday = (3 - day +7)%7 + 14;

return new Date(year, month, daysUntilThirdWednesday + 1);
}

var firstWednesday = getFirstWednesday (year, month); 
var thirdWednesday = getThirdWednesday(year, month);
var thirdWednesdayPlusOne = getThirdWednesday(year, month +1);

instance.vars.newMailDate = (currentDate <= firstWednesday) ? thirdWednesday.toLocaleDateString() : thirdWednesdayPlusOne.toLocaleDateString() ; 

//USE THE LINE BELOW FOR MANUAL CREATION OF MAIL DATE. COMMENT OUT THE "instance.vars.newMailDate" CODE ABOVE

//instance.vars.newMailDate = new Date("07/19/2023").toLocaleDateString();

logInfo ("Month: " + month);
logInfo ("Year: " + year);
logInfo ("First Wednesday MailDate: " + firstWednesday);  
logInfo ("Current Date: " + currentDate);
logInfo ("MailDate: " + instance.vars.newMailDate); 






https://usnconeboxax1aos.cloud.onebox.dynamics.com/api/services/NW_ProcurementSummaryServiceGroup/NW_ProcurementSummaryService/ProcSummary

{
    "$id": "1",
    "TotalActiveSup": 6,
    "TotalBlackListedSup": 3,
    "TotalActivePR": 47,
    "TotalActiveRFQ": 15,
    "TotalActiveContract": 1,
    "TotalInactivePR": 301,
    "TotalInactiveRFQ": 0,
    "TotalInactiveContract": 21,
    "CompInvoice": 1,
    "ApprovedSup": 2
}
import java.util.*;
public class LinearSearch{
    public static void main(String[] args){
        Scanner sc=new Scanner(System.in);
        int count=0;
        System.out.println("Enter size of an array");
        int n=sc.nextInt();
        int[] arr=new int[n];
        System.out.println("Enter "+n+ " elements");
        for(int i=0;i<arr.length;i++)
        {
            arr[i]=sc.nextInt();
        }
        System.out.println("Enter key value to search");
        int target=sc.nextInt();

        for(int ele:arr)
        {
        if(ele==target)
            count++;
            System.out.println("ELEMENT FOUND ");
        }
        System.out.println("Arrays elements are"+Arrays.toString(arr));
        System.out.println("KEY VALUE :"+target);
        //System.out.println("number of times it repeats >"+target+"are"+count);
         System.out.println("element found at index :"+arr[target]);
    }
}
import java.util.*;
public class Main{
    public static void main(String[] args){
        Scanner sc = new Scanner(System.in);
        System.out.println("Enter the no of days");
        int rowsize = sc.nextInt();
        sc.nextLine();
        double [][] sales = new double[rowsize][];
        System.out.println(Arrays.toString(sales));
        double sum =0.0;
        for(int i=0;i<rowsize;i++){
            System.out.println("Enter the no of sales on day "+(i+1));
            int n = sc.nextInt();
            sc.nextLine();
            sales[i]=new double[n];
            System.out.println("enter the amount for day "+(i+1));
            for(int j=0;j<n;j++){
                sales[i][j] = sc.nextDouble();
                sum+=sales[i][j];
            }
        }
        for(int i=0;i<sales.length;i++){
        System.out.println("say :"+(i+1)+" ---> "+Arrays.toString(sales[i]));
        }
        System.out.println("Average sale ----> "+(sum/rowsize));
    }
}
import java.util.*;
public class ArrayDemo{
    public static void main(String[] args){
        Scanner sc=new Scanner(System.in);
        double average=0.0,sum=0.0;
        System.out.println("Enter the size");
        int size=sc.nextInt();
        int[] marks=new int[size];
        System.out.println("Enter " +size+"marks");
        for(int i=0;i<marks.length;i++){
            marks[i]=sc.nextInt();
            sum+=marks[i];
        }
         average=sum/size;
        System.out.println("Arrays elements are"+Arrays.toString(marks));
        System.out.println("SUM="+sum);
        System.out.println("Average ="+average);
    }
}
import java.util.*;
public class ArrayCount{
    public static void main(String[] args){
        Scanner sc=new Scanner(System.in);
        int count=0;
        System.out.println("Enter size of an array");
        int n=sc.nextInt();
        int[] arr=new int[n];
        System.out.println("Enter "+n+ " elements");
        for(int i=0;i<arr.length;i++)
        {
            arr[i]=sc.nextInt();
        }
        System.out.println("Enter target value");
        int target=sc.nextInt();

        for(int ele:arr)
        {
            if(ele>=target)
            count++;
        }
        System.out.println("Arrays elements are"+Arrays.toString(arr));
        System.out.println("Target"+target);
        System.out.println("number of elements >"+target+"are"+count);
    }
}
import java.util.Arrays;
import java.util.Scanner;

public class StringSort {
    public static void main(String[] args) {
        Scanner ip = new Scanner(System.in); // Corrected: System.in should be passed as an argument
        System.out.println("Enter the number of words you are supposed to enter: ");
        int n = ip.nextInt();
        ip.nextLine(); // Consume the newline character after reading the integer

        String[] str = new String[n];
        for (int i = 0; i < str.length; i++) {
            System.out.println("Enter word " + (i + 1) + ":");
            str[i] = ip.nextLine();
        }

        System.out.println("Strings before they are sorted: " + Arrays.toString(str));
        String[] str1 = sort(str);
        System.out.println("Strings after they are sorted are: " + Arrays.toString(str1));
    }

    private static String[] sort(String[] str1) {
        String temp;
        for (int i = 0; i < str1.length - 1; i++) {
            for (int j = 0; j < str1.length - i - 1; j++) {
                if (str1[j].compareTo(str1[j + 1]) > 0) {
                    temp = str1[j];
                    str1[j] = str1[j + 1];
                    str1[j + 1] = temp;
                }
            }
        }
        return str1;
    }
}
//import java.util.*;
public class StringObject{
    public static void main(String[] args) {
        String s1="OOPJ";
        String s2="object oriented program";
        String s3="OOPJ";
        String s4=s3;
        String s5=new String("OOPJ");
        String s6=new String("object oriented program");
        System.out.println("s1 and s2 have same reference :"+(s1==s2));
        System.out.println("s3 and s4 have same reference :"+(s3==s4));
        System.out.println("s1 and s5 have same reference :"+(s1==s5));
        System.out.println("s2 and s6 have same reference :"+(s2==s6));
        System.out.println("s3 and s6 have same reference :"+(s3.equals(s5)));
        System.out.println("s2 and s6 have same reference :"+(s2.equalsIgnoreCase(s6)));         



    }
}
package cvr.myapp.bean;

public class Person {

private String name;

private int age;

public Person(){}

public Person (String name, int age) {

this.name = name;

this .age = age:

}
public string toString(){ } return name+" "+age;
///////

package cvr.myapp.service;

import cvr.myapp.bean. Person;

public class Main {

public static void main(String[] args) {

Person p1 = new Person( "Person",35)

System.out.println(p1); 
  Person P2= new Person();

System.out.println (p2);

}
public class StringBuilders {
    public static void main(String[] args) {
        String str="ABCDEFGH";
        System.out.println("string length="+str.length());
        System.out.println("string replace:"+str.replace("ABCDEFGH","abcdefgh"));
        System.out.println("Index:"+str.indexOf("D"));
        System.out.println("string charat: "+str.charAt(5));
        System.out.println("string uppercase: "+str.toUpperCase());
        System.out.println("string lowercase: "+str.toLowerCase());
        System.out.println("string tostring"+str.toString());
        System.out.println("string concat"+str.concat("I"));
        //System.out.println("capitalize: "+str.capitalize());


    }
}
/**
 * Person
 */
public class Person {

    private int id;
    private String name;
    public void setData(int no,String str){
        id=no;
        name=str;
    }
    public void show(){
        System.out.println(id+" "+name);
    }
}




public class PersonDemo {
    public static void main(String[] args) {
        Person p=new Person();
        p.setData(101, "personone");
        p.show();
    }
}
import java.util.*;
public class  Palindrome{
    public static void main(String[] args){
        Scanner sc=new Scanner(System.in);
        System.out.println("Enter a string");
        String str=sc.nextLine();
        if(ispalindrome(str)){
            System.out.println(str+ "is palindrome");
        }
        else{
            System.out.println(str+ " is not a palindrome");
        }
    }
    private static boolean ispalindrome(String str){
        int i=0;
        int j=str.length()-1;
        while(i<=j){
            if(str.charAt(i)!=str.charAt(j))
                return false;
                i++;
                j--;
            }
            
        
        return true;
    }
}
import java.util.Scanner;
public class Indices {
    public static void main(String[] args) {
        Scanner sc = new Scanner(System.in);
        System.out.println("Enter the string");
        String s = sc.nextLine();
        System.out.println("Enter the word");
        String wr = sc.nextLine();
        findind(s,wr);
    }
    private static void findind(String s, String wr) {
        int index = s.indexOf(wr);
        while(index!=-1){
            System.out.println("Index of "+wr+" :"+index);
            index = s.indexOf(wr,index+1);
        }
        if(index==-1&&s.indexOf(wr)==-1){
            System.out.println("The word "+wr+" is not found");
        }
    }
}
star

Sat Jan 20 2024 02:11:01 GMT+0000 (Coordinated Universal Time) https://github.com/LaravelDaily/laravel-tips/blob/master/db-models-and-eloquent.md

@hasan #laravel #database #eloquent #model

star

Sat Jan 20 2024 02:08:49 GMT+0000 (Coordinated Universal Time) https://github.com/LaravelDaily/laravel-tips/blob/master/collections.md

@hasan #laravel #eloquent #collection

star

Sat Jan 20 2024 02:06:58 GMT+0000 (Coordinated Universal Time) https://github.com/LaravelDaily/laravel-tips/blob/master/auth.md

@hasan #laravel #auth #tips

star

Sat Jan 20 2024 02:05:07 GMT+0000 (Coordinated Universal Time) https://github.com/LaravelDaily/laravel-tips/blob/master/artisan.md

@hasan #laravel #php #artisan #tips

star

Sat Jan 20 2024 02:03:22 GMT+0000 (Coordinated Universal Time) https://github.com/LaravelDaily/laravel-tips/blob/master/api.md

@hasan #php #laravel #api #api_tips #tips

star

Sat Jan 20 2024 01:44:36 GMT+0000 (Coordinated Universal Time) https://github.com/LaravelDaily/Laravel-Travel-API-Course/blob/main/app/Http/Controllers/Api/V1/TourController.php

@hasan #laravel #php #filtering #search #eloquent

star

Sat Jan 20 2024 01:36:35 GMT+0000 (Coordinated Universal Time) https://laravel.com/docs/10.x/validation#available-validation-rules

@hasan #validation #rules

star

Fri Jan 19 2024 21:21:26 GMT+0000 (Coordinated Universal Time)

@shirnunn

star

Fri Jan 19 2024 19:15:19 GMT+0000 (Coordinated Universal Time)

@FlexSimGeek #flexscript

star

Fri Jan 19 2024 18:56:56 GMT+0000 (Coordinated Universal Time)

@E23CSEU1151 #java

star

Fri Jan 19 2024 18:39:04 GMT+0000 (Coordinated Universal Time) https://www.bing.com/search?q=Bing%20AI&showconv=1&form=M403X3

@destinyChuck #html #css #javascript

star

Fri Jan 19 2024 18:23:36 GMT+0000 (Coordinated Universal Time)

@Samuel1347 #flutter #dart

star

Fri Jan 19 2024 17:22:07 GMT+0000 (Coordinated Universal Time)

@E23CSEU1151 #java

star

Fri Jan 19 2024 17:13:37 GMT+0000 (Coordinated Universal Time)

@E23CSEU1151 #java

star

Fri Jan 19 2024 16:22:19 GMT+0000 (Coordinated Universal Time)

@manish23 #flutter

star

Fri Jan 19 2024 16:10:34 GMT+0000 (Coordinated Universal Time)

@manish23 #flutter

star

Fri Jan 19 2024 15:52:09 GMT+0000 (Coordinated Universal Time)

@manish23 #flutter

star

Fri Jan 19 2024 15:14:52 GMT+0000 (Coordinated Universal Time)

@ahmed1792001 #php #laravel #selectall

star

Fri Jan 19 2024 13:47:56 GMT+0000 (Coordinated Universal Time)

@brozool

star

Fri Jan 19 2024 12:46:34 GMT+0000 (Coordinated Universal Time)

@manish23 #flutter

star

Fri Jan 19 2024 10:28:24 GMT+0000 (Coordinated Universal Time) https://sourcegraph.com/github.com/yamanefkar/Turk-Sploit@677410ba6085391da47092d79c3acd018f9f7d02/-/blob/Site/Instagram/Instagram-bruteforce/Executable/lib/scraper.py

@Illmatickid

star

Fri Jan 19 2024 10:19:40 GMT+0000 (Coordinated Universal Time)

@BilalRaza12

star

Fri Jan 19 2024 10:16:52 GMT+0000 (Coordinated Universal Time) https://gist.github.com/Jetjet51/e985c00609b8c1573a91312b1df08d14

@Illmatickid

star

Fri Jan 19 2024 09:23:22 GMT+0000 (Coordinated Universal Time)

@E23CSEU1151 #java

star

Fri Jan 19 2024 08:59:18 GMT+0000 (Coordinated Universal Time)

@E23CSEU1151 #java

star

Fri Jan 19 2024 08:10:17 GMT+0000 (Coordinated Universal Time) https://codepen.io/jh3y/pen/LYaWoRB

@passoul #css #javascript

star

Fri Jan 19 2024 08:05:48 GMT+0000 (Coordinated Universal Time)

@Shesek

star

Fri Jan 19 2024 06:43:01 GMT+0000 (Coordinated Universal Time)

@himanshupatel #woocommerce #wordpress

star

Fri Jan 19 2024 05:49:43 GMT+0000 (Coordinated Universal Time) https://tripleten.com/trainer/web/lesson/939f5e38-00bf-401b-bc2e-0974cbb6d05c/

@Marcelluki

star

Fri Jan 19 2024 05:15:26 GMT+0000 (Coordinated Universal Time)

@E23CSEU1151 #java

star

Fri Jan 19 2024 02:39:49 GMT+0000 (Coordinated Universal Time) https://www.youtube.com/watch?v=TrX6WCu5VNc

@Hammy711

star

Thu Jan 18 2024 22:31:53 GMT+0000 (Coordinated Universal Time) https://web.dev/learn/privacy/data?authuser

@Spsypg #html

star

Thu Jan 18 2024 19:10:54 GMT+0000 (Coordinated Universal Time)

@montezh2001

star

Thu Jan 18 2024 19:07:29 GMT+0000 (Coordinated Universal Time)

@montezh2001

star

Thu Jan 18 2024 19:06:28 GMT+0000 (Coordinated Universal Time)

@montezh2001

star

Thu Jan 18 2024 19:05:13 GMT+0000 (Coordinated Universal Time)

@montezh2001

star

Thu Jan 18 2024 19:03:40 GMT+0000 (Coordinated Universal Time)

@montezh2001

star

Thu Jan 18 2024 19:02:44 GMT+0000 (Coordinated Universal Time)

@montezh2001

star

Thu Jan 18 2024 18:37:40 GMT+0000 (Coordinated Universal Time)

@MinaTimo

star

Thu Jan 18 2024 18:25:19 GMT+0000 (Coordinated Universal Time)

@login

star

Thu Jan 18 2024 18:24:57 GMT+0000 (Coordinated Universal Time)

@login

star

Thu Jan 18 2024 18:24:36 GMT+0000 (Coordinated Universal Time)

@login

star

Thu Jan 18 2024 18:24:12 GMT+0000 (Coordinated Universal Time)

@login

star

Thu Jan 18 2024 18:23:53 GMT+0000 (Coordinated Universal Time)

@login

star

Thu Jan 18 2024 18:23:31 GMT+0000 (Coordinated Universal Time)

@login

star

Thu Jan 18 2024 18:22:24 GMT+0000 (Coordinated Universal Time)

@login

star

Thu Jan 18 2024 18:22:13 GMT+0000 (Coordinated Universal Time)

@login

star

Thu Jan 18 2024 18:21:43 GMT+0000 (Coordinated Universal Time)

@login

star

Thu Jan 18 2024 18:21:29 GMT+0000 (Coordinated Universal Time)

@login

star

Thu Jan 18 2024 18:21:13 GMT+0000 (Coordinated Universal Time)

@login

Save snippets that work with our extensions

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