Snippets Collections
Celo Composer CLI
? Choose front-end framework: React
? Choose web3 library for react app: (Use arrow keys)
  react-celo 
❯ rainbowkit-celo 

Celo Composer CLI
? Choose front-end framework: (Use arrow keys)
❯ React 
  React Native (With Expo) 
  React Native (without Expo) 
  Flutter 
  Angular 

npx @celo/celo-composer create
public static float DamageCalculation(PlayerStats attackerStats, PlayerStats receiverStats)
    {
        // Damage calculation
        float physicalDamage = attackerStats.physicalDamage;
        float magicDamage = attackerStats.magicDamage;
        
        // Resistance Calculation
        float enemyArmor = (receiverStats.armor - attackerStats.armorPenetrationFlat) * (1 - attackerStats.armorPenetrationPercentage);
        enemyArmor = (enemyArmor > 0) ? enemyArmor : 0;
        float physicalDamageReduction = Mathf.Exp(-(enemyArmor / 50));
        
        float enemyMagicResistance = (receiverStats.magicResistance - attackerStats.magicPenetrationFlat) * (1 - attackerStats.magicPenetrationPercentage);
        enemyMagicResistance = (enemyMagicResistance > 0) ? enemyMagicResistance : 0;
        float magicDamageReduction = Mathf.Exp(-(enemyMagicResistance / 50));

        return physicalDamage * physicalDamageReduction + magicDamage * magicDamageReduction;
    }
>>> import shutil, os

>>> os.chdir('C:\\')
>>> shutil.copy('C:\\spam.txt', 'C:\\delicious')
# C:\\delicious\\spam.txt'

>>> shutil.copy('eggs.txt', 'C:\\delicious\\eggs2.txt')
# 'C:\\delicious\\eggs2.txt'
>>> import os
>>> os.makedirs('C:\\delicious\\walnut\\waffles')
>>> import os

>>> os.getcwd()
# 'C:\\Python34'
>>> os.chdir('C:\\Windows\\System32')

>>> os.getcwd()
# 'C:\\Windows\\System32'
>>> my_files = ['accounts.txt', 'details.csv', 'invite.docx']

>>> for filename in my_files:
...     print(os.path.join('C:\\Users\\asweigart', filename))
...
# C:\Users\asweigart\accounts.txt
# C:\Users\asweigart\details.csv
# C:\Users\asweigart\invite.docx
import csv

import json



# Open the JSON file

with open('data.json') as json_file:

    data = json.load(json_file)



# Create a new CSV file and write the data

with open('data.csv', 'w', newline='') as csv_file:

    writer = csv.DictWriter(csv_file, fieldnames=data[0].keys())

    writer.writeheader()

    for row in data:

        writer.writerow(row)
sudo apt-get install wget g++ make expat libexpat1-dev zlib1g-dev
#include<bits/stdc++.h>
#include<iostream>
using namespace std;
set<string> sem;

void solve(string s, int i) {
    if (i == s.size()) {
        sem.insert(s);
        return;
    }
    for (int k = i; k < s.size(); k++) {
        swap(s[i], s[k]);
        solve(s, i + 1);
        swap(s[i], s[k]);
    }
}

int main() {
    string s = "hello";
    solve(s, 0);
    cout << sem.size() << endl;
    for (auto it = sem.begin(); it != sem.end(); it++) {
        cout << *it << endl;
    }
    return 0;
}
function alphabetPosition(text) {
 return /[a-z]/ig.test(text) ? text.toLowerCase().match(/[a-z]/g).map((letter) => letter.charCodeAt(letter) - 96).join(' ') : ""
}
function pigIt(str){
  return str.replace(/(\w)(\w*)(\s|$)/g, "\$2\$1ay\$3")
}
total = 0;
k = 1;
while (k <= 50){
    total += k * k;
    k++;
}
First, you would want to know which process is using port 3000

sudo lsof -i :3000
 Save
this will list all PID listening on this port, once you have the PID you can terminate it with the following:

kill -9 <PID>

