Snippets Collections
#include <iostream>
using namespace std;

int area(int length, int breadth)
{
    return length*breadth;
}

int perimeter(int length, int breadth)
{
    int p = 2*(length*breadth);
    return p;
}

int main() 
{
    int length = 0, breadth =0;
    cout << "Enter length and breadth : ";
    cin >> length >> breadth;
    
    int a = area(length,breadth);
    cout <<"Area is : "<<a << endl;
    
    int peri = perimeter(length,breadth);
    cout <<"perimeter is :"<<peri;

    return 0;
}
#include <iostream>
using namespace std;

int main() 
{
    int length = 0, breadth =0;
    cout << "Enter length and breadth : ";
    cin >> length >> breadth;
    
    int area = length*breadth;
    cout <<"Area is : "<<area << endl;
    
    int peri = 2*(length*breadth);
    cout <<"perimeter is :"<<peri;

    return 0;
}
kubectl set image deployment.v1.apps/nginx-deployment nginx=nginx:1.16.1
import './ExpenseItem.css'
export default function ExpenseItem(){
    const expenseDate=new Date(2021,2,8)
    const expenseTitle='Car Insurance'
    const expenseAmount=123.354
    let arr=[2,3,4]
    console.log(typeof expenseDate)
   
    console.log(typeof arr)
    return(
        <div className='expense-item '>
            <div>
                {expenseDate.toISOString()}
            </div>
            <div className='expense-item__description'>
                <h2>
                 {arr}
                </h2>
            <div className='expense-item__price'>
            ${expenseAmount}
        </div>
        </div>
        </div>
    );
}
If you are just trying to serialize a list to disk for later use by the same python app, you should be pickleing the list --> https://docs.python.org/3/library/pickle.html

```
import pickle

with open('outfile', 'wb') as fp:
    pickle.dump(itemlist, fp)
```

To read it back:

```
with open ('outfile', 'rb') as fp:
    itemlist = pickle.load(fp)
```
#include <iostream>
using namespace std;

struct rectangle
{
  int length;
  int breadth;
};

struct rectangle *fun()
{
  struct rectangle *p;
  p = new rectangle;
  //p= (struct rectangle *)malloc(sizeof(struct rectangle));
  
  p->length = 15;
  p->breadth = 7;
  
  return p;
}

int main()
{
  struct rectangle *ptr = fun();
  cout << "length : "<<ptr->length<<endl<<"breadth : "<< ptr->breadth<<endl;
  
  return 0;
}
jbam.runme.all@previews.emailonacid.com
-----BEGIN PGP PUBLIC KEY BLOCK-----

mDMEZAciHRYJKwYBBAHaRw8BAQdAS8bXF9ezh72hChA5c13Jx9GU8Pt6dU+bSS8y
OGqBdGS0JEh1Z28gQWxtZWlkYSA8aGFsbWVpZGFAZXN0Zy5pcHZjLnB0PoiZBBMW
CgBBFiEERFi/2ErGnu5zH6s3SIJC63O9Bj8FAmQHIh0CGwMFCQPDvaMFCwkIBwIC
IgIGFQoJCAsCBBYCAwECHgcCF4AACgkQSIJC63O9Bj+NUwD/TKqSegRpnHPI2SdJ
jGzn/AyZzSQDWmkSxfDz6xA20YUBAIosSobsc/4LbUTNEJ7sXl+72D5ZIRAgiS/F
wP0hP5UOuDgEZAciHRIKKwYBBAGXVQEFAQEHQBc+vwHj0RdvfZVHbgMOkssjVc6F
kagg4GS41ao2ziMUAwEIB4h+BBgWCgAmFiEERFi/2ErGnu5zH6s3SIJC63O9Bj8F
AmQHIh0CGwwFCQPDvaMACgkQSIJC63O9Bj+QBQEAgnqFAf8+Kvbpky1/rSs/o0M+
TsZKX9fGRPvBaW8pzBAA/0YnlJ5Sxr1sGYnXL0DOaZmrOfT3oGGWkxHXHegRVnYM
=7Uhg
-----END PGP PUBLIC KEY BLOCK-----
var express = require('express')
var morgan = require('morgan')
var path = require('path')
var rfs = require('rotating-file-stream') // version 2.x
 
var app = express()
 
// create a rotating write stream
var accessLogStream = rfs.createStream('access.log', {
  interval: '1d', // rotate daily
  path: path.join(__dirname, 'log')
})
 
