Snippets Collections
// Run the method to get the dataset info
Map<String,String> datasetInfo = getLatestWaveDataSetVersionId('Login');
        
// Construct your wave query
String waveQuery = Wave.QueryBuilder.load(
    datasetInfo.get('datasetId'),
    datasetInfo.get('datasetVersionId')
).build('q');


// Validate the query is like we expect
Assert.areEqual(
	// Expected
	String.format(
		'q = load "{0}/{1}";',
		new String[]{
			datasetInfo.get('datasetId'),
			datasetInfo.get('datasetVersionId')
		}
	),
	// Actual
	waveQuery,
	'Wave query was not as expected'
);


/**
* @description    Method that gets the current datasetVersionId based on a dataset api name
* @param datasetApiName The API Name of the dataset
* @return     Map containing 2 keys: The datasetId and datasetVersionId
*/
private static Map<String,String> getLatestWaveDatasetVersionId(String datasetApiName){
    try{
        // Create HTTP request
        HttpRequest request = new HttpRequest();
        request.setMethod('GET');
        request.setHeader('Content-Type' , 'application/json;charset=UTF-8');
        
        // Create the endpoint URL to the current ORG
        // !! TESTING ONLY - REPLACE WITH NAMED CREDENTIAL FOR PROD IMPLEMENTATIONS !!
        request.setEndpoint(String.format(
            '{0}/services/data/v60.0/wave/datasets/{1}',
            new String[]{
                URL.getOrgDomainUrl().toExternalForm(),
                datasetApiName
            }
        ));
        
        // Set the authorization header
        // !! TESTING ONLY - REPLACE WITH NAMED CREDENTIAL FOR PROD IMPLEMENTATIONS !!
        request.setHeader('Authorization', 'Bearer ' + userinfo.getSessionId());
        
        // Execute the request
        HttpResponse response = new http().send(request); 
        
        // Parse the JSON response
        if (response.getStatusCode() == 200){
            
            // Pare the response as an object map
            Map<String, Object> responseMap = (Map<String, Object>) JSON.deserializeUntyped(response.getBody());
            
            // Return the map
            return new Map<String,String>{
                'datasetId'        => (String) responseMap?.get('id'),
                'datasetVersionId' => (String) responseMap?.get('currentVersionId')
            };
        
        }else{
            throw new StringException('Unexpected API response ('+response.getStatusCode()+'):' + response.getBody());
        }
    }catch(Exception e){
        System.debug(e.getMessage());
        return null;
    }
}
<!-- Section: Design Block -->
<section class="background-radial-gradient overflow-hidden">
  <style>
    .background-radial-gradient {
      background-color: hsl(218, 41%, 15%);
      background-image: radial-gradient(650px circle at 0% 0%,
          hsl(218, 41%, 35%) 15%,
          hsl(218, 41%, 30%) 35%,
          hsl(218, 41%, 20%) 75%,
          hsl(218, 41%, 19%) 80%,
          transparent 100%),
        radial-gradient(1250px circle at 100% 100%,
          hsl(218, 41%, 45%) 15%,
          hsl(218, 41%, 30%) 35%,
          hsl(218, 41%, 20%) 75%,
          hsl(218, 41%, 19%) 80%,
          transparent 100%);
    }

    #radius-shape-1 {
      height: 220px;
      width: 220px;
      top: -60px;
      left: -130px;
      background: radial-gradient(#44006b, #ad1fff);
      overflow: hidden;
    }

    #radius-shape-2 {
      border-radius: 38% 62% 63% 37% / 70% 33% 67% 30%;
      bottom: -60px;
      right: -110px;
      width: 300px;
      height: 300px;
      background: radial-gradient(#44006b, #ad1fff);
      overflow: hidden;
    }

    .bg-glass {
      background-color: hsla(0, 0%, 100%, 0.9) !important;
      backdrop-filter: saturate(200%) blur(25px);
    }
  </style>

  <div class="container px-4 py-5 px-md-5 text-center text-lg-start my-5">
    <div class="row gx-lg-5 align-items-center mb-5">
      <div class="col-lg-6 mb-5 mb-lg-0" style="z-index: 10">
        <h1 class="my-5 display-5 fw-bold ls-tight" style="color: hsl(218, 81%, 95%)">
          The best offer <br />
          <span style="color: hsl(218, 81%, 75%)">for your business</span>
        </h1>
        <p class="mb-4 opacity-70" style="color: hsl(218, 81%, 85%)">
          Lorem ipsum dolor, sit amet consectetur adipisicing elit.
          Temporibus, expedita iusto veniam atque, magni tempora mollitia
          dolorum consequatur nulla, neque debitis eos reprehenderit quasi
          ab ipsum nisi dolorem modi. Quos?
        </p>
      </div>

      <div class="col-lg-6 mb-5 mb-lg-0 position-relative">
        <div id="radius-shape-1" class="position-absolute rounded-circle shadow-5-strong"></div>
        <div id="radius-shape-2" class="position-absolute shadow-5-strong"></div>

        <div class="card bg-glass">
          <div class="card-body px-4 py-5 px-md-5">
            <form>
              <!-- 2 column grid layout with text inputs for the first and last names -->
              <div class="row">
                <div class="col-md-6 mb-4">
                  <div data-mdb-input-init class="form-outline">
                    <input type="text" id="form3Example1" class="form-control" />
                    <label class="form-label" for="form3Example1">First name</label>
                  </div>
                </div>
                <div class="col-md-6 mb-4">
                  <div data-mdb-input-init class="form-outline">
                    <input type="text" id="form3Example2" class="form-control" />
                    <label class="form-label" for="form3Example2">Last name</label>
                  </div>
                </div>
              </div>

              <!-- Email input -->
              <div data-mdb-input-init class="form-outline mb-4">
                <input type="email" id="form3Example3" class="form-control" />
                <label class="form-label" for="form3Example3">Email address</label>
              </div>

              <!-- Password input -->
              <div data-mdb-input-init class="form-outline mb-4">
                <input type="password" id="form3Example4" class="form-control" />
                <label class="form-label" for="form3Example4">Password</label>
              </div>

              <!-- Checkbox -->
              <div class="form-check d-flex justify-content-center mb-4">
                <input class="form-check-input me-2" type="checkbox" value="" id="form2Example33" checked />
                <label class="form-check-label" for="form2Example33">
                  Subscribe to our newsletter
                </label>
              </div>

              <!-- Submit button -->
              <button type="submit" data-mdb-button-init data-mdb-ripple-init class="btn btn-primary btn-block mb-4">
                Sign up
              </button>

              <!-- Register buttons -->
              <div class="text-center">
                <p>or sign up with:</p>
                <button type="button" data-mdb-button-init data-mdb-ripple-init class="btn btn-link btn-floating mx-1">
                  <i class="fab fa-facebook-f"></i>
                </button>

                <button type="button" data-mdb-button-init data-mdb-ripple-init class="btn btn-link btn-floating mx-1">
                  <i class="fab fa-google"></i>
                </button>

                <button type="button" data-mdb-button-init data-mdb-ripple-init class="btn btn-link btn-floating mx-1">
                  <i class="fab fa-twitter"></i>
                </button>

                <button type="button" data-mdb-button-init data-mdb-ripple-init class="btn btn-link btn-floating mx-1">
                  <i class="fab fa-github"></i>
                </button>
              </div>
            </form>
          </div>
        </div>
      </div>
    </div>
  </div>