// Match Fixture
    function all_forms($atts) { 
      extract( shortcode_atts( array(
        'file' => ''
      ), $atts ) );
      
      if ($file!='')
        return @file_get_contents($file);
    } 
    // register shortcode
    add_shortcode('all_forms', 'all_forms'); 

	// Match Fixture
    function all_forms($atts) { 

    ob_start(); // Start output buffering
    include ABSPATH . 'all-forms.php'; // Include the file from the root directory
    $content = ob_get_clean(); // Get the buffered content and clean the buffer
    return $content;
    } 
    // register shortcode
    add_shortcode('all_forms', 'all_forms'); 
<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <meta name="viewport" content="width=device-width, initial-scale=1.0">
    <title>Date Countdown Timer</title>
</head>
<body>
    <div id="countdown">
        <div>
            <span id="days"></span>
            <div class="smalltext">Days</div>
        </div>
        <div>
            <span id="hours"></span>
            <div class="smalltext">Hours</div>
        </div>
        <div>
            <span id="minutes"></span>
            <div class="smalltext">Minutes</div>
        </div>
        <div>
            <span id="seconds"></span>
            <div class="smalltext">Seconds</div>
        </div>
    </div>

    <script>
        // Set the target date and time (DD-MM-YYYY HH:MM:SS format)
        const targetDateString = "31-12-2023 00:00:00";
        const targetDateParts = targetDateString.split(/[\s-:]/);
        const targetDate = new Date(
            parseInt(targetDateParts[2], 10),  // Year
            parseInt(targetDateParts[1], 10) - 1,  // Month (zero-based)
            parseInt(targetDateParts[0], 10),  // Day
            parseInt(targetDateParts[3], 10),  // Hours
            parseInt(targetDateParts[4], 10),  // Minutes
            parseInt(targetDateParts[5], 10)   // Seconds
        ).getTime();

        // Update the countdown every 1 second
        const countdownInterval = setInterval(function () {
            const now = new Date().getTime();
            const timeRemaining = targetDate - now;

            if (timeRemaining <= 0) {
                clearInterval(countdownInterval);
                document.getElementById("countdown").innerHTML = "EXPIRED";
                return;
            }

            const days = Math.floor(timeRemaining / (1000 * 60 * 60 * 24));
            const hours = Math.floor((timeRemaining % (1000 * 60 * 60 * 24)) / (1000 * 60 * 60));
            const minutes = Math.floor((timeRemaining % (1000 * 60 * 60)) / (1000 * 60));
            const seconds = Math.floor((timeRemaining % (1000 * 60)) / 1000);

            document.getElementById("days").innerHTML = days;
            document.getElementById("hours").innerHTML = hours;
            document.getElementById("minutes").innerHTML = minutes;
            document.getElementById("seconds").innerHTML = seconds;
        }, 1000); // Update every 1 second
    </script>
</body>
</html>
<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <meta name="viewport" content="width=device-width, initial-scale=1.0">
    <title>Date Countdown Timer</title>
</head>
<body>
    <div id="countdown">
        <div>
            <span id="days"></span>
            <div class="smalltext">Days</div>
        </div>
        <div>
            <span id="hours"></span>
            <div class="smalltext">Hours</div>
        </div>
        <div>
            <span id="minutes"></span>
            <div class="smalltext">Minutes</div>
        </div>
        <div>
            <span id="seconds"></span>
            <div class="smalltext">Seconds</div>
        </div>
    </div>

    <script>
        // Set the target date and time (DD-MM-YYYY HH:MM:SS format)
        const targetDateString = "31-12-2023 00:00:00";
        const targetDateParts = targetDateString.split(/[\s-:]/);
        const targetDate = new Date(
            parseInt(targetDateParts[2], 10),  // Year
            parseInt(targetDateParts[1], 10) - 1,  // Month (zero-based)
            parseInt(targetDateParts[0], 10),  // Day
            parseInt(targetDateParts[3], 10),  // Hours
            parseInt(targetDateParts[4], 10),  // Minutes
            parseInt(targetDateParts[5], 10)   // Seconds
        ).getTime();

        // Update the countdown every 1 second
        const countdownInterval = setInterval(function () {
            const now = new Date().getTime();
            const timeRemaining = targetDate - now;

            if (timeRemaining <= 0) {
                clearInterval(countdownInterval);
                document.getElementById("countdown").innerHTML = "EXPIRED";
                return;
            }

            const days = Math.floor(timeRemaining / (1000 * 60 * 60 * 24));
            const hours = Math.floor((timeRemaining % (1000 * 60 * 60 * 24)) / (1000 * 60 * 60));
            const minutes = Math.floor((timeRemaining % (1000 * 60 * 60)) / (1000 * 60));
            const seconds = Math.floor((timeRemaining % (1000 * 60)) / 1000);

            document.getElementById("days").innerHTML = days;
            document.getElementById("hours").innerHTML = hours;
            document.getElementById("minutes").innerHTML = minutes;
            document.getElementById("seconds").innerHTML = seconds;
        }, 1000); // Update every 1 second
    </script>