// setup the logger
app.use(morgan('combined', { stream: accessLogStream }))
 
app.get('/', function (req, res) {
  res.send('hello, world!')
})
#include <iostream>
using namespace std;

int fun(int size)
{
  int *p;
  p = new int[size];
  
  for(int i=0; i<size; i++)
    p[i]=i+1;
  return p;
}

int main()
{
  int *ptr, sz = 5;
  ptr = fun(sz);
  
  for(int i=0;i<sz;i++)
    cout << ptr[i]<<endl;
  
  return 0;
}
#include <iostream>
using namespace std;

void swap(int &x, int &y)      //passing the reference
{
  int temp;
  temp = x;
  x=y;
  y = temp;
}

int main()
{
  int a, b;
  a=10;
  b=20;
  swap(a,b);
  
  cout << "a = "<<a <<", b = "<<b << endl;     //a = 10, b = 20
  
  return 0;
}
#include <iostream>
using namespace std;
 
void swap(int *x, int *y)        //getting the pointers 
{
  int temp;
  temp = *x;
  *x=*y;
  *y = temp;
}
int main()
{
  int a, b;
  a=10;
  b=20;
  swap(&a,&b);          //passing the address
  
  cout << "a = "<<a <<", b = "<<b << endl;     //a = 10, b = 20
  
  return 0;
}
var path = require('path');
var http = require('http');
var fs = require('fs');

var dir = path.join(__dirname, 'public');

var mime = {
    html: 'text/html',
    txt: 'text/plain',
    css: 'text/css',
    gif: 'image/gif',
    jpg: 'image/jpeg',
    png: 'image/png',
    svg: 'image/svg+xml',
    js: 'application/javascript'
};

var server = http.createServer(function (req, res) {
    var reqpath = req.url.toString().split('?')[0];
    if (req.method !== 'GET') {
        res.statusCode = 501;
        res.setHeader('Content-Type', 'text/plain');
        return res.end('Method not implemented');
    }
    var file = path.join(dir, reqpath.replace(/\/$/, '/index.html'));
    if (file.indexOf(dir + path.sep) !== 0) {
        res.statusCode = 403;
        res.setHeader('Content-Type', 'text/plain');
        return res.end('Forbidden');
    }
    var type = mime[path.extname(file).slice(1)] || 'text/plain';
    var s = fs.createReadStream(file);
    s.on('open', function () {
        res.setHeader('Content-Type', type);
        s.pipe(res);
    });
    s.on('error', function () {
        res.setHeader('Content-Type', 'text/plain');
        res.statusCode = 404;
        res.end('Not found');
    });
});

server.listen(3000, function () {
    console.log('Listening on http://localhost:3000/');
});
#include <iostream>
using namespace std;

void swap(int x, int y)
{
  int temp;
  temp = x;
  x=y;
  y = temp;
}
int main()
{
  int a, b;
  a=10;
  b=20;
  swap(a,b);
  
  cout << "a = "<<a <<", b = "<<b << endl;     //a = 10, b = 20
  
  return 0;
}
<table>
  <thead>
    <tr>
      <th>Product Name</th>
      <th>Price</th>
      <th>Description</th>
    </tr>
  </thead>
  <tbody>
    <tr>
      <td>Apples</td>
      <td>$1.00</td>
      <td>Fresh, juicy apples from the local orchard</td>
    </tr>
    <tr>
      <td>Oranges</td>
      <td>$1.50</td>
      <td>Sweet, tangy oranges from sunny Florida</td>
    </tr>
    <tr>
      <td>Bananas</td>
      <td>$0.75</td>
      <td>Ripe, yellow bananas picked at the peak of freshness</td>
    </tr>
  </tbody>
</table>
https://customdesign360.com/

https://binaro.io/.well-known/captcha/?r=%2F

https://www.tekrevol.com/

https://kojammedia.com/#move-up

https://animation-inc.com/

https://animista.net/play/background/bg-pan/bg-pan-top

https://animista.net/play/basic/rotate-90/rotate-90-cw