</section>
<!-- Section: Design Block -->
ipconfig getoption en0 domain_name_server
#include<stdio.h>
int main(){
    float Radius;
    printf("Enter Radius : ");
    scanf("%f",&Radius);

    float Area = (3.141592653589793238462643383279502884197*Radius*Radius);
    printf ("The Area of the circle is : %f " , Area);

    return 0;
}
#include <stdio.h>
 
int main(){
 
  
 
  float x,y;
 
  
 
  printf("Enter value of x = ");
 
  scanf ("%f",&x);
 
  
 
  printf("Enter value of y = ");
 
  scanf ("%f",&y);
 
  
 
  float a;
 
  a=x+y;
 
  printf("\nsum is = %f ",a);
 
  
 
  float b;
 
  b=x-y;
 
  printf("\n(x-y) subtration is = %f ",b);
 
  float f;
 
  f=y-x;
 
  printf("\n(y-x) subtration is = %f",f);
 
  
 
  float c;
 
  c=x/y;
 
  printf("\n(x/y) divsion is = %f",c);
 
  
 
  float d;
 
  d=y/x;
 
  printf("\n(y/x) dvision is = %f",d);
 
  
 
  float e;
 
  e=x*y;
 
  printf("\nmultiplction is = %f",e);
 
  
 
   return 0;
 
}
#include <stdio.h>
 
int main() {
    
    float Principal,Rate,Time;
    
    printf("Enter Principal = ");
    scanf("%f",&Principal);
    
    printf("Enter Rate of Interest = ");
    scanf("%f",&Rate);
    
    printf("Enter Time Zone = ");
    scanf("%f",&Time);
    
    float Simple_Interest = (Principal*Rate*Time)/100;
    printf("Your SIMPLE INTEREST is = %f",Simple_Interest);
 
    return 0;
}
az webapp create --name myContainerApp --plan myAppServicePlan --location eastus --resource-group myResourceGroup --deployment-container-image-name mcr.microsoft.com/azure-app-service/windows/parkingpage:latest
#include<stdio.h>

int main(){

int a;
int b;
int c;



printf("Enter value for a:");
scanf("%d",&a);

printf("Enter value for b:");
scanf("%d",&b);

c = (a+b)/2;
//printf("Enter value for c:");
//scanf("%d",&c);

if(a==b){
    printf("\na equal to b\n");
}else{
    printf("a is not equal to b\n");
}
if(a<b){
    printf("a smaller than b\n");
}else{
    printf("a larger than b\n");
}
if(a>b){
    printf("a is big");
}else{
    printf("b is big\n");
}

if (c>=85){
    printf("Exellent you have A+ ");
}else if(c>75){
    printf("Grade: A");
}else if(c>65){
    printf("Grade: B");
}else if(c>55){
    printf("Grade: C");
}else if(c>40){
    printf("Grade: S");
}else{
    printf("You are fail idiot.!\nYou have Grade:W for that");
}

printf("\n%d",c);

return 0;
}
#include<stdio.h>

int main(){

int num1,num2;
int sum,sub,mul;
double div;

printf("Enter first number:");
scanf("%d",&num1);

printf("enter second number:");
scanf("%d",&num2);

sum=num1+num2;
printf("\nsum of this value is:%d",sum);

sub=num1-num2;
printf("\nsub of this value is:%d",sub);

mul=num1*num2;
printf("\nmul of this value is:%d",mul);

div=num1/num2;
printf("\ndiv of this value is:%lf",div);

return 0;

}
import mido
import random

def generate_notes(notes_len):
    notes = []
    for i in range(notes_len):
        notes.append(random.randint(0, 127))

    return notes



def create_midi_file(notes):
    output_midi = mido.MidiFile()
    # create a track 
    track = mido.MidiTrack()
    # add track
    output_midi.tracks.append(track)

    # write notes
    for note in notes:
        track.append(mido.Message('note_on', note = note, velocity=64, time = 120))
        track.append(mido.Message('note_off', note = note, velocity=64, time = 120))

    # write midi file
    output_midi.save('out.mid')

notes = generate_notes(100)
create_midi_file(notes)
Sort-Object
    [-Descending]
    [-Unique]
    -Top <Int32>
    [-InputObject <PSObject>]
    [[-Property] <Object[t:]>]
    [-Culture <String>]
    [-CaseSensitive]
    [<CommonParameters>]


<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <meta http-equiv="X-UA-Compatible" content="IE=edge">
    <meta name="viewport" content="width=device-width, initial-scale=1.0">
    <title>Document</title>
</head>
<style>
  button:hover , button:focus , button:focus-visible , button:focus-within , button:target , button:active , button:visited {
    border: 4px solid #008cff;
  }
  .empty_input {
    border: 2px solid #ff0000;
  }
  .outer_div {
    width: 100%;
    height: 100vh;
    display: flex;
    align-items: center;
    justify-content: center;
    background: #00000066;
  }
  .inner_div {
    max-width: 400px;
    width: 100%;
  }
  .clampForm  input {
    /* width: 100%; */
  }
  .clampForm {
    overflow: hidden;
}
  input, p, button, label, select {
    width: 100%;
    display: block;
    font-size: 20px;
    border: 4px solid #008cff00;
  }
  button.click_to_calculate {
    /* max-width: 210px; */
  }
  body {
    margin: 0;
    padding: 0;
  }
  .value_output p {
    margin: 0;
  }
</style>