</body>
</html>
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta http-equiv="X-UA-Compatib1e" content="IE=edge">
<meta name="viewport" content="width=device-width,initial-scale=1.0">
<title>Document</title>
</head>
<body>

<?php

include 'folder function/function.php';
echo sum(num1:150, num2:200);

?>


</body>
</html>

function.php
<?php

function sum($num1,$num2){
return $num1+$num2;
}

?>
<?php

$username=array("user-1"=>"mohammadrezasm2@gmail.com","user-2"=>"mohammadrezasmz77@gmail.com");

foreach ($username as $user => $value){
echo "$user => $value <br>";
}

?>
import React, { useEffect, useState } from 'react';
import { Redirect, Route } from 'react-router-dom';

import Loading from './Loading';
import Error from './Error';

export default function ProtectedRoute({ component: Component, ...rest }) {
    
    const [ user, setUser ] = useState('');
    const [ fetchingUser, setFetchingUser ] = useState(true);
    const [ noError, setNoError ] = useState(true);

    useEffect(() => {
        const fetchUser = async () => {
            try {
                const response = await fetch('http://localhost:5000/user', {
                    credentials: 'include'
                });

                if (fetchingUser) {
                    const data = await response.json();
                    setUser(data.session.passport.user);
                }

                setFetchingUser(false);

            } catch {
                setNoError(false);
            }
        }

        fetchUser();
    }, [])

    return (

        <div>
            <Route { ...rest } render={ () => { if (!noError) return <Error />} }/>
            <Route { ...rest } render={ () => { if (fetchingUser && noError) return <Loading />} }/>
            <Route { ...rest } render={ () => { if (user && !fetchingUser && noError) return <Component />} }/>
            <Route { ...rest } render={ () => { if (!user && !fetchingUser && noError) return <Redirect to="/login" />} }/>
        </div>
    )
}
<?php

$user=array("user1" => "navid","user2" => "reza");
echo $user["user1"];

?>
<?php

$name=array("vahid","navid","reza");
$name2=array("sara","nahid","nazanin");
foreach ($name as $value){
echo $value . "<br>";
}

?>
add_filter( 'sp_wpspro_arg', 'wpspro_current_categorised_recent_viewed_featured_most_viewed_products', 10, 2 );
function wpspro_current_categorised_recent_viewed_featured_most_viewed_products($arg, $shortcode_id) {
	if('1376' == $shortcode_id ) {
		
		$wpspro_current_category_obj = get_queried_object();
		if ( isset( $wpspro_current_category_obj->term_id ) ) {
			
			$arg['tax_query'][] = array(
				'taxonomy' => 'product_cat',
				'field'    => 'term_id',
				'terms'    => $wpspro_current_category_obj->term_id,
				'operator' => 'IN',
			);
		}else{
			$current_post_id = get_the_ID();
			$categories = get_the_terms( $current_post_id, 'product_cat' );
			$category_ids = array();
			if ( $categories && ! is_wp_error( $categories ) ) {
				foreach ( $categories as $category ) {
					$category_ids[] = $category->term_id;
				}
				$arg['tax_query'][] = array(
					'taxonomy' => 'product_cat',
					'field'    => 'term_id',
					'terms'    => $category_ids,
					'operator' => 'IN',
				);
			}
 
		}
	} 
	return $arg;
}
export function asyncSequence(items, method) {
    if (!items) {
        return Promise.resolve();
    }
    return new Promise((resolve, reject) => {
        let index = 0;
        const results = [];
        const next = () => {
            // console.info(index, 'of', items.length);
            if (index === items.length) {
                resolve(results);
            } else {
                method(items[index], index, items)
                    .then((result) => {
                        results.push(result);
                        index += 1;
                        next();
                    })
                    .catch((error) => reject(error));
            }
        };
        next();
    });
}