http://localhost/Web%20Studio-LP/
// disable for posts visual Composer back;
add_filter('use_block_editor_for_post', '__return_false', 10);
public function stkpush(Request $request)
{
    $url='https://sandbox.safaricom.co.ke/mpesa/stkpush/v1/processrequest';

    $curl_post_data=[
        'BusinessShortCode'=>174379,
        'Password'=>$this->lipanampesapassword(),
        'Timestamp'=>Carbon::rawParse('now')->format('YmdHms'),

        'TransactionType'=> "CustomerPayBillOnline",
        'Amount'=>1,
        'PartyA'=>254712345678,
        'PartyB'=>174379,
        'PhoneNumber'=>254712345678,
        'CallBackURL'=>'https://89af-196-202-210-53.eu.ngrok.io/api/mpesa/callbackurl',
        'AccountReference'=>'Waweru Enterprises',
        'TransactionDesc'=>'Paying for Products Bought'
    ];

    $data_string=json_encode($curl_post_data);

    $curl=curl_init();
    curl_setopt($curl,CURLOPT_URL,$url);
    curl_setopt($curl,CURLOPT_HTTPHEADER,array('Content-Type:application/json','Authorization:Bearer '.$this->newaccesstoken()));
    curl_setopt($curl,CURLOPT_RETURNTRANSFER,true);
    curl_setopt($curl,CURLOPT_POST,true);
    curl_setopt($curl,CURLOPT_POSTFIELDS,$data_string);

    $curl_response=curl_exec($curl);
    return $curl_response;
}
push code into specific branch


To push code into a specific branch in Git, you can follow these steps:

First, make sure you are in the correct branch by running the command:

git branch


This will show you the list of branches in your local repository, and the branch that you are currently on will be marked with an asterisk (*).

If you are not in the correct branch, switch to the desired branch using the command:
php

git checkout -b <branch-name>
Replace <branch-name> with the name of the branch you want to switch to.

Once you are in the correct branch, add the changes you want to commit using the command:
csharp
Copy code
git add .
This will add all the changes in your current directory to the staging area.

Commit the changes using the command:
sql

git commit -m "commit message"
Replace "commit message" with a brief description of the changes you made.

Finally, push the changes to the remote repository using the command:
perl

git push origin <branch-name>
Replace <branch-name> with the name of the branch you want to push the changes to.

That's it! Your code changes should now be pushed to the specified branch in the remote repository
# исходный массив со строками
strs = ['дом', 'домен', 'домра', 'доширак']

# функция, которая найдёт общее начало
def simplelongestCommonPrefix (strs):
	# на старте общее начало пустое
	res = ""
	# получаем пары «номер символа» — «символ» из первого слова
	for i, c in enumerate(strs[0]): 
		# перебираем следующие слова в списке
		for s in strs[1:]: 
			# если это слово короче, чем наш текущий порядковый номер символа
			# или если символ на этом месте не совпадаем с символом на этом же месте из первого слова
			if len(s)<i+1 or s[i] != c: 
				# выходим из функции и возвращаем, что нашли к этому времени
				return res
		# если цикл выполнился штатно
		else:
			# добавляем текущий символ к общему началу
			res += c
	# возвращаем результат
	return res

# выводим результат работы функции
print(simplelongestCommonPrefix(strs))
npx create-react-app my-app

npm install react-redux @reduxjs/toolkit

//Create a file named src/app/store.js
//Import the configureStore API from Redux Toolkit
import { configureStore } from "@reduxjs/toolkit";
import counterReducer from '../features/counter/counterSlice';

export const store = configureStore({
    reducer: {
        counter: counterReducer
    }
})

//Once the store is created, we can make it available to our React components by putting a React-Redux <Provider> around our application in src/index.js. Import the Redux store we just created, put a <Provider> around your <App>, and pass the store as a prop:

//En el index.js
import { store } from './app/store';
import { Provider } from 'react-redux'; 

const root = ReactDOM.createRoot(document.getElementById('root'));
root.render(
  <React.StrictMode>
    <Provider store={store}>
      <App />
    </Provider>
  </React.StrictMode>
);

//Add a new file named src/features/counter/counterSlice.js. In that file, import the createSlice API from Redux Toolkit.

//En features/counter/counterSlice.js
import { createSlice } from "@reduxjs/toolkit";

const initialState = {
    count: 0
}

export const counterSlice = createSlice({
    name: 'counter',
    initialState,
    reducers: {
        increment: (state) => {
            state.count += 1;
        },
        decrement: (state) => {
            state.count -= 1;
        },
        reset: (state) => {
            state.count = 0;
        },
        incrementByAmount: (state, action) => {
            state.count += action.payload; 
        }
    }
});