<body>
  <div class="outer_div">
    <div class="inner_div">
      <div class="clampForm" name="clampForm">
        <div class="most-pg-size">
          <form action="">
            <label for="cars">Most Page Width Sizes:</label>
            <select id="select_scr_size" name="screen sizes">
              <option value="Select">Select</option>
              <option value="1920">1920</option>
              <option value="1728">1728</option>
              <option value="1600">1600</option>
              <option value="1536">1536</option>
              <option value="1440">1440</option>
              <option value="1366">1366</option>
              <option value="1280">1280</option>
              <option value="1024">1024</option>
              <option value="992">992</option>
              <option value="767">767</option>
            </select>
          </form>
        </div>
        <p>Max Page Width Size <input class="form-control" for="number" id="max_screen_size" type="number"></p>
        <p>Maximum Size <input class="form-control"  name="number"  id="max_value" type="number"></p>
        <p>Minimum Size <input class="form-control" id="min_value" type="number"></p>
        <p>Line Height <input class="form-control" id="lineheight_value" type="number"></p>
        <button type="button" class="click_to_calculate" id="click_to_calculate" onclick="executeFunctions()">Click To Calculate</button>
        <div class="result">
            <div id="value_output" class="value_output"></div>
        </div>
      </div>
    </div>
  </div>
  <script>

    var select_scr_size = document.getElementById("select_scr_size").value;
    document.getElementById("max_screen_size").placeholder = select_scr_size;
    var sel_opt_vl = document.getElementById('select_scr_size');
    sel_opt_vl.addEventListener("change", sel_opt_vlFn);
    function sel_opt_vlFn() {
        document.getElementById("max_screen_size").value = sel_opt_vl.value;
    }
    function displayMessage(){
    let max_screen_size = document.querySelector("#max_screen_size").value;
    let max_value = document.querySelector("#max_value").value;
    let min_value = document.querySelector("#min_value").value;
    var line_heigh_val = document.getElementById("lineheight_value").value;
    var line_heigh_per = line_heigh_val / max_value * 100 ;
      
     // Check if input field is empty
    if (max_screen_size === "") {
      document.querySelector("#max_screen_size").classList.add("empty_input");
      return false;
    } else {
      document.querySelector("#max_screen_size").classList.remove("empty_input");
    }
    if (max_value === "") {
      document.querySelector("#max_value").classList.add("empty_input");
      return false;
    }  else {
      document.querySelector("#max_value").classList.remove("empty_input");
    }
    if (min_value === "" ) {
      document.querySelector("#min_value").classList.add("empty_input");
      document.querySelector("#min_value").value = '';
      document.getElementById("value_output").innerText = "";
      return false;
    }  else {
      document.querySelector("#min_value").classList.remove("empty_input");
    }
    let vw_value = (max_value* 100 / max_screen_size) ;
    function addOneToDecimal(num) {
    var decimalPart = num % 1;
    var roundedDecimal = decimalPart.toFixed(2);
    if (roundedDecimal.charAt(3) === '0') {
      num += 0.01;
    }
    return num;
      }
      var result = addOneToDecimal(vw_value);
      vw_value = result.toFixed(2);
      let value_output = `<div><p>font-size : clamp(${min_value}px,${vw_value}vw,${max_value}px); </p>
        <p>  line-height : ${line_heigh_per}%;</p></div>`;
      document.querySelector("#value_output").innerHTML = value_output;
    }
    // click to copy function
    function copyText() {
      var text = document.getElementById("value_output").innerText;
      var textarea = document.createElement("textarea");
      textarea.value = text;
      document.body.appendChild(textarea);
      textarea.select();
      document.execCommand("copy");
      document.body.removeChild(textarea);
    }
    function executeFunctions() {
      displayMessage()
      copyText()
    }
  </script>
</body>
</html>













<!-- <script>
  function displayMessage(){
  let max_screen_size = document.querySelector("#max_screen_size").value;
  let max_value = document.querySelector("#max_value").value;
  let min_value = document.querySelector("#min_value").value;
  let vw_value = (max_value* 100 / max_screen_size) ;
  function addOneToDecimal(num) {
  var decimalPart = num % 1;
  var roundedDecimal = decimalPart.toFixed(2);
  if (roundedDecimal.charAt(3) === '0') {
    num += 0.01;
  }
  return num;
    }
    var result = addOneToDecimal(vw_value);
    vw_value = result.toFixed(2);
    let value_output = `clamp(${min_value}px,${vw_value}vw,${max_value}px);`;
    console.log(value_output);
    document.querySelector("#value_output").innerHTML = value_output;
  }
  // click to copy function
  function copyText() {
    var text = document.getElementById("value_output").innerText;
    var textarea = document.createElement("textarea");
    textarea.value = text;
    document.body.appendChild(textarea);
    textarea.select();
    document.execCommand("copy");
    document.body.removeChild(textarea);
  }
  function executeFunctions() {
    displayMessage()
    copyText()
  }
</script> -->







<!-- 
Discover, Shop, Transform: Your Home Essentials

Unleash Your Style: Shop and Transform.

"Transform Your Spaces: Discover Home Decor, Kitchen Essentials, and Appliances that Elevate Your Lifestyle. Shop Now!"

"Transform your home into a haven with our curated collection of exquisite home décor, kitchen essentials, and high-quality appliances. Discover the perfect blend of style and functionality to elevate your living spaces. From stunning décor accents to top-notch kitchen gadgets, our shop offers a wide range of products to suit your unique taste. Browse our selection, find inspiration, and create a home that reflects your personal style. Shop now and let us help you turn your house into a stylish sanctuary."


"Elevate Your Home: Discover stylish home décor, essential kitchen items, and top-quality appliances. Create a space that reflects your unique style with our curated collection. From trendy accents to functional gadgets, find everything you need to transform your house into a haven. Shop now and turn your interior design dreams into reality."


"Elevate Your Home: Discover a curated selection of stylish home décor, kitchen essentials, and top-notch appliances. Transform your space with our high-quality products. From trendy accents to functional gadgets, we have everything you need to create a cozy and stylish home. Explore our collection now and bring your interior design vision to life with ease and elegance."















Elevate Your Home: Discover a curated selection of stylish home décor, kitchen essentials, and top-notch appliances.
 From trendy accents to functional gadgets, we have everything you need to create a cozy and stylish home.
 Explore our collection now and bring your interior design vision to life with ease and elegance." -->
class Person {
       private String name;
        private int age;
        
        public  Person (String name, int age){
            this.name = name;
            this.age = age;
        }
        
    }

public static void main(String[] args) {
       Person[] person = new Person[3];
       
      person[0] = new Person("Divya", 21);
       person[1] = new Person("Naresh", 23);
       person[2] = new Person("Nivethi", 20);
        
        for(int i=0; i< person.length ; i++)
{
    System.out.println(" " + person.getAge());
}       
    }