export function asyncFilter(items, method) {
    return new Promise((resolve, reject) => {
        Promise.all(items.map((item) => method(item)))
            .then((decisions) => {
                const results = [];
                decisions.forEach((decision, index) => {
                    if (decision) {
                        results.push(items[index]);
                    }
                });
                resolve(results);
            })
            .catch(reject);
    });
}

export function callbackToPromise(method, ...args) {
    return new Promise((resolve, reject) => {
        method(...args, (error, result) => {
            if (error) {
                reject(error);
            } else {
                resolve(result);
            }
        });
    });
}
taskkill /F /IM  I-CN-HIS.exe /T


D:

cd  D:\LisInterface\HIS\i-CN-HIS XML

start i-CN-HIS.exe
from abc import ABC,abstractmethod
class concrete():
    @abstractmethod
    def w1(self):
        pass 
    @abstractmethod
    def r1(self):
        pass 
class derived(concrete):
    def w1(self):
            self.a=10
    def r1(self): 
            print(self.a)
D=derived()
D.w1() 
D.r1()
from abc import ABC,abstractmethod
class A(ABC):
    @abstractmethod
    def read(self):
        pass
    @abstractmethod
    def write(self):
        pass
    def read1(self):
        self.b=20
    def write1(self):
        print(self.b)
class B(A):
    def read(self):
        self.a=10
    def write(self):
        print(self.a)
b=B()
b.read()
b.write()
b.read1()
b.write1()
from abc import ABC,abstractmethod
class polygon(ABC):
    @abstractmethod 
    def no_of_sides(self):
        pass
class triangle(polygon):
    def no_of_sides(self):
        print('I have 3 sides')
class pentagon(polygon):
    def no_of_sides(self):
        print('I have 5 sides')
class hexagon(polygon):
    def no_of_sides(self):
        print('I have 6 sides')
class quadrilateral(polygon):
    def no_of_sides(self):
        print('I have 4 sides')
t=triangle()
t.no_of_sides()
p=pentagon()
p.no_of_sides()
h=hexagon()
h.no_of_sides()
q=quadrilateral()
q.no_of_sides()

.pv-inline-form{
	.gform_body{
		padding-top: 80px;
		@media(max-width: 860px){
			padding-top: 25px;
		}
		.gform_fields{
			.gfield{
				.ginput_container{
					flex-grow: 1;
					select {
						appearance: none;
						-webkit-appearance: none;
						-moz-appearance: none;
						background-image: url('/wp-content/uploads/2023/06/arrow-down.svg');
						background-repeat: no-repeat;
						background-size: 16px;
						background-position: right center;
						padding-right: 30px;
						/* padding-left: 0; */
					}
					@media(min-width: 861px){
						select{
							text-align: center !important;
							text-align: -webkit-center !important;
							text-align-last: center;
							-webkit-text-alig-last: center;
							-moz-text-align-last: center;
							direction: ltr;
							background-position: 70% center;
						}
						input{
							text-align: center !important;
						}
					}
				}
				@media(min-width: 861px){
					label, .gfield_description{
						flex: 0 0 auto;
					}
					.gfield_description{
						font-size: 20px;
					}
					&.scta-top{
						display: inline-flex;
						//width: 33.333% !important;
						justify-content: flex-start;
						align-items: center;
						vertical-align: middle;
						gap: 10px;
						&.scta-name{
							width: 38%;
						}
						&.scta-company{
							width: 31%;
						}
						&.scta-job{
							width: 31%;
						}
					}
					&.scta-center{
						display: inline-flex;
						justify-content: flex-start;
						align-items: center;
						vertical-align: middle;
						gap: 10px;
						padding-top: 25px;
					}
					&.scta-center.scta-subject{
						width: 33.3333%;
					}
					&.scta-center.scta-message{
						width: 66.6666%;
					}
					&.scta-bottom{
						display: inline-flex;
						width: 100%;
						justify-content: flex-start;
						align-items: center;
						gap: 10px;
						vertical-align: middle;
						padding-top: 25px;
					}
					&.scta-top:not(:first-child),
					&.scta-message{
						padding-left: 10px;
					}
				}
				@media(max-width: 860px){
					display: block !important;
					width: 100% !important;
					label{
						margin-bottom: 0 !important;
					}
					.gfield_description{
						padding-top: 15px;
						font-size: 16px;
					}
					.ginput_container{
						input, select{
							padding: 15px 0 !important;
						}
					}
					&:not(:first-child){
						margin-top: 20px;
					}
				}
				&.gfield_error{
					.ginput_container{
						input, select{
							border-color: red !important;
							border: unset !important;
							border-bottom: 1px solid red !important;
						}
					}
					.gfield_validation_message{
						display: none !important;
					}
				}
			}
		}
	}
	.gform_footer{
		padding-top: 45px;
		span.fas.fa-arrow-right{
			&::before{
				@include arrow-white;
				margin-left: 10px;
			}
		}
		@media(max-width: 860px){
			padding-top: 0 !important;
		}
	}
} 
var engine;
var boxes =[]