export const { increment, decrement, reset, incrementByAmount } = counterSlice.actions;
export default counterSlice.reducer;

//Add Slice Reducers to the Store


//Use Redux State and Actions in React Components
//Counter
import { useSelector, useDispatch } from 'react-redux';
import { 
    increment, 
    decrement,
    reset,
    incrementByAmount } 
from './counterSlice'; 
import { useState } from "react";

const Counter = () => {
    const count = useSelector((state) => state.counter.count);
    const dispatch = useDispatch();

    const [incrementAmount, setIncrementAmount] = useState(0);

    const addValue = Number(incrementAmount || 0);

    const resetAll = () => {
        setIncrementAmount(0);
        dispatch(reset());
    }

    return (
        <section>
            <p>{count}</p>
            <div>
                <button onClick={() => dispatch(increment())}>+</button>
                <button onClick={() => dispatch(decrement())}>-</button>
            </div>
            <input 
                type="text"  
                value = {incrementAmount}
                onChange={(e) => setIncrementAmount(e.target.value)}
            />
            <button onClick={() => dispatch(incrementByAmount(addValue))}>Add Amount</button>
            <button onClick={resetAll}>Reset</button>
        </section>

    );
}

export default Counter;

git add .
git commit -m "" #add the message for the commit
git push origin #Branch name =>  (instead of master)
git checkout master
git pull origin master 
bundle install 
yarn install
rails db:migrate 
git checkout -b #add name of the branch

DONT WORK IN MASTER!!!!!!!!
Id oppRecordTypeId = Schema.SObjectType.Quote.getRecordTypeInfosByName().get('Commercial Invoice').getRecordTypeId();
In [1]: index = pd.date_range("1/1/2000", periods=8)

In [2]: s = pd.Series(np.random.randn(5), index=["a", "b", "c", "d", "e"])

In [3]: df = pd.DataFrame(np.random.randn(8, 3), index=index, columns=["A", "B", "C"])
[
    {
        "GiftID": "",
        "SenderID": "",
        "egiftApiKey": "",
        "RecipientFirstName": "",
        "RecipientLastName": "",
        "RecipientEmail": "",
        "TreeAmount": "",
        "Salutation": ""
    }
]
        console.log(data.year);
    }
bundle install

touch .env
echo '.env*' >> .gitignore
const newArr=[...arr1,...arr2]
console.log(newArr)
:: "C:\_git\gitpm.cmd" "[PROJECTNAME]" "[REPONAME]"


echo off

set TeamProject=%~1
set GitRepo=%~2

set TeamCollection="https://dev.azure.com/[ORG]/"

if "%TeamProject%"=="" GOTO validation_error
if "%GitRepo%"=="" GOTO validation_error

REM First, block the Create Branch permission at the repository root for the project's contributors.
tf git permission /deny:CreateBranch /group:"[%TeamProject%]\Contributors" /collection:%TeamCollection% /teamproject:"%TeamProject%" /repository:%GitRepo%

REM Then, allow contributors to create branches under features, hotfixes, and users.
tf git permission /allow:CreateBranch /group:"[%TeamProject%]\Contributors" /collection:%TeamCollection% /teamproject:"%TeamProject%" /repository:%GitRepo% /branch:features
tf git permission /allow:CreateBranch /group:"[%TeamProject%]\Contributors" /collection:%TeamCollection% /teamproject:"%TeamProject%" /repository:%GitRepo% /branch:users
tf git permission /allow:CreateBranch /group:"[%TeamProject%]\Contributors" /collection:%TeamCollection% /teamproject:"%TeamProject%" /repository:%GitRepo% /branch:hotfixes
tf git permission /allow:CreateBranch /group:"[%TeamProject%]\Contributors" /collection:%TeamCollection% /teamproject:"%TeamProject%" /repository:%GitRepo% /branch:releases
tf git permission /allow:CreateBranch /group:"[%TeamProject%]\Contributors" /collection:%TeamCollection% /teamproject:"%TeamProject%" /repository:%GitRepo% /branch:save
tf git permission /allow:CreateBranch /group:"[%TeamProject%]\Contributors" /collection:%TeamCollection% /teamproject:"%TeamProject%" /repository:%GitRepo% /branch:archive
tf git permission /allow:CreateBranch /group:"[%TeamProject%]\Contributors" /collection:%TeamCollection% /teamproject:"%TeamProject%" /repository:%GitRepo% /branch:hold
tf git permission /allow:CreateBranch /group:"[%TeamProject%]\Contributors" /collection:%TeamCollection% /teamproject:"%TeamProject%" /repository:%GitRepo% /branch:misc