int[] arr = {1,2,3,4,5,6};
          for(int i =0; i<arr.length; i++){
            System.out.println("key "  + arr[i]);
        }
        
        ----------------
        ArrayList<Integer> arr = new ArrayList<>();
        arr.add(1);
        arr.add(3);
         arr.add(5);
          arr.add(6);
        
        for(int i =0; i<arr.size(); i++){
            System.out.println("key "  + arr.get(i));
        }


--------------
Map<String, Integer> map = new HashMap<String, Integer>();
      
      map.put("key", 11);
      map.put("key1", 11);
      map.put("key2", 11);
      map.put("key3", 15);
      map.put("key4", 11);
      map.put("key5", 11);
      map.put("key6", 11);
      
      for(Map.Entry<String, Integer> entry : map.entrySet()){
          String key = entry.getKey();
          int value = entry.getValue();
          
          System.out.println(" "+ key + " "+ value);
      }

---------------------------
  
#include <stdio.h>

int main() {
    int a;
    int b;
    int c;
    int d;

    printf("input 1st number:\n");
    scanf("%d",&a);
    printf("input 2nd number:\n");
    scanf("%d",&b);
    printf("input 3rd number:\n");
    scanf("%d",&c);

    d=a+b+c;
    printf("result is:%d",d);

    return 0;
}
#include <stdio.h>

int main() {
    int nums[10] = {1, 2, 3, 4, 5, 6, 7, 8, 9};
    printf("%d, %d, %d, %d, %d, %d, %d, %d, %d, %d\n", nums[0], nums[1], nums[2], nums[3], nums[4], nums[5], nums[6], nums[7], nums[8], nums[9]);

    printf("%d\n%d\n%d\n", nums[2], nums[5], nums[8]);

    int numsTable[5][6] = {
            {1, 2, 3, 4, 5, 6},
            {7, 8, 9, 10, 11, 16},
            {12, 13, 14, 15, 17, 30},
            {18, 19, 20, 21, 22, 23},
            {24, 25, 26, 27, 28, 29}
    };

    // Iterate within the bounds of the numsTable array
    for (int i = 0; i < 5; i++) {
        for (int j = 0; j < 6; j++) {
            printf("Value of numsTable[%d][%d] is: %d\n", i, j, numsTable[i][j]);
        }
    }

    return 0;
}
import tkinter as tk


root = tk.Tk()
root.attributes('-fullscreen', True)

# this is very important
def close_fullscreen():
    root.attributes('-fullscreen', False)

# add bt to close fullscreen mode this is very important
close_bt = tk.Button(root, text='Close full screen mode', command=close_fullscreen)
close_bt.pack(fill=tk.BOTH)

root.mainloop()
#include<stdio.h>
int main(){

    int myArray[5]={5,2,4,6,9};
    for(int i =0;i<5;i++){
        printf("value of this array is:%d\n",i,myArray[i]);
    }
return 0;
}
#include<stdio.h>
int main(){

int i = 0;
do {

printf("I'm genius like this times:%d\n",i);
i=i+1*800;
}while(i<10000);

return 0;
}
from pyannote.audio import Model, Inference

model = Model.from_pretrained("pyannote/segmentation")
inference = Inference(model)

# inference on the whole file
inference("file.wav")

# inference on an excerpt
from pyannote.core import Segment
excerpt = Segment(start=2.0, end=5.0)
inference.crop("file.wav", excerpt)
# Initialize Text-to-Speech engine with Hazel%27s voice