var colors = "eae4e9-fff1e6-fde2e4-fad2e1-e2ece9-bee1e6-f0efeb-dfe7fd-cddafd".split(/-/).map(a=>"#"+a)

// https://coolors.co/eae4e9-fff1e6-fde2e4-fad2e1-e2ece9-bee1e6-f0efeb-dfe7fd-cddafd

function preload() {
  // noise for background
  noiseImg = loadImage('noise.png');
}

function setup() {	

	createCanvas(windowWidth, windowHeight);
    console.log(colors)
    
	let {Engine,Bodies,World}= Matter

	let ground= Bodies.rectangle(width/2,height+40,width,80,{isStatic:true})
	let wallLeft= Bodies.rectangle(0-10,height/2,20,height,{isStatic:true})
    let wallRight= Bodies.rectangle(width+10,height/2,10,height,{isStatic:true})

    engine = Engine.create();
	World.add(engine.world, [ground,wallLeft,wallRight,]);
	Matter.Runner.run(engine)
		
}


function draw() {
  
   background('#FF5F5F');

	push();
		blendMode(SOFT_LIGHT);
		image(noiseImg,0,0,width,height);
	pop();
   

	for(let box of boxes){
      
		var vertices = box.vertices;
		fill(box.color)
		
		noStroke()
		beginShape();
		for (let vert of vertices) {
			vertex(vert.x, vert.y);
		}
		endShape(CLOSE);

	}
   

//     document.ontouchmove = function(event) {
//     event.preventDefault();
//       }
  	

}

function generateNewBox(){
	
	let {Engine,Bodies,World}= Matter;
	var sz = random([30,70]);
    let box = Bodies.polygon(
      mouseX,mouseY, floor(random(4,12)), random([1.8*sz,2*sz,2.2*sz]),
      {chamfer: { radius: 30 } });

	box.color = random(colors);
	boxes.push(box);
	World.add(engine.world, box);
  
    console.log(boxes);
  
}



 function mouseClicked(){
 	generateNewBox()
   
 }

// function touchStarted() {
//   generateNewBox()

// }
var textfield;
var output;
var submit;
var colors = "eae4e9-fff1e6-fde2e4-fad2e1-e2ece9-bee1e6-f0efeb-dfe7fd-cddafd".split(/-/).map(a=>"#"+a)

function setup() {
  noCanvas();
  textfield=select("#input");
  output=select('#output');
  submit=select('#submit');

  submit.mousePressed(newText);

}

function newText(){

  var s = textfield.value();
  var words = s.split(  /(\W+)/  );

  for(var i=0; i< words.length; i++){
   
   var span = createSpan(words[i]);
   span.parent(output);

   if(!/\W+/.test(words[i]) ){
    span.style('background-color',colors[floor(random(0,8))]);

    span.mouseOver(highlight);

   }

  }

  console.log(words);
  console.log(colors);
  // createP(s);
}