REM allow administrators to create a branch called development (in case it ever gets deleted accidentally).
tf git permission /allow:CreateBranch /group:"[%TeamProject%]\Project Administrators" /collection:%TeamCollection% /teamproject:"%TeamProject%" /repository:%GitRepo% /branch:development

REM Finally, allow administrators to create a branch called master (in case it ever gets deleted accidentally).
tf git permission /allow:CreateBranch /group:"[%TeamProject%]\Project Administrators" /collection:%TeamCollection% /teamproject:"%TeamProject%" /repository:%GitRepo% /branch:master
GOTO complete

:validation_error
ECHO Both the TeamProject and GitRepo arguments must be valid
ECHO TeamProject = '%TeamProject%'
ECHO GitRepo= '%GitRepo%'
GOTO EOF

:complete
ECHO All done!

:EOF
db.timetable.updateMany(
   {},
   { $rename: { 'Train No': 'trainNo', 'Train Name': 'trainName', 'SEQ':'seq', 'Station Code':'stationCode', 'Station Name': 'stationName', 'Arrival time':'arrivalTime', 'Departure Time':'departureTime', 'Distance':'distance', 'Source Station':'sourceStation','Source Station Name':'sourceStationName', 'Destination Station':'destinationStation','Destination Station Name':'destinationStationName'  } }
)
public function getFormInputListResponseByUserId(Request $request)
    {
        $text = "<p>{{form_input[4]}} {{form_input[2]}} {{form_input[1]}} azeaze azkjnvnjdd j {{form_input[3]}}</p>";
        $userResponsesInMailArray = $this->mailServices->extractInputsFromMail($text);
        $userResponseList = $this->userServices->getFormInputListResponseByUserId($request->user_id);
        foreach ($userResponseList as $response) {
            $formInputId = $response['form_input_id'];
            if (array_key_exists($formInputId, $userResponsesInMailArray)) {
                if ($response['response'] == null) {
                    if (count($response['values']) > 0) {
                        foreach ($response['values'] as $value) {
                            $userResponsesInMailArray[$formInputId][] = $value['val']['value'];
                        }
                    }
                } else {
                    $userResponsesInMailArray[$formInputId][] = $response['response'];
                }
            }
        }

        foreach ($userResponsesInMailArray as $key => $value) {
            if (count($value) == 1) {
                $text = str_replace("{{form_input[$key]}}", $value[0], $text);
            } else {
                $string_response = "";
                foreach ($value as $subArrayResponse) {
                    $string_response =   $subArrayResponse . " , " . $string_response;
                }
                $text = str_replace("{{form_input[$key]}}", $string_response, $text);
            }
        }

        return response()->json(['user_responses' => $userResponseList], 200);
    }
<?php
use yii\helpers\ArrayHelper;
echo ArrayHelper::getValue($model,'nama_property');
?>
Option Explicit

Function ghepTrong(chuoi As String) As String
If Len(chuoi) = 0 Then Exit Function
Dim mang() As Integer
Dim kq() As String
Dim i, j, k, z
k = Len(chuoi)
ReDim mang(1 To k)
For i = 1 To k
    mang(i) = CInt(Mid(chuoi, i, 1))
Next i
ReDim kq(1 To WorksheetFunction.Permut(k, 2) + k)
For i = 1 To k
    For j = 1 To k
        z = z + 1
        kq(z) = mang(i) & mang(j)
    Next j
Next i
ghepTrong = Replace(Join(kq), " ", ",")
End Function
update table_1 inner join table_2 on table_1.id = table_2.id_table_1
set table_1.field_1=table_2.field_2;
SELECT id, name, family, mobile, COUNT(mobile) as tt FROM `user_login` where deleted=0 GROUP BY `mobile` HAVING tt > 1;