engine = pyttsx3.init()
hazel_voice_id = "HKEY_LOCAL_MACHINE\SOFTWARE\Microsoft\Speech\Voices\Tokens\TTS_MS_EN-GB_HAZEL_11.0"
engine.setProperty(%27voice%27, hazel_voice_id)
engine.say("Hello Videotronic Maker, How can I assist you today sir?")
engine.runAndWait()
// Add this code in your theme's functions.php file or in a custom plugin
2
​
3
function assign_most_popular_term_to_popular_posts() {
4
    // Get all posts of the "ai-tools" post type with "popular-product" selected
5
    $args = array(
6
        'post_type' => 'ai-tools',
7
        'posts_per_page' => -1, // Retrieve all posts
8
        'meta_query' => array(
9
            array(
10
                'key' => 'highlight-product',
11
                'value' => 'popular-product',
12
                'compare' => '=',
13
            ),
14
        ),
15
    );
16
​
17
    $popular_posts = new WP_Query($args);
18
​
19
    if ($popular_posts->have_posts()) {
20
        while ($popular_posts->have_posts()) {
21
            $popular_posts->the_post();
New-FileCatalog -Path $PSHOME\Modules\Microsoft.PowerShell.Utility -CatalogFilePath \temp\Microsoft.PowerShell.Utility.cat -CatalogVersion 2.0

Mode                LastWriteTime         Length Name
----                -------------         ------ ----
-a----         11/2/2018 11:58 AM            950 Microsoft.PowerShell.Utility.cat
function custom_social_icons_shortcode() {
2
    ob_start(); ?>
3
​
4
    <div class="et_social_networks et_social_autowidth et_social_slide et_social_rounded et_social_top et_social_no_animation et_social_outer_dark">
5
        <ul class="et_social_icons_container">
6
            <li class="et_social_facebook">
7
                <a href="http://www.facebook.com/sharer.php?u=https%3A%2F%2Fwavel.io%2Fhello-world%2F&amp;t=Hello%20world%21" class="et_social_share" rel="nofollow" data-social_name="facebook" data-post_id="1" data-social_type="share" data-location="inline">
8
                    <i class="et_social_icon et_social_icon_facebook"></i><span class="et_social_overlay"></span>
9
                </a>
10
            </li>
11
            <li class="et_social_twitter">
12
                <a href="http://twitter.com/share?text=Hello%20world%21&amp;url=https%3A%2F%2Fwavel.io%2Fhello-world%2F" class="et_social_share" rel="nofollow" data-social_name="twitter" data-post_id="1" data-social_type="share" data-location="inline">
13
                    <i class="et_social_icon et_social_icon_twitter"></i><span class="et_social_overlay"></span>
14
                </a>
15
            </li>
16
            <li class="et_social_linkedin">
17
                <a href="http://www.linkedin.com/shareArticle?mini=true&amp;url=https%3A%2F%2Fwavel.io%2Fhello-world%2F&amp;title=Hello%20world%21" class="et_social_share" rel="nofollow" data-social_name="linkedin" data-post_id="1" data-social_type="share" data-location="inline">
18
                    <i class="et_social_icon et_social_icon_linkedin"></i><span class="et_social_overlay"></span>
19
                </a>
20
            </li>
// Add this code in your theme's functions.php file or in a custom plugin
2
​
3
function update_all_ai_tools_posts_highlight_product_meta() {
4
    // Get all posts of the "ai-tools" post type
5
    $args = array(
6
        'post_type' => 'ai-tools',
7
        'posts_per_page' => -1, // Retrieve all posts
8
    );
9
​
10
    $ai_tools_posts = new WP_Query($args);
11
​
12
    if ($ai_tools_posts->have_posts()) {
13
        while ($ai_tools_posts->have_posts()) {
14
            $ai_tools_posts->the_post();
15
​
16
            // Update the "highlight-product" meta field to "none"
17
            update_post_meta(get_the_ID(), 'highlight-product', 'none');
18
        }
19
​
20
        // Reset post data
21
        wp_reset_postdata();
import React, { useState } from "react";
import { FiPlus, FiTrash } from "react-icons/fi";
import { motion } from "framer-motion";
import { FaFire } from "react-icons/fa";

export const CustomKanban = () => {
  return (
    <div className="h-screen w-full bg-neutral-900 text-neutral-50">
      <Board />
    </div>
  );
};

const Board = () => {
  const [cards, setCards] = useState(DEFAULT_CARDS);

  return (
    <div className="flex h-full w-full gap-3 overflow-scroll p-12">
      <Column
        title="Backlog"
        column="backlog"
        headingColor="text-neutral-500"
        cards={cards}
        setCards={setCards}
      />
      <Column
        title="TODO"
        column="todo"
        headingColor="text-yellow-200"
        cards={cards}
        setCards={setCards}
      />
      <Column
        title="In progress"
        column="doing"
        headingColor="text-blue-200"
        cards={cards}
        setCards={setCards}
      />
      <Column
        title="Complete"
        column="done"
        headingColor="text-emerald-200"
        cards={cards}
        setCards={setCards}
      />
      <BurnBarrel setCards={setCards} />
    </div>
  );
};

const Column = ({ title, headingColor, cards, column, setCards }) => {
  const [active, setActive] = useState(false);

  const handleDragStart = (e, card) => {
    e.dataTransfer.setData("cardId", card.id);
  };

  const handleDragEnd = (e) => {
    const cardId = e.dataTransfer.getData("cardId");

    setActive(false);
    clearHighlights();

    const indicators = getIndicators();
    const { element } = getNearestIndicator(e, indicators);

    const before = element.dataset.before || "-1";

    if (before !== cardId) {
      let copy = [...cards];

      let cardToTransfer = copy.find((c) => c.id === cardId);
      if (!cardToTransfer) return;
      cardToTransfer = { ...cardToTransfer, column };

      copy = copy.filter((c) => c.id !== cardId);

      const moveToBack = before === "-1";

      if (moveToBack) {
        copy.push(cardToTransfer);
      } else {
        const insertAtIndex = copy.findIndex((el) => el.id === before);
        if (insertAtIndex === undefined) return;

        copy.splice(insertAtIndex, 0, cardToTransfer);
      }

      setCards(copy);
    }
  };

  const handleDragOver = (e) => {
    e.preventDefault();
    highlightIndicator(e);

    setActive(true);
  };

  const clearHighlights = (els) => {
    const indicators = els || getIndicators();

    indicators.forEach((i) => {
      i.style.opacity = "0";
    });
  };

  const highlightIndicator = (e) => {
    const indicators = getIndicators();

    clearHighlights(indicators);

    const el = getNearestIndicator(e, indicators);

    el.element.style.opacity = "1";
  };

  const getNearestIndicator = (e, indicators) => {
    const DISTANCE_OFFSET = 50;

    const el = indicators.reduce(
      (closest, child) => {
        const box = child.getBoundingClientRect();

        const offset = e.clientY - (box.top + DISTANCE_OFFSET);

        if (offset < 0 && offset > closest.offset) {
          return { offset: offset, element: child };
        } else {
          return closest;
        }
      },
      {
        offset: Number.NEGATIVE_INFINITY,
        element: indicators[indicators.length - 1],
      }
    );

    return el;
  };

  const getIndicators = () => {
    return Array.from(document.querySelectorAll(`[data-column="${column}"]`));
  };

  const handleDragLeave = () => {
    clearHighlights();
    setActive(false);
  };

  const filteredCards = cards.filter((c) => c.column === column);

  return (
    <div className="w-56 shrink-0">
      <div className="mb-3 flex items-center justify-between">
        <h3 className={`font-medium ${headingColor}`}>{title}</h3>
        <span className="rounded text-sm text-neutral-400">
          {filteredCards.length}
        </span>
      </div>
      <div
        onDrop={handleDragEnd}
        onDragOver={handleDragOver}
        onDragLeave={handleDragLeave}
        className={`h-full w-full transition-colors ${
          active ? "bg-neutral-800/50" : "bg-neutral-800/0"
        }`}
      >
        {filteredCards.map((c) => {
          return <Card key={c.id} {...c} handleDragStart={handleDragStart} />;
        })}
        <DropIndicator beforeId={null} column={column} />
        <AddCard column={column} setCards={setCards} />
      </div>
    </div>
  );
};

const Card = ({ title, id, column, handleDragStart }) => {
  return (
    <>
      <DropIndicator beforeId={id} column={column} />
      <motion.div
        layout
        layoutId={id}
        draggable="true"
        onDragStart={(e) => handleDragStart(e, { title, id, column })}
        className="cursor-grab rounded border border-neutral-700 bg-neutral-800 p-3 active:cursor-grabbing"
      >
        <p className="text-sm text-neutral-100">{title}</p>
      </motion.div>
    </>
  );
};

const DropIndicator = ({ beforeId, column }) => {
  return (
    <div
      data-before={beforeId || "-1"}
      data-column={column}
      className="my-0.5 h-0.5 w-full bg-violet-400 opacity-0"
    />
  );
};

const BurnBarrel = ({ setCards }) => {
  const [active, setActive] = useState(false);

  const handleDragOver = (e) => {
    e.preventDefault();
    setActive(true);
  };

  const handleDragLeave = () => {
    setActive(false);
  };

  const handleDragEnd = (e) => {
    const cardId = e.dataTransfer.getData("cardId");

    setCards((pv) => pv.filter((c) => c.id !== cardId));

    setActive(false);
  };

  return (
    <div
      onDrop={handleDragEnd}
      onDragOver={handleDragOver}
      onDragLeave={handleDragLeave}
      className={`mt-10 grid h-56 w-56 shrink-0 place-content-center rounded border text-3xl ${
        active
          ? "border-red-800 bg-red-800/20 text-red-500"
          : "border-neutral-500 bg-neutral-500/20 text-neutral-500"
      }`}
    >
      {active ? <FaFire className="animate-bounce" /> : <FiTrash />}
    </div>
  );
};

const AddCard = ({ column, setCards }) => {
  const [text, setText] = useState("");
  const [adding, setAdding] = useState(false);

  const handleSubmit = (e) => {
    e.preventDefault();

    if (!text.trim().length) return;

    const newCard = {
      column,
      title: text.trim(),
      id: Math.random().toString(),
    };

    setCards((pv) => [...pv, newCard]);

    setAdding(false);
  };

  return (
    <>
      {adding ? (
        <motion.form layout onSubmit={handleSubmit}>
          <textarea
            onChange={(e) => setText(e.target.value)}
            autoFocus
            placeholder="Add new task..."
            className="w-full rounded border border-violet-400 bg-violet-400/20 p-3 text-sm text-neutral-50 placeholder-violet-300 focus:outline-0"
          />
          <div className="mt-1.5 flex items-center justify-end gap-1.5">
            <button
              onClick={() => setAdding(false)}
              className="px-3 py-1.5 text-xs text-neutral-400 transition-colors hover:text-neutral-50"
            >
              Close
            </button>
            <button
              type="submit"
              className="flex items-center gap-1.5 rounded bg-neutral-50 px-3 py-1.5 text-xs text-neutral-950 transition-colors hover:bg-neutral-300"
            >
              <span>Add</span>
              <FiPlus />
            </button>
          </div>
        </motion.form>
      ) : (
        <motion.button
          layout
          onClick={() => setAdding(true)}
          className="flex w-full items-center gap-1.5 px-3 py-1.5 text-xs text-neutral-400 transition-colors hover:text-neutral-50"
        >
          <span>Add card</span>
          <FiPlus />
        </motion.button>
      )}
    </>
  );
};

const DEFAULT_CARDS = [
  // BACKLOG
  { title: "Look into render bug in dashboard", id: "1", column: "backlog" },
  { title: "SOX compliance checklist", id: "2", column: "backlog" },
  { title: "[SPIKE] Migrate to Azure", id: "3", column: "backlog" },
  { title: "Document Notifications service", id: "4", column: "backlog" },
  // TODO
  {
    title: "Research DB options for new microservice",
    id: "5",
    column: "todo",
  },
  { title: "Postmortem for outage", id: "6", column: "todo" },
  { title: "Sync with product on Q3 roadmap", id: "7", column: "todo" },

  // DOING
  {
    title: "Refactor context providers to use Zustand",
    id: "8",
    column: "doing",
  },
  { title: "Add logging to daily CRON", id: "9", column: "doing" },
  // DONE
  {
    title: "Set up DD dashboards for Lambda listener",
    id: "10",
    column: "done",
  },
];
port = int(os.environ.get('PORT', 8080))
    app.run(host='0.0.0.0', port=port)
from openai import OpenAI
client = OpenAI()

completion = client.chat.completions.create(
  model="gpt-3.5-turbo",
  messages=[
    {"role": "system", "content": "You are a helpful assistant."},
    {"role": "user", "content": "What are some famous astronomical observatories?"}
  ]
)
element.style {
    column-gap: 20px;
    flex-grow: 1;
    padding: 40px;
    display: grid;
    grid-template-columns: 1fr 1fr 1fr;
    grid-template-rows: auto;
    align-content: start;
    grid-auto-flow: row;
}
/* Describe what the code snippet does so you can remember later on */
add_action('wp_footer', 'your_function_name');
function your_function_name(){
?>
PASTE FOOTER CODE HERE
<?php
};
/* Describe what the code snippet does so you can remember later on */
add_action('wp_head', 'your_function_name');
function your_function_name(){
?>
PASTE HEADER CODE HERE
<?php
};
Purchases.shared.delegate = self

extension YourClass: PurchasesDelegate {
    func purchases(_ purchases: Purchases, receivedUpdated customerInfo: Purchases.CustomerInfo) {
        if let entitlement = customerInfo.entitlements["your_entitlement_id"] {
            if entitlement.isActive == false {
                // subscription has expired
                print("Subscription has expired")
            } else {
                // subscription is active
                print("Subscription is active")
            }
        }
    }
}
String streamingIngestionPayload = JSON.serializePretty(new Map<String,List<Map<String,Object>>>{
    'data' => new List<Map<String,Object>>{
        new Map<String,Object>{
            'Id'      => 'id',
            'Number'  => 1234,
            'Boolean' => true,
            'Object'  => JSON.serialize([SELECT Id,Name FROM User WHERE Id = :UserInfo.getUserId()])
        }
    }
});

System.debug(streamingIngestionPayload);
let fetchRequest: NSFetchRequest<UserModel_CD> = UserModel_CD.fetchRequest()
//Query on which basic data will be found from coreData
fetchRequest.predicate = NSPredicate(format: "email == %@ && password == %@", email, password)  

//This query in SQl looks like -
//SELECT * FROM Users WHERE email = 'user@example.com' AND password = 'password123';
        
do {
	let fetchedData = try viewContext.fetch(fetchRequest)
	return fetchedData.count > 0
} catch {
	return false
}
function checkImagesSource() {
    const images = document.querySelectorAll('img');
    const viewportWidth = window.innerWidth;
    const viewportHeight = window.innerHeight;

    console.log(`Viewport dimensions: ${viewportWidth} x ${viewportHeight}`);
    console.log('Images displayed and their sources:');

    images.forEach((img, index) => {
        const rect = img.getBoundingClientRect();
        // Check if the image is within the viewport
        if (rect.top < viewportHeight && rect.bottom >= 0 && rect.left < viewportWidth && rect.right >= 0) {
            const isSrcset = img.hasAttribute('srcset');
            const sourceUsed = img.currentSrc || img.src;  // This will get the image URL after srcset and sizes have been applied by the browser

            if (isSrcset) {
                console.log(`${img.tagName.toLowerCase()} srcset - ${sourceUsed}`);
            } else {
                console.log(`${img.tagName.toLowerCase()} - ${sourceUsed}`);
            }
        }
    });
}

checkImagesSource();
int n;
vector<bool> is_prime(n+1, true);
is_prime[0] = is_prime[1] = false;
for (int i = 2; i <= n; i++) {
    if (is_prime[i] && (long long)i * i <= n) {
        for (int j = i * i; j <= n; j += i)
            is_prime[j] = false;
    }
}
Crypto Trading Bot Development has transformed the way investors to participate in the crypto market. By leveraging algorithm and automation, these crypto trading bots provides speed, precision, and 24/7 trading capabilities. The development of intelligent arbitrage trading bot will probably be important in aiding traders in navigating the challenges of trading digital assets as the crypto markets develops further. 

Moreover, Traders and Developers alike require to stay vigilant, to optimize their crypto trading strategies, and adapt to the ever-evolving landscape of crypto market. If you are interested in crypto trading developers, then Maticz having a proficient crypto and blockchain developers can assist you to get initiate with your high-end Crypto trading bot development solutions. 
<?php echo 'Hello world'; ?>
class Splashbinding extends Bindings {
  @override
  void dependencies() {
    Get.put<SplashController>(SplashController());
    Get.lazyPut(() => SignupController());
  }
}
      
////////////////////////

final SharedPreferences pref =
                                        await SharedPreferences.getInstance();
                                    pref.setString("email",
                                        model.Login_Emailcontroller.value.text);

////////////
class SplashController extends GetxController
    with GetSingleTickerProviderStateMixin {
  @override
  void onInit() {
    super.onInit();
    Future.delayed(
      const Duration(seconds: 2),
      () async {
        final SharedPreferences pref = await SharedPreferences.getInstance();
        final u = pref.get("email");
        u != null ? Get.toNamed("/HomeScreen") : Get.toNamed("loginScreen");
      },
    );
  }
}

#include<stdio.h>
#include<stdlib.h>
#include<stdbool.h>
int main(){
    int nums[10]={1,2,3,4,5,6,7,8,9};
    printf("%d%d%d%d%d%d%d%d%d%d\n",nums[0],nums[1],nums[2],nums[3],nums[4],nums[5],nums[6],nums[7],nums[8],nums[9]);

    printf("%d\n%d\n%d\n",nums[2],nums[5],nums[8]);

    int numsTable[5][6]={

    {1,2,3,4,5,6},
    {7,8,9,10,11,16},
    {12,13,14,15,17,30},
    {18,19,20,21,22,23},
    {24,25,26,27,28,29}

    };




    printf("\n%d\n%d\n%d\n%d\n%d",numsTable[4][4],numsTable[1][1],numsTable[3][3],numsTable[2][2],numsTable[0][0]);

    printf("\n\n%d %d\n",&nums[0],nums);
    printf("%d %d\n",&numsTable[0],&numsTable[0][0],numsTable);
    printf("%d %d\n",&numsTable[0][1],&numsTable[0][2]);
    printf("%d\n",&numsTable[5][6]);

return 0;


}
//'weak' must not be applied to non-class-bound 'any ListNotesDelegate'; consider adding a protocol conformance that has a class bound

//Whenever we want to create a weak reference the parent of object must conform to a class like AnyObject or UILabel etc.

//Example - 1

@IBOutlet weak private var titleLbl: UILabel!  //Here UILabel is a class
  
//Example - 2

protocol ListNotesDelegate {
    func refreshNotes()
    func deleteNote(with id: UUID)
}  

var delegate: ListNotesDelegate?  //You cannot assign this as weak var 
  
//To define it as weak -

protocol ListNotesDelegate:AnyObject {//Here AnyObject is a type alias for multiple classes
    func refreshNotes()
    func deleteNote(with id: UUID)
}  

weak var delegate: ListNotesDelegate?
// Create a data model file
// -> Create entity and attributes
// -> Set the Codegen property of Entity as Manual/None
// -> Select the Entity, Under Editor -> Create NSManagedObject Classes

//Create a CoreDataManager file

import Foundation
import CoreData

final class CoreDataManager{
    
    static let shared = CoreDataManager(modelName: "UserModel_CD")
    let persistentContainer: NSPersistentContainer
    var viewContext: NSManagedObjectContext{
        return persistentContainer.viewContext
    }
    
    init (modelName: String){
        persistentContainer = NSPersistentContainer(name: modelName)
    }
    
    func load(completion: (() -> Void)? = nil) {
        persistentContainer.loadPersistentStores { (description, error) in
            guard error == nil else {
                fatalError(error!.localizedDescription)
            }
            completion?()
        }
    }
    
    func save(){
        if viewContext.hasChanges{
            do{
                try viewContext.save()
            }catch{
                print("Error While Saving Data !!!")
            }
        }
    }
    
}

//Inside App delegate

func application(_ application: UIApplication, didFinishLaunchingWithOptions launchOptions: [UIApplication.LaunchOptionsKey: Any]?) -> Bool {
        // Override point for customization after application launch
  
        CoreDataManager.shared.load()
  
        return true
}

// Extension that is application specific !!! here the changes are made
extension CoreDataManager{
    //Perform Your CRUD Here !!!
    
    func createUser(with email: String, and password: String){
        let user = UserModel_CD(context: viewContext)
        user.email = email
        user.password = password
        
        do{
            try viewContext.save()
        }catch{
            print(error.localizedDescription)
        }
        
    }
    
    func getAllUser() -> [UserModel_CD]{
        
        do{
            return try viewContext.fetch(UserModel_CD.fetchRequest())
        }catch{
            print(error.localizedDescription)
            return []
        }
        
    }
    
    func updateUser(user: UserModel_CD, updatedUser: UserModel_CD){
        
        user.email = updatedUser.email
        user.password = updatedUser.password
        
        do{
            try viewContext.save()
        }catch{
            print(error.localizedDescription)
        }
        
    }
    
    func deleteUser(user: UserModel_CD){
        viewContext.delete(user)
    }
    
}

//access this method like - CoreDataManager.shared.create()
star

Sun Apr 14 2024 14:27:27 GMT+0000 (Coordinated Universal Time)

@Justus

star

Sun Apr 14 2024 14:22:54 GMT+0000 (Coordinated Universal Time) https://mdbootstrap.com/docs/standard/extended/login/

@niteshpuri #html

star

Sun Apr 14 2024 13:49:30 GMT+0000 (Coordinated Universal Time) https://gree2.github.io/mac/2015/07/18/mac-network-commands-cheat-sheet

@milliedavidson #bash #terminal #mac #networking

star

Sun Apr 14 2024 13:47:13 GMT+0000 (Coordinated Universal Time) https://gree2.github.io/mac/2015/07/18/mac-network-commands-cheat-sheet

@milliedavidson #bash #mac #terminal #networking

star

Sun Apr 14 2024 13:45:53 GMT+0000 (Coordinated Universal Time) https://gree2.github.io/mac/2015/07/18/mac-network-commands-cheat-sheet

@milliedavidson #bash #mac #terminal #networking

star

Sun Apr 14 2024 13:44:27 GMT+0000 (Coordinated Universal Time) https://gree2.github.io/mac/2015/07/18/mac-network-commands-cheat-sheet

@milliedavidson #bash #terminal #mac #networking

star

Sun Apr 14 2024 11:26:26 GMT+0000 (Coordinated Universal Time)

@Amlan #c

star

Sun Apr 14 2024 11:22:34 GMT+0000 (Coordinated Universal Time)

@Amlan #c

star

Sun Apr 14 2024 11:19:27 GMT+0000 (Coordinated Universal Time)

@Amlan #c

star

Sun Apr 14 2024 07:24:56 GMT+0000 (Coordinated Universal Time) https://darkwebmarketbuyer.com/product/buy-usa-drivers-license-online/

@darkwebmarket

star

Sun Apr 14 2024 07:14:38 GMT+0000 (Coordinated Universal Time) https://learn.microsoft.com/pt-br/azure/app-service/quickstart-custom-container?tabs

@renanbesserra

star

Sun Apr 14 2024 06:17:05 GMT+0000 (Coordinated Universal Time)

@HTPrince

star

Sun Apr 14 2024 04:56:25 GMT+0000 (Coordinated Universal Time)

@HTPrince

star

Sat Apr 13 2024 23:13:24 GMT+0000 (Coordinated Universal Time) https://www.programiz.com/python-programming/online-compiler/

@sayouti_19 #python

star

Sat Apr 13 2024 16:21:02 GMT+0000 (Coordinated Universal Time) https://learn.microsoft.com/sv-se/powershell/module/microsoft.powershell.utility/sort-object?view

@dw

star

Sat Apr 13 2024 12:53:28 GMT+0000 (Coordinated Universal Time)

@mubashir_aziz

star

Sat Apr 13 2024 11:24:20 GMT+0000 (Coordinated Universal Time) https://archiesonline.com/

@_prathamgupta_

star

Sat Apr 13 2024 11:18:25 GMT+0000 (Coordinated Universal Time) Gigame Portal

@Divya ##array

star

Sat Apr 13 2024 10:42:39 GMT+0000 (Coordinated Universal Time) Gigame Portal

@Divya ##array #hashmap

star

Sat Apr 13 2024 09:20:11 GMT+0000 (Coordinated Universal Time)

@HTPrince

star

Sat Apr 13 2024 09:09:46 GMT+0000 (Coordinated Universal Time) https://gemini.google.com/app/bc11da33f960b39f

@bharadwajdaya

star

Sat Apr 13 2024 09:01:53 GMT+0000 (Coordinated Universal Time)

@HTPrince

star

Sat Apr 13 2024 08:57:39 GMT+0000 (Coordinated Universal Time)

@freepythoncode ##python #coding #tkinter #gui #python

star

Sat Apr 13 2024 07:21:37 GMT+0000 (Coordinated Universal Time)

@HTPrince

star

Sat Apr 13 2024 06:55:10 GMT+0000 (Coordinated Universal Time)

@HTPrince

star

Sat Apr 13 2024 06:22:34 GMT+0000 (Coordinated Universal Time) https://stackoverflow.com/questions/56081512/how-to-fix-command-not-found-for-aws-cdk-after-running-the-npm-install

@bharadwajdaya

star

Sat Apr 13 2024 03:49:52 GMT+0000 (Coordinated Universal Time)

@docpainting

star

Sat Apr 13 2024 02:25:57 GMT+0000 (Coordinated Universal Time) https://videotronicmaker.com/arduino-tutorials/lm-studio-local-server-with-tts-microsoft-voice-package-tutorial-with-code/

@docpainting #

star

Fri Apr 12 2024 20:07:45 GMT+0000 (Coordinated Universal Time) https://learn.microsoft.com/sv-se/powershell/module/microsoft.powershell.security/new-filecatalog?view

@dw

star

Fri Apr 12 2024 19:53:25 GMT+0000 (Coordinated Universal Time)

@Y@sir

star

Fri Apr 12 2024 19:10:24 GMT+0000 (Coordinated Universal Time) https://www.hover.dev/components/boards

@Shahadat_Anik

star

Fri Apr 12 2024 17:50:38 GMT+0000 (Coordinated Universal Time) https://github.com/jordan123Fun/jjr-bot

@jrdan123

star

Fri Apr 12 2024 17:38:06 GMT+0000 (Coordinated Universal Time) https://openai.com/

@jrdan123

star

Fri Apr 12 2024 17:24:09 GMT+0000 (Coordinated Universal Time)

@wdbeaulac

star

Fri Apr 12 2024 14:22:01 GMT+0000 (Coordinated Universal Time) https://kinsta.com/es/base-de-conocimiento/agregar-codigo/

@salseoweb

star

Fri Apr 12 2024 14:21:48 GMT+0000 (Coordinated Universal Time) https://kinsta.com/es/base-de-conocimiento/agregar-codigo/

@salseoweb

star

Fri Apr 12 2024 13:21:42 GMT+0000 (Coordinated Universal Time)

@Justus

star

Fri Apr 12 2024 12:07:04 GMT+0000 (Coordinated Universal Time)

@Saurabh_Lodhi #swift #coredata

star

Fri Apr 12 2024 09:25:01 GMT+0000 (Coordinated Universal Time)

@dpavone #javascript

star

Fri Apr 12 2024 09:05:38 GMT+0000 (Coordinated Universal Time) https://cp-algorithms.com/algebra/sieve-of-eratosthenes.html

@devdutt

star

Fri Apr 12 2024 09:04:37 GMT+0000 (Coordinated Universal Time) https://maticz.com/crypto-trading-bot-development

@jamielucas #drupal

star

Fri Apr 12 2024 07:52:39 GMT+0000 (Coordinated Universal Time)

@Andpow #php

star

Fri Apr 12 2024 07:49:03 GMT+0000 (Coordinated Universal Time)

@hey123 #dart #flutter

star

Fri Apr 12 2024 06:39:43 GMT+0000 (Coordinated Universal Time)

@HTPrince

star

Fri Apr 12 2024 06:37:48 GMT+0000 (Coordinated Universal Time)

@Saurabh_Lodhi #swift #retailcycle

star

Fri Apr 12 2024 06:27:34 GMT+0000 (Coordinated Universal Time)

@Saurabh_Lodhi #swift #coredata

Save snippets that work with our extensions

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