function highlight(){
  // console.log(this.html());

  var s = this.html();
  s = s.replace(/[aeiou]/g,replacer);
  console.log(s);

  var cakeSpan = createSpan(s+" / ");
  // var cakeSpan = createSpan(s);
   cakeSpan.parent(cakeOutput);
}

function replacer(match){
  // console.log(match);
  var randomValue = random();
  if (randomValue>0.5) {return "🍰"} else{return"🥞"};
  

  return "🍰||🥞";
}
<link rel="stylesheet" href="https://cdnjs.cloudflare.com/ajax/libs/font-awesome/5.15.3/css/all.min.css">
  
  
    <ul class="nav">
            <li><i class="fas fa-home"></i><a href="#">Home</a></li>
            <li><i class="fas fa-user"></i><a href="#">Profile</a></li>
            <li><i class="fas fa-envelope"></i><a href="#">Messages</a></li>
            <li><i class="fas fa-cog"></i><a href="#">Settings</a></li>
        </ul>
<h2>Count in component2  =  {{ count }}</h2>
<button (click)='nextCount()'>Next Count from component2</button>
export class Appchild2Component implements OnInit {
 
    count: number;
    constructor(private appsevice: AppService) {
    }
    ngOnInit() {
 
        this.appsevice.count.subscribe(c => {
            this.count = c;
        });
    }
    nextCount() {
        this.appsevice.nextCount();
    }
}
star

Sun Sep 24 2023 07:45:03 GMT+0000 (Coordinated Universal Time)

@azeezabidoye

star

Sun Sep 24 2023 07:43:45 GMT+0000 (Coordinated Universal Time)

@azeezabidoye

star

Sun Sep 24 2023 07:34:45 GMT+0000 (Coordinated Universal Time)

@azeezabidoye

star

Sun Sep 24 2023 03:38:00 GMT+0000 (Coordinated Universal Time)

@BenjiSt #c#

star

Sun Sep 24 2023 02:10:51 GMT+0000 (Coordinated Universal Time) https://www.pythoncheatsheet.org/cheatsheet/file-directory-path

@OperationsBGSC #python

star

Sun Sep 24 2023 02:10:04 GMT+0000 (Coordinated Universal Time) https://www.pythoncheatsheet.org/cheatsheet/file-directory-path

@OperationsBGSC #python

star

Sun Sep 24 2023 02:09:50 GMT+0000 (Coordinated Universal Time) https://www.pythoncheatsheet.org/cheatsheet/file-directory-path

@OperationsBGSC #python

star

Sun Sep 24 2023 02:09:34 GMT+0000 (Coordinated Universal Time) https://www.pythoncheatsheet.org/cheatsheet/file-directory-path

@OperationsBGSC #python

star

Sun Sep 24 2023 01:29:37 GMT+0000 (Coordinated Universal Time) https://codebeautify.org/blog/convert-json-to-csv-using-python/

@OperationsBGSC #python

star

Sun Sep 24 2023 01:26:56 GMT+0000 (Coordinated Universal Time) http://overpass-api.de/no_frills.html

@brooke.delwolf

star

Sat Sep 23 2023 18:17:04 GMT+0000 (Coordinated Universal Time)

@hs1710

star

Sat Sep 23 2023 15:04:40 GMT+0000 (Coordinated Universal Time) https://www.codewars.com/kata/546f922b54af40e1e90001da/solutions/javascript

@Paloma

star

Sat Sep 23 2023 15:01:45 GMT+0000 (Coordinated Universal Time) https://www.codewars.com/kata/520b9d2ad5c005041100000f/solutions/javascript

@Paloma

star

Sat Sep 23 2023 13:20:48 GMT+0000 (Coordinated Universal Time) undefined

@musmanhamed #c

star

Sat Sep 23 2023 06:43:15 GMT+0000 (Coordinated Universal Time) https://platform.openai.com/docs/guides/legacy-fine-tuning

@neuromancer #openai #fine-tune #docs

star

Fri Sep 22 2023 21:35:58 GMT+0000 (Coordinated Universal Time)

@David_Mix

star