SELECT user_id, COUNT(user_id) as tt FROM `tarh` WHERE finished = 1 GROUP BY `user_id` HAVING tt > 1 ORDER BY `tt` DESC
TINYTEXT - 256B => 255 characters
TEXT - 64KB => 65,535 characters
MEDIUMTEXT - 16MB => 16,777,215 characters
LONGTEXT - 4GB => 4,294,967,295 characters
time xargs -I % -P 100 curl -o /dev/null "http://127.0.0.1:9200/similarity_queue/_search" < <(printf '%s\n' {1..100}) 
#include<iostream>
using namespace std;
int main()
{
 int arr[10] = {0},key,c,d,ch=1;     //k = key, c = collision, d = data
 for(int i=0; i<=9 ; i++)
 {
  cout<<" "<<arr[i];
 }
 while(ch==1)
 {
  cout<<"\nEnter Key";
  cin>>key;
    c = 0;
  d = key % 10;
  for(int i=0;i<=9;i++)
  {
   if(arr[d]>0)
   {
    d++;
    c++;
   }
  }
  arr[d]  = key;
  for(int i=0;i<=9;i++)
  {
  cout<<arr[i]<<endl;;
  }
  cout<<"\nCollisions: "<<c;
  cout<<"Do you want to continue: ";
  cin>>ch;
 }

 return 0;
 }
//Before
import { round } from "./Math";

export default function App() {
  console.log(round(2.5));
  return (
    <div className="App">
      <h1>Hello World</h1>
    </div>
  );
}
star

Tue Mar 07 2023 15:22:03 GMT+0000 (Coordinated Universal Time)

@saakshi #c++

star

Tue Mar 07 2023 15:11:01 GMT+0000 (Coordinated Universal Time)

@saakshi #c++

star

Tue Mar 07 2023 14:59:31 GMT+0000 (Coordinated Universal Time) https://kubernetes.io/docs/concepts/workloads/controllers/deployment/

@Shokunbi

star

Tue Mar 07 2023 14:39:14 GMT+0000 (Coordinated Universal Time)

@abd #javascript

star

Tue Mar 07 2023 14:13:45 GMT+0000 (Coordinated Universal Time) https://store.steampowered.com/

@Nrnam

star

Tue Mar 07 2023 13:55:04 GMT+0000 (Coordinated Universal Time) https://stackoverflow.com/questions/899103/writing-a-list-to-a-file-with-python-with-newlines

@quaie #python

star

Tue Mar 07 2023 13:52:21 GMT+0000 (Coordinated Universal Time)

@saakshi #c++

star

Tue Mar 07 2023 13:27:52 GMT+0000 (Coordinated Universal Time)

@pernillerys

star

Tue Mar 07 2023 12:32:41 GMT+0000 (Coordinated Universal Time)

@Gimnath #javascript #npm #node

star

Tue Mar 07 2023 12:17:24 GMT+0000 (Coordinated Universal Time) https://elearning.ipvc.pt/ipvc2022/pluginfile.php/120088/mod_resource/content/1/Hugo Almeida_0x73BD063F_public.asc

@vanildo

star

Tue Mar 07 2023 10:09:46 GMT+0000 (Coordinated Universal Time) https://www.npmjs.com/package/morgan

@mtommasi

star

Tue Mar 07 2023 09:23:08 GMT+0000 (Coordinated Universal Time)

@saakshi #c++

star

Tue Mar 07 2023 08:40:22 GMT+0000 (Coordinated Universal Time)

@saakshi #c++

star

Tue Mar 07 2023 08:11:30 GMT+0000 (Coordinated Universal Time) https://stackoverflow.com/questions/10637976/how-do-you-check-if-identity-insert-is-set-to-on-or-off-in-sql-server

@p83arch

star

Tue Mar 07 2023 08:04:03 GMT+0000 (Coordinated Universal Time)

@saakshi #c++

star

Tue Mar 07 2023 08:02:58 GMT+0000 (Coordinated Universal Time) https://stackoverflow.com/questions/5823722/how-to-serve-an-image-using-nodejs

@mtommasi #javascript #nodejs

star

Tue Mar 07 2023 07:53:14 GMT+0000 (Coordinated Universal Time)

@saakshi #c++

star

Tue Mar 07 2023 07:06:12 GMT+0000 (Coordinated Universal Time) https://salesforcediaries.com/2023/01/08/flow-to-lwc-pass-data-instantly/

@pradeepkumar28

star

Tue Mar 07 2023 06:25:38 GMT+0000 (Coordinated Universal Time)

@shahzaibkhattak

star

Mon Mar 06 2023 23:30:45 GMT+0000 (Coordinated Universal Time) https://www.academia.edu/25202710/Mantenimiento_Compañías_concar