Fri Sep 22 2023 19:48:22 GMT+0000 (Coordinated Universal Time) https://stackoverflow.com/questions/4075287/node-express-eaddrinuse-address-already-in-use-kill-server

@MuhammadAhmad

star

Fri Sep 22 2023 19:12:01 GMT+0000 (Coordinated Universal Time) https://getliner.com/en/my-highlights

@marky1234

star

Fri Sep 22 2023 18:39:03 GMT+0000 (Coordinated Universal Time) https://getliner.com/en/my-highlights/55383115?entry-type

@marky1234

star

Fri Sep 22 2023 17:31:25 GMT+0000 (Coordinated Universal Time)

@vjg #javascript

star

Fri Sep 22 2023 16:14:54 GMT+0000 (Coordinated Universal Time) https://136.243.17.39:2083/cpsess8235978670/frontend/jupiter/filemanager/editit.html?file

@Bh@e_LoG

star

Fri Sep 22 2023 16:13:47 GMT+0000 (Coordinated Universal Time) https://136.243.17.39:2083/cpsess8235978670/frontend/jupiter/filemanager/editit.html?file

@Bh@e_LoG

star

Fri Sep 22 2023 11:59:41 GMT+0000 (Coordinated Universal Time)

@wcantwel

star

Fri Sep 22 2023 11:55:20 GMT+0000 (Coordinated Universal Time)

@wcantwel

star

Fri Sep 22 2023 10:25:38 GMT+0000 (Coordinated Universal Time)

@Mohammadrezasmz

star

Fri Sep 22 2023 10:11:25 GMT+0000 (Coordinated Universal Time)

@Mohammadrezasmz

star

Fri Sep 22 2023 09:48:58 GMT+0000 (Coordinated Universal Time) https://stackoverflow.com/questions/62126754/react-how-do-you-cleanup-useeffect-after-fetching-data-and-setting-a-state-w

@Floony #javascript

star

Fri Sep 22 2023 09:46:37 GMT+0000 (Coordinated Universal Time)

@Mohammadrezasmz

star

Fri Sep 22 2023 09:43:45 GMT+0000 (Coordinated Universal Time)

@Mohammadrezasmz

star

Fri Sep 22 2023 09:01:46 GMT+0000 (Coordinated Universal Time) http://localhost/prodslidewoo/wp-admin/admin.php?page

@Pulak

star

Fri Sep 22 2023 08:59:53 GMT+0000 (Coordinated Universal Time)

@batalkin #javascript

star

Fri Sep 22 2023 08:51:23 GMT+0000 (Coordinated Universal Time) https://www.tutorialspoint.com/online_html_editor.php

@pratpratik

star

Fri Sep 22 2023 08:34:18 GMT+0000 (Coordinated Universal Time)

@HUMRARE7 #sql #vba

star

Fri Sep 22 2023 07:58:11 GMT+0000 (Coordinated Universal Time)

@bvc #undefined

star

Fri Sep 22 2023 07:39:02 GMT+0000 (Coordinated Universal Time)

@bvc #undefined

star

Fri Sep 22 2023 07:33:32 GMT+0000 (Coordinated Universal Time)

@bvc #undefined

star

Fri Sep 22 2023 06:34:56 GMT+0000 (Coordinated Universal Time)

@dwtut #css #scss

star

Fri Sep 22 2023 06:27:32 GMT+0000 (Coordinated Universal Time)

@yc_lan

star

Fri Sep 22 2023 06:15:11 GMT+0000 (Coordinated Universal Time)

@yc_lan

star

Fri Sep 22 2023 06:12:51 GMT+0000 (Coordinated Universal Time)

@Zohaib77 #python

star

Fri Sep 22 2023 05:54:37 GMT+0000 (Coordinated Universal Time) https://www.infragistics.com/community/blogs/b/infragistics/posts/simplest-way-to-share-data-between-two-unrelated-components-in-angular

@dayalalok #angular

star

Fri Sep 22 2023 05:54:04 GMT+0000 (Coordinated Universal Time) https://www.infragistics.com/community/blogs/b/infragistics/posts/simplest-way-to-share-data-between-two-unrelated-components-in-angular

@dayalalok #angular

Save snippets that work with our extensions

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