@javicinhio

star

Mon Mar 06 2023 23:04:35 GMT+0000 (Coordinated Universal Time)

@nofil

star

Mon Mar 06 2023 22:58:18 GMT+0000 (Coordinated Universal Time)

@nofil

star

Mon Mar 06 2023 21:16:04 GMT+0000 (Coordinated Universal Time) https://stackoverflow.com/questions/72300328/post-api-mpesa-callbackurl-502-bad-gateway-in-ngrok-in-mpesa-integration

@eneki #php

star

Mon Mar 06 2023 20:13:11 GMT+0000 (Coordinated Universal Time)

@MuhammadAhmad #spreadoperator

star

Mon Mar 06 2023 18:17:34 GMT+0000 (Coordinated Universal Time)

@adelphin

star

Mon Mar 06 2023 17:53:42 GMT+0000 (Coordinated Universal Time)

@Yoka225

star

Mon Mar 06 2023 17:52:14 GMT+0000 (Coordinated Universal Time)

@Yoka225

star

Mon Mar 06 2023 17:04:52 GMT+0000 (Coordinated Universal Time)

@pradeepkumar28

star

Mon Mar 06 2023 15:25:15 GMT+0000 (Coordinated Universal Time) https://pandas.pydata.org/pandas-docs/stable/user_guide/basics.html?highlight

@MojeSnippets

star

Mon Mar 06 2023 15:24:24 GMT+0000 (Coordinated Universal Time) https://stackoverflow.com/questions/4181861/message-src-refspec-master-does-not-match-any-when-pushing-commits-in-git

@chrisnofan

star

Mon Mar 06 2023 15:14:48 GMT+0000 (Coordinated Universal Time) https://help.forestnation.com/integrations/egift-api

@FOrestNAtion #json

star

Mon Mar 06 2023 15:04:20 GMT+0000 (Coordinated Universal Time) https://www.programiz.com/javascript/online-compiler/

@bhushan03

star

Mon Mar 06 2023 14:51:51 GMT+0000 (Coordinated Universal Time)

@Yoka225

star

Mon Mar 06 2023 14:34:32 GMT+0000 (Coordinated Universal Time) https://www.programiz.com/javascript/online-compiler/

@bhushan03

star

Mon Mar 06 2023 14:31:29 GMT+0000 (Coordinated Universal Time) https://www.programiz.com/javascript/online-compiler/

@bhushan03

star

Mon Mar 06 2023 14:23:55 GMT+0000 (Coordinated Universal Time) https://qiwi.com/main

@Leroy #1900

star

Mon Mar 06 2023 14:22:27 GMT+0000 (Coordinated Universal Time) https://qiwi.com/main

@Leroy

star

Mon Mar 06 2023 14:22:02 GMT+0000 (Coordinated Universal Time) undefined

@Leroy

star

Mon Mar 06 2023 13:25:41 GMT+0000 (Coordinated Universal Time)

@rick_m #tf #git

star

Mon Mar 06 2023 11:15:56 GMT+0000 (Coordinated Universal Time)

@tapasdash #nodejs #mongoose #mongodb #aggregate

star

Mon Mar 06 2023 11:06:02 GMT+0000 (Coordinated Universal Time)

@jassembenrayana

star

Mon Mar 06 2023 09:25:30 GMT+0000 (Coordinated Universal Time)

@nicovicz

star

Mon Mar 06 2023 09:20:40 GMT+0000 (Coordinated Universal Time) https://www.giaiphapexcel.com/diendan/threads/theo-dõi-kết-quả-xổ-số.4601/page-8

@at811

star

Mon Mar 06 2023 09:11:07 GMT+0000 (Coordinated Universal Time)

@ghader431

star

Mon Mar 06 2023 09:09:19 GMT+0000 (Coordinated Universal Time)

@ghader431

star

Mon Mar 06 2023 09:08:30 GMT+0000 (Coordinated Universal Time)

@ghader431

star

Mon Mar 06 2023 08:58:02 GMT+0000 (Coordinated Universal Time)

@amirabbas8643 #elastic #curl #xargs

star

Mon Mar 06 2023 08:33:10 GMT+0000 (Coordinated Universal Time)

@saakshi #c++

star

Mon Mar 06 2023 07:44:52 GMT+0000 (Coordinated Universal Time)

@Sumi_Dey

Save snippets that work with our extensions

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