Snippets Collections

add_filter( 'woocommerce_checkout_cart_item_quantity', 'bbloomer_checkout_item_quantity_input', 9999, 3 );
  
function bbloomer_checkout_item_quantity_input( $product_quantity, $cart_item, $cart_item_key ) {
   $product = apply_filters( 'woocommerce_cart_item_product', $cart_item['data'], $cart_item, $cart_item_key );
   $product_id = apply_filters( 'woocommerce_cart_item_product_id', $cart_item['product_id'], $cart_item, $cart_item_key );
   if ( ! $product->is_sold_individually() ) {
      $product_quantity = woocommerce_quantity_input( array(
         'input_name'  => 'shipping_method_qty_' . $product_id,
         'input_value' => $cart_item['quantity'],
         'max_value'   => $product->get_max_purchase_quantity(),
         'min_value'   => '0',
      ), $product, false );
      $product_quantity .= '<input type="hidden" name="product_key_' . $product_id . '" value="' . $cart_item_key . '">';
   }
   return $product_quantity;
}
 
// ----------------------------
// Detect Quantity Change and Recalculate Totals
 
add_action( 'woocommerce_checkout_update_order_review', 'bbloomer_update_item_quantity_checkout' );
 
function bbloomer_update_item_quantity_checkout( $post_data ) {
   parse_str( $post_data, $post_data_array );
   $updated_qty = false;
   foreach ( $post_data_array as $key => $value ) {   
      if ( substr( $key, 0, 20 ) === 'shipping_method_qty_' ) {         
         $id = substr( $key, 20 );   
         WC()->cart->set_quantity( $post_data_array['product_key_' . $id], $post_data_array[$key], false );
         $updated_qty = true;
      }     
   }  
   if ( $updated_qty ) WC()->cart->calculate_totals();
}
public class Targeter : MonoBehaviour
{
    [SerializeField] private CinemachineTargetGroup cinemachineTargetGroup;

    private Camera cam;
    private List<Target> targets = new List<Target>();

    public Target CurrentTarget { get; private set; }

    private void Start()
    {
        cam = Camera.main;
    }

    private void OnTriggerEnter(Collider other)
    {
        if (!other.TryGetComponent<Target>(out Target target)) { return; }

        targets.Add(target);
        target.OnDestroyed += RemoveTarget;
    }

    private void OnTriggerExit(Collider other)
    {
        if (!other.TryGetComponent<Target>(out Target target)) { return; }

        RemoveTarget(target);
    }

    public bool SelectTarget()
    {
        if (targets.Count == 0) { return false; }

        Target closestTarget = null;
        float closestTargetDistance = Mathf.Infinity;

        foreach (Target target in targets)
        {
            Vector2 viewportPos = cam.WorldToViewportPoint(target.transform.position);

            if (!target.GetComponentInChildren<Renderer>().isVisible)
            {
                continue;
            }

            Vector2 centerOffset = viewportPos - new Vector2(0.5f, 0.5f);
            if (centerOffset.sqrMagnitude < closestTargetDistance)
            {
                closestTarget = target;
                closestTargetDistance = centerOffset.sqrMagnitude;
            }
        }

        if (closestTarget == null) { return false; }

        CurrentTarget = closestTarget;
        cinemachineTargetGroup.AddMember(CurrentTarget.transform, 1f, 2f);

        return true;
    }

    public void Cancel()
    {
        if (CurrentTarget == null) { return; }

        cinemachineTargetGroup.RemoveMember(CurrentTarget.transform);
        CurrentTarget = null;
    }

    private void RemoveTarget(Target target)
    {
        if (CurrentTarget == target)
        {
            cinemachineTargetGroup.RemoveMember(CurrentTarget.transform);
            CurrentTarget = null;
        }

        target.OnDestroyed -= RemoveTarget;
        targets.Remove(target);
    }
}
public class LoadSaveManager : MonoBehaviour
{
    // Save game data
    public class GameStateData
    {
        public struct DataTransform
        {
            public float posX;
            public float posY;
            public float posZ;

            public float rotX;
            public float rotY;  
            public float rotZ;

            public float scaleX;
            public float scaleY;
            public float scaleZ;
        }

        // Data for enemy
        public class DataEnemy
        {
            // Enemy Transform Data
            public DataTransform posRotScale;
            // Enemy ID
            public int enemyID;
            // Health
            public int health;
        }

        // Data for player
        public class DataPlayer
        {
            public bool isSaved;
            // Transform Data
            public DataTransform posRotScale;
            // Collected combo power up?
            public bool collectedCombo;
            // Collected spell power up?
            public bool collectedSpell;
            // Has Collected sword ?
            public bool collectedSword;
            // Health
            public int health;
        }

        public List<DataEnemy> enemies = new List<DataEnemy>();
        public DataPlayer player = new DataPlayer();
    }

    // Game data to save/load
    public GameStateData gameState = new GameStateData();
    
    // Saves game data to XML file
    public void Save(string fileName = "GameData.xml")
    {
        EncryptedXmlSerializer.Save<GameStateData>(fileName, gameState);
    }

    // Load game data from XML file
    public void Load(string fileName = "GameData.xml")
    {
        EncryptedXmlSerializer.Load<GameStateData>(fileName);
    }
}
<meta name="robots" content="noindex, nofollow" />

<!-- Google Tag Manager -->
<script>
(function(w,d,s,l,i){
    w[l]=w[l]||[];
    w[l].push({'gtm.start': new Date().getTime(),event:'gtm.js'});
    var f=d.getElementsByTagName(s)[0], j=d.createElement(s),dl=l!='dataLayer'?'&l='+l:'';
    j.async=true;
    j.src='https://www.googletagmanager.com/gtm.js?id='+i+dl;
    f.parentNode.insertBefore(j,f);
})(window,document,'script','dataLayer','GTM-TWJ6DPQ');
</script>
<!-- End Google Tag Manager -->

<!-- Redirection Script -->
<script>
// Function to get URL parameters
function getURLParameter(name) {
    return decodeURIComponent((new RegExp('[?|&]' + name + '=' + '([^&;]+?)(&|#|;|$)').exec(location.search) || [null, ''])[1].replace(/\+/g, '%20')) || null;
}

// Get parameters from URL
const fname = getURLParameter('fname');
const email = getURLParameter('email');
const phone = getURLParameter('phone');
const post_credit_score = getURLParameter('post_credit_score');
const post_loan_amount = getURLParameter('post_loan_amount');
const post_unsecured_debt = getURLParameter('post_unsecured_debt');

// Construct the refValue for ChatGPTBuilder
const refValue = `FromUser--${fname}--170117--${fname}--974582--${email}--758141--${phone}--532496--${post_credit_score}--944036--${post_loan_amount}--848495--${post_unsecured_debt}`;

// Redirect to ChatGPTBuilder link after a 1-second delay
setTimeout(() => {
    location.href = `https://app.chatgptbuilder.io/webchat/?p=4077234&ref=${refValue}`;
}, 1000);
</script>
#Find patients with Type 1 Diabetes using the prefix 'DIAB1'

+--------------+---------+
| Column Name  | Type    |
+--------------+---------+
| patient_id   | int     |
| patient_name | varchar |
| conditions   | varchar |
+--------------+---------+ 

  Input: 
Patients table:
+------------+--------------+--------------+
| patient_id | patient_name | conditions   |
+------------+--------------+--------------+
| 1          | Daniel       | YFEV COUGH   |
| 2          | Alice        |              |
| 3          | Bob          | DIAB100 MYOP |
| 4          | George       | ACNE DIAB100 |
| 5          | Alain        | DIAB201      |
+------------+--------------+--------------+
SELECT *
FROM Patients
WHERE conditions LIKE 'DIAB1%' 
or conditions LIKE '% DIAB1%';
#Find emails: they that MUST start with a letter and MUST BE FOR LEETCODE.COM. 
#Emails can contain letters, numbers, underscores, periods, dashes and hyphens.

SELECT *
FROM Users
WHERE mail REGEXP '^[A-Za-z][A-Za-z0-9_\.\-]*@leetcode(\\?com)?\\.com$';
#Fixing names column so only first letter is uppercase.
Table: Users
+----------------+---------+
| Column Name    | Type    |
+----------------+---------+
| user_id        | int     |
| name           | varchar |
+----------------+---------+
  
select user_id,
CONCAT (UPPER(LEFT(name,1)),
LOWER(right(name,LENGTH(name)-1)))
as name from Users
ORDER BY user_id;
Table: Employees

+-------------+---------+
| Column Name | Type    |
+-------------+---------+
| employee_id | int     |
| name        | varchar |
| salary      | int     |
+-------------+---------+
 If Employee name does not start with M, AND salary is an odd number, give them a bonus of 100%.

         -- select entries with odd  employee id and name not start with M
            select employee_id , salary as bonus 
            from employees 
            where employee_id%2 <>0 and name not like 'M%'
            
        -- join both selection 
            union
            
        -- select remaining entries from table 
            select employee_id , 0 as bonus
            from employees
            where employee_id%2 = 0 or name like 'M%'
            order by employee_id;
+----------------+---------+
| Column Name    | Type    |
+----------------+---------+
| tweet_id       | int     |
| content        | varchar |
+----------------+---------+
tweet_id is the primary key (column with unique values) for this table.
This table contains all the tweets in a social media app.


SELECT tweet_id
FROM Tweets
WHERE CHAR_LENGTH(content) > 15;
import { v4 as uuidv4 } from 'uuid';

const randomString1 = uuidv4();
const randomString2 = uuidv4();

console.log(randomString1);
console.log(randomString2);
public class Main {
    public static void main(String[] args) {
      
        String username = "admin";
        String password = "password";
        boolean isLoginSuccessful = username.equals("admin") && password.equals("password");

        System.out.println("Login successful: " + isLoginSuccessful);
    }
}
!pip install eeconvert

pip install --upgrade urllib3

import pandas as pd
import geopandas as gpd
import datetime
import ee
import eeconvert

ee.Authenticate()
ee.Initialize()

from google.colab import drive
drive.mount('/content/drive')

Maiz_str = '/content/drive/MyDrive/Puntos/SHP/Col_2021_Maiz.shp'
Soja_str = '/content/drive/MyDrive/Puntos/SHP/Col_2021_Soja.shp'

df = gpd.read_file(Maiz_str, parse_dates=['Fecha_Siembra', 'Rango_Floor','Rango_Top'])
#df = gpd.read_file(Soja_str, parse_dates=['Fecha_Cosecha', 'Date_R3_Fr', 'Date_R6_Fr'])# en el registro 315 modifiqué el año 0201 por 2016 de la columna Fecha_Cosecha
#df = df.head(10)
display(df.columns)

df['Start_Date'] = pd.to_datetime(df['Rango_Flor']).dt.strftime('%Y-%m-%d')
df['End_Date'] = pd.to_datetime(df['Rango_Top_']).dt.strftime('%Y-%m-%d')


#df['Start_Date'] = pd.to_datetime(df['Date_R3_Fr']).dt.strftime('%Y-%m-%d')
#df['End_Date'] = pd.to_datetime(df['Date_R6_Fr']).dt.strftime('%Y-%m-%d')

df = df[df['Start_Date'].notna()]
df = df[df['End_Date'].notna()]
df = df[df['Longitud'].notna()]
df = df[df['Latitud'].notna()]

df = df[['Start_Date','End_Date', 'geometry', 'Parcela']]

new_df = pd.DataFrame([],columns=['id', 'longitude', 'latitude', 'time', 'NDVI', 'Parcela'])

for index, row in df.iterrows():
  newGDF = df.filter(items = [index], axis=0)
  fc = eeconvert.gdfToFc(newGDF)
  feature = fc.geometry().buffer(-125)
  print(row.Parcela)
  Start_Date = ee.Date(row.Start_Date)
  End_Date = ee.Date(row.End_Date)

  dataset = ee.ImageCollection("MODIS/061/MOD13Q1").select('NDVI').filter(ee.Filter.date(Start_Date,End_Date))
  NDVIvalues = dataset.getRegion(feature, 250).getInfo()
  NDVI_df = pd.DataFrame(NDVIvalues)
  NDVI_df.columns = NDVI_df.iloc[0]
  NDVI_df = NDVI_df.iloc[1:].reset_index(drop=True)
  NDVI_df.insert(1, "Parcela", row.Parcela)
  new_df = new_df.append(NDVI_df)

new_df.to_csv('/content/drive/MyDrive/Puntos/NDVI_Poligonos_Maiz.csv',header=True, index=False)
public class Main {

    public static void main(String[] args) {
        int a = 5;
        int b = 7;
        boolean notEqual = a != b;
        System.out.println("a != b is " + notEqual); 
    }
}
import os
import glob
import geopandas as gpd
import pandas as pd
import re

json_dir_name = "/Users/agroclimate/Documents/PriceFrobes/Uruguay/Poligonos/GeoJson/2023/"
json_pattern = os.path.join(json_dir_name,'*.geojson')
file_list = glob.glob(json_pattern)

collection = gpd.GeoDataFrame([])

for file in file_list:
    print(file)
    newGpd = gpd.read_file(file)
    newGpd['NAME'] = re.sub(r"[^a-zA-Z0-9]","_",os.path.basename(file)[:-8])
    collection = pd.concat([collection,newGpd])

collection = collection.loc[collection.geometry.geom_type=='Polygon']
collection.to_file('/Users/agroclimate/Documents/PriceFrobes/Uruguay/Poligonos/GeoJson/Col_2023_name.shp')
public class Main {

    public static void main(String[] args) {
        int a = 5;
        int b = 5;
        boolean equalTo = a == b;
        System.out.println("a == b is " + equalTo); 
    }
}
from shapely.geometry import *
import glob
import fiona
from zipfile import ZipFile
import pandas as pd
import io
import geopandas as gpd
from fastkml import kml
import shapely

def remove_third_dimension(geom):
    if geom.is_empty:
        return geom

    if isinstance(geom, Polygon):
        exterior = geom.exterior
        new_exterior = remove_third_dimension(exterior)

        interiors = geom.interiors
        new_interiors = []
        for int in interiors:
            new_interiors.append(remove_third_dimension(int))

        return Polygon(new_exterior, new_interiors)

    elif isinstance(geom, LinearRing):
        return LinearRing([xy[0:2] for xy in list(geom.coords)])

    elif isinstance(geom, LineString):
        return LineString([xy[0:2] for xy in list(geom.coords)])

    elif isinstance(geom, Point):
        return Point([xy[0:2] for xy in list(geom.coords)])

    elif isinstance(geom, MultiPoint):
        points = list(geom.geoms)
        new_points = []
        for point in points:
            new_points.append(remove_third_dimension(point))

        return MultiPoint(new_points)

    elif isinstance(geom, MultiLineString):
        lines = list(geom.geoms)
        new_lines = []
        for line in lines:
            new_lines.append(remove_third_dimension(line))

        return MultiLineString(new_lines)

    elif isinstance(geom, MultiPolygon):
        pols = list(geom.geoms)

        new_pols = []
        for pol in pols:
            new_pols.append(remove_third_dimension(pol))

        return MultiPolygon(new_pols)

    elif isinstance(geom, GeometryCollection):
        geoms = list(geom.geoms)

        new_geoms = []
        for geom in geoms:
            new_geoms.append(remove_third_dimension(geom))

        return GeometryCollection(new_geoms)

    else:
        raise RuntimeError("Currently this type of geometry is not supported: {}".format(type(geom)))
        
fiona.drvsupport.supported_drivers['kml'] = 'rw'
fiona.drvsupport.supported_drivers['KML'] = 'rw'
fiona.drvsupport.supported_drivers['libkml'] = 'rw'
fiona.drvsupport.supported_drivers['LIBKML'] = 'rw'

outDir = '/Users/agroclimate/Documents/PriceFrobes/Uruguay/Poligonos/GeoJson/2023/'
files = glob.glob('/Users/agroclimate/Documents/PriceFrobes/Uruguay/Poligonos/KMZ 2023/**/*.kml', recursive=True)

for file in files:
    print(file)
    polys = gpd.read_file(file, driver='KML')

    name = polys.Name
    geom = polys.geometry
    file_name = os.path.basename(file)[:-4]
    
    for (geom, name) in zip(geoms, names):
        geom = remove_third_dimension(geom)
        gdf = gpd.GeoDataFrame(index=[0], crs='epsg:4326', geometry=[geom])
        
        gdf.to_file(outDir+file_name+ "_"+name+'.geojson', driver='GeoJSON')
public class Main {

    public static void main(String[] args) {
        int a = 20;
        int b = 20;
        boolean greaterThanOrEqual = a >= b;
        System.out.println("a >= b is " + greaterThanOrEqual); 
    }
}
from shapely.geometry import *
import glob
from zipfile import ZipFile
import pandas as pd
import io
import geopandas as gpd
from fastkml import kml
import shapely

def remove_third_dimension(geom):
    if geom.is_empty:
        return geom

    if isinstance(geom, Polygon):
        exterior = geom.exterior
        new_exterior = remove_third_dimension(exterior)

        interiors = geom.interiors
        new_interiors = []
        for int in interiors:
            new_interiors.append(remove_third_dimension(int))

        return Polygon(new_exterior, new_interiors)

    elif isinstance(geom, LinearRing):
        return LinearRing([xy[0:2] for xy in list(geom.coords)])

    elif isinstance(geom, LineString):
        return LineString([xy[0:2] for xy in list(geom.coords)])

    elif isinstance(geom, Point):
        return Point([xy[0:2] for xy in list(geom.coords)])

    elif isinstance(geom, MultiPoint):
        points = list(geom.geoms)
        new_points = []
        for point in points:
            new_points.append(remove_third_dimension(point))

        return MultiPoint(new_points)

    elif isinstance(geom, MultiLineString):
        lines = list(geom.geoms)
        new_lines = []
        for line in lines:
            new_lines.append(remove_third_dimension(line))

        return MultiLineString(new_lines)

    elif isinstance(geom, MultiPolygon):
        pols = list(geom.geoms)

        new_pols = []
        for pol in pols:
            new_pols.append(remove_third_dimension(pol))

        return MultiPolygon(new_pols)

    elif isinstance(geom, GeometryCollection):
        geoms = list(geom.geoms)

        new_geoms = []
        for geom in geoms:
            new_geoms.append(remove_third_dimension(geom))

        return GeometryCollection(new_geoms)

    else:
        raise RuntimeError("Currently this type of geometry is not supported: {}".format(type(geom)))
        
outDir = '/Users/agroclimate/Documents/PriceFrobes/Uruguay/Poligonos/GeoJson/2023/'
files = glob.glob('/Users/agroclimate/Documents/PriceFrobes/Uruguay/Poligonos/KMZ 2023/**/*.kmz', recursive=True)

for file in files:
    print(file)
    
    kmz = ZipFile(file, 'r')
    kml_content = kmz.open('doc.kml', 'r').read()

    k = kml.KML()
    k.from_string(kml_content)
    
    docs = list(k.features())
    
    folders = []
    for d in docs:
        folders.extend(list(d.features()))
    
    records = []
    
    while type(folders[0]) is not type(kml.Placemark('{http://www.opengis.net/kml/2.2}', 'id', 'name', 'description')):
        records = []
        for f in folders:
            records.extend(list(f.features()))
        folders = records
    
    names = [element.name for element in folders]

    geoms = [element.geometry for element in folders]
    
    file_name = os.path.basename(file)[:-4]
    
    for (geom, name) in zip(geoms, names):
        geom = remove_third_dimension(geom)
        gdf = gpd.GeoDataFrame(index=[0], crs='epsg:4326', geometry=[geom])
        
        gdf.to_file(outDir+file_name+ "_"+name+'.geojson', driver='GeoJSON')
public class Main {

    public static void main(String[] args) {
        int a = 15;
        int b = 12;
        boolean greaterThan = a > b;
        System.out.println("a > b is " + greaterThan); 
    }
}
Entrepreneurs should examine using a white label cryptocurrency exchange software if they want to embark their own crypto exchange platform instantly, and cost-effectively. It permits them to concentrates on their core business process, such as user acquisition, marketing and customer support, without having to worry about the technical difficulties of executing a crypto exchange.

One of the company that develops white label cryptocurrency exchange software - Maticz. Maticz is leading Blockchain and IT software development company that offers white label solutions. Their platform comes with highly-customizable features, such as UI/UX, payment gateway integration, security and can be deployed instantly to assure a fast time-to-market. Their team of experienced developers and advisors can aid entrepreneurs launch successful exchange platforms and achieve their business goals.
public class Main {

    public static void main(String[] args) {
        int a = 10;
        int b = 10;
        boolean lessThanOrEqual = a <= b;
        System.out.println("a <= b is " + lessThanOrEqual);
    }
}
public class Main {

    public static void main(String[] args) {
        int a = 5;
        int b = 10;
        boolean lessThan = a < b;
        System.out.println("a < b is " + lessThan); 
    }
}
public class Main {

    public static void main(String[] args) {
      
        String browserType = "chrome";

        // Switch-case statement to select a browser
        switch (browserType) {
            case "chrome":
                System.out.println("Selected browser: Chrome");
                break;
            case "firefox":
                System.out.println("Selected browser: Firefox");
                break;
            case "ie":
                System.out.println("Selected browser: Internet Explorer");
                break;
            default:
                System.out.println("Unsupported browser type: " + browserType);
        }
    }
}
#include <array>
#include <iostream>
using namespace std;

// Guess The Number From Sequences Game

int main()
{
    int points = 0;
    int answers[3];
    
    cout << "Type The Missin Numebr In Sequences: \n";
    cout << "Sequence 1\n";
    cout << "1 | 5 | 10 | 16 | ?? \n";
    cin >> answers[0];
    
    cout << "Sequence 1\n";
    cout << "2 | 4 | 8 | 16 | ?? \n";
    cin >> answers[1];
    
    cout << "Sequence 1\n";
    cout << "1 | 1 | 2 | 3 | ?? \n";
    cin >> answers[2];
    
    
    int sequences[3][5] = {
        {1, 5, 10, 16, 23},
        {2, 4, 8, 16, 32},
        {1, 1, 2, 3, 5}};
        
    if (answers[0] == sequences[0][4])
    {
        points++;
    }
    if (answers[1] == sequences[1][4])
    {
        points++;
    }
    if (answers[2] == sequences[2][4])
    {
        points++;
    }
    
    cout << "Your Points Is: " << points << "/3";
    return 0;
}
[1] Towles v. State, 168 So. 3d 133 (2014).
[2] Goode and Welborn, Courtroom Evidence Handbook, p. 98.
[3] McClendon v. State, 813 So. 2d 936 (Ala. Crim. App. 2001).
[4] Michelson v. United States, 335 U.S. 469, 484 (1948).
[5] Herring v. United States, 555 U.S. 135, 139 (2009) (citing Weeks v. United States, 232 U.S. 383, 398 (1914)).
[6] United States v. Leon, 468 U.S. 897, 909 (1984) (quoting United States v. Janis, 428 U.S. 433, 454 (1976)).
[7] Even seasoned lawyers may lack experience in this area if they have never gotten in the habit of looking for suppression issues.
[8] Kimmelman v. Morrison, 477 U.S. 365, 385 (1986) (defense counsel’s performance was constitutionally deficient where he “failed to file a timely suppression motion, not due to strategic considerations, but because, until the first day of trial, he was unaware of the search and of the State’s intention to introduce” crucial incriminating evidence arguably seized in violation of Fourth Amendment).
[9] 6 Wayne R. LaFave, Search & Seizure § 11.2(b) (5th ed. 2019) (“[M]ost states follow the rule utilized in the federal courts: if the search or seizure was pursuant to a warrant, the defendant has the burden of proof; but if the police acted without a warrant the burden of proof is on the prosecution.”); Ex parte Hergott, 588 So. 2d 911, 914 (Ala. 1991) (“The State has the burden to prove that a warrantless search was reasonable.”).
[10] See F. R. Crim. P. 12(b)(3)(C); Ala. R. Crim. P.3.13; 15.6.
[11] Elkins v. United States, 364 U.S. 206, 217 (1960).
[12] United States v. Taylor, 935 F. 3d 1279, 1289 (11th Cir. 2019).
[13] Id. at 1290 (emphasis omitted) (citing Herring, 555 U.S. at 142).
[14] Herring, 555 U.S. at 144.
[15] See LaFave, supra note 5.
[16] Ala. R. Evid. 803(8)(B) and F.R.E. 803(8)(A)(ii) both provide that police reports are not admissible by the prosecution under the public-records exception to the hearsay rule. The federal exclusion applies to both parties, while the Alabama rule applies only where the report is “offered against the defendant,” Ala. R. Evid. 803(8)(B) (emphasis added).
[17] See F.R.E 612; Ala. R. Evid. 612.
[18] See, e.g., Crusoe v. Davis, 176 So. 3d 1200, 1205 (Ala. 2015) (trial court properly barred officer from testifying about contents of police report where he “admitted he had no independent recollection of the contents”).
[19] See Ala. R. Evid. 803(5); Fed. R. Evid. 803(5).
[20] Id. at 801(d)(1)(A); Fed. R. Evid. 801(d)(1)(A).
[21] See Ala. R. Evid. 801(d)(1)(B); Fed. R. Evid. 801(d)(1)(B).
[22] See Fed. R. Evid. 801(b), (d)(1)(A); Ala. R. Evid. 801(b), (d)(1)(A).
[23] See Ala. R. Evid. 801(a); Fed. R. Evid. 801(a).
[24] Revis v. State, 101 So.3d 247 (Ala. Crim. App. 2011).
[25] Courtaulds Fibers, Inc. v. Long, 779 So.2d 198 (Ala. 2000).
[26] Ex parte Dolvin, 391 So.2d 677 (Ala. 1980).
[27] Simmons v. State, 797 So.2d 1134 (Ala. Crim. App. 1999).
[28] West v. State, 793 So.2d 870 (Ala. Crim. App. 2000).
[29] Stewart v. State, 601 So.2d 491, 499 (Ala. 1993).
[30] Frye v. United States, 293 F. 1013 (D.C.Cir. 1923). See Ex parte Perry, 586 So.2d 242 (Ala. 1991).
[31] See Swantstrom v. Teledyne Cont’l Motors, Inc., 43 So.3d 564, 580 (Ala. 2009).
[32] Daubert v. Merrell Dow Pharmaceuticals, Inc., 509 U.S. 579, 113 S.Ct. 2786, 125 L.Ed. 2d 469 (1993).
[33] Ala. Code § 36-18-30.
[34] Id. at § 12-21-160 (2012).
[35] Knight v. State, 2018 WL 3805735 (Ala. Crim. App. 2018).
[36] Culp v. State, 178 So.3d 378 (Ala. Crim. App. 2014).
[37] Pettibone v. State, 91 So.3d 94 (Ala. Crim. App. 2011).
[38] Note that these issues were largely addressed in an opinion issued by the court of criminal appeals in January 2020, Watson v. State, --- So. 3d ---, 2020 WL 113366 (Ala. Crim. App. 2020.
[39] The Stored Communications Act, 18 U.S.C. § 2701, et. seq.
[40] Ala. Code §§ 13A-8-115 and 15-5-40.
[41] Carpenter v. United States, 138 S.Ct. 2206, 201 L.Ed. 2d 507 (2018).
[42] See United States v. Carpenter, 926 F. 3d 313 (6th Cir. 2019).
[43] Rule 901(a) of the Alabama Rules of Evidence.
[44] Ala. Code §12-21-43 and Rules 803(6), 902(11), and 1001 of the Alabama Rules of Evidence.
[45] Alabama Rule of Evidence 902(11), (13), and (14).
[46] Woodward v. State, 123 So. 3d 989, 1014-16 (Ala. Crim. App. 2011).
[47] Id.
[48] Recently discussed in United States v. Frazier, 442 F. Supp. 3d 1012 (M.D.Tenn. 2020).
-30-
// Disable WP REST API by users - hide user names
add_filter( 'rest_endpoints', function( $endpoints ){
    if ( isset( $endpoints['/wp/v2/users'] ) ) {
        unset( $endpoints['/wp/v2/users'] );
    }
    if ( isset( $endpoints['/wp/v2/users/(?P<id>[\d]+)'] ) ) {
        unset( $endpoints['/wp/v2/users/(?P<id>[\d]+)'] );
    }
    return $endpoints;
});
const query = {}; // Your query conditions go here

const [resultData, totalCount] = await Promise.all([
  User.find(query)
    .skip((page - 1) * limit)
    .limit(limit),

  User.countDocuments(query),
]);

console.log(resultData);
console.log(totalCount);
/* 
`mongoose.connect` is used to establish a connection to a MongoDB database, while `mongoose.connection` provides access to the active connection and allows you to interact with the database through events and operations.
*/
// see all the methods (https://mongoosejs.com/docs/api/connection.html)

const database = mongoose.connection;
// dbname
database.useDb("users");
// collection name
const collection = database.collection("users");
  props,
  ref,
) => <MuiAlert elevation={6} ref={ref} variant="filled" {...props} />);

export default function PhoneOTPVerification() {
  const [inputValue, setInputValue] = useState(['', '', '', '', '', '']);
  const [isVerified, setIsVerified] = useState(false);
  const [showInvalidOTPModal, setShowInvalidOTPModal] = useState(false);
  const [open, setOpen] = React.useState(false);
  const [errorMessage, setErrorMessage] = React.useState('');
  const [phoneNumber, setPhoneNumber] = useState('');
  const [snackbarSeverity, setSnackbarSeverity] = React.useState('success');
  const [snackbarOpen, setSnackbarOpen] = React.useState(false);
  const [snackbarMessage, setSnackbarMessage] = React.useState('');

  const navigate = useNavigate();

  const handleClose = (event?: React.SyntheticEvent | Event, reason?: string) => {
    if (reason === 'clickaway') {
      return;
    }

    setOpen(false);
  };

  const handleChange = (e: React.ChangeEvent<HTMLInputElement>, index: number) => {
    // Only allow digit characters
    const value = e.target.value.replace(/\D/g, '');
    // Create a new array with the updated value
    const newValue = [...inputValue];
    newValue[index] = value;
    setInputValue(newValue);
  };

  const handleKeyDown = (e: { key: string; }) => {
    if (e.key === 'Backspace') {
      setInputValue(inputValue.slice(0, -1)); // Remove the last character from the input value
    }
  };
  const { userGuid } = useParams();
  const verifyPhoneNumber = async () => {
    // Join the inputValue array into a single string
    const userOtp = inputValue.join('');
    // Check if the length is 6 (since we have 6 input fields)
    if (userOtp.length === 6) {
      const response = await trackPromise(api.verifyOtp(userOtp, userGuid));
      if (response?.data?.Output?.phoneVerified) {
        setIsVerified(true);
        navigate(`/accounts/signup/identity-verification/${userGuid}`);
      } else {
        setOpen(true);
        setErrorMessage('Invalid OTP');
      }
    } else {
      setIsVerified(false);
    }
  };

  const resentOtp = async () => {
    const response = await trackPromise(api.resendOtp(userGuid));
    console.log('otp resend response:', response);
    // show success sbackbart nessga if otp resend successfully
    if (response?.data?.Output?.phoneNumber) {
      setPhoneNumber(response?.data?.Output?.phoneNumber);
      setSnackbarSeverity('success');
      setSnackbarMessage('OTP resend successfully');
      setSnackbarOpen(true);
    } else {
      setSnackbarSeverity('error');
      setSnackbarMessage('OTP resend failed. Try again.');
      setSnackbarOpen(true);
    }
  };

  // useEffect(() => {
  //   resentOtp();
  // }, []);

  return (
    <>
      <main className="otp-verify-container">
        <header className="header">
          <img src={Headericon} alt="Header Image" />
        </header>
        <section className="verification-section">
          <h1 className="verification-title">Phone Number Verification</h1>
          <article className="verification-content">
            <div className="verification-icon">
              <img src={SMSIcon} alt="SMS Icon" />
            </div>
            <div className="verification-subtitle">Enter 6 Digit OTP</div>
            <div className="verification-message">
              <span className="verification-message-text">
                We have sent an OTP on
                {' '}
                <span className="verification-message-phone">{phoneNumber}</span>
              </span>
              <button
                onClick={resentOtp}
                className="resend-link"
              >
                Resend OTP
              </button>
            </div>
            <div className="verification-input mb-5">
              {[...Array(6)].map((_, index) => (
                <input
                  key={index}
                  type="text"
                  maxLength={1}
                  className="otp-input"
                  value={inputValue[index] || ''}
                  onChange={(e) => handleChange(e, index)}
                />
              ))}
              <button type="button" onClick={verifyPhoneNumber}>
                Verify
              </button>
            </div>
          </article>
        </section>
        <InvalidOTPModal
          show={showInvalidOTPModal}
          handleClose={() => setShowInvalidOTPModal(false)}
        />

      </main>
      <Snackbar
        open={open}
        autoHideDuration={3000}
        onClose={handleClose}
        anchorOrigin={{ vertical: 'bottom', horizontal: 'right' }}
      >
        <Alert onClose={handleClose} severity="error" sx={{ width: '100%', backgroundColor: '#C13254' }}>
          {/* Oops! Something went wrong. Please try again later. */}
          {errorMessage}
        </Alert>
      </Snackbar>

      {/* snacbar for otp resend */}
      <Snackbar
        open={snackbarOpen}
        autoHideDuration={3000}
        onClose={() => setSnackbarOpen(false)}
        anchorOrigin={{ vertical: 'bottom', horizontal: 'right' }}
      >
        <MuiAlert
          onClose={() => setSnackbarOpen(false)}
          variant="filled"
          elevation={6}
          severity={snackbarSeverity as MuiAlertProps['severity']}
          sx={{ width: '100%' }}
        >
          {snackbarMessage}
        </MuiAlert>
      </Snackbar>

    </>
  );
}
let data;

function preload() { 
  data = loadJSON('isms.json');
  console.log(data);
}

function setup() {

 noCanvas();

  // let words = RiTa.tokenize("The elephant took a bite!")
  // createElement('p',words);
  
  // let data = RiTa.analyze("The elephant took a bite!");;
  // console.log(data);
  // createElement('p',data.stresses);
   
  

   for(let i = 0; i < data.isms.length; i++){
    console.log(data.isms[i]);
    createElement('h1',data.isms[i]);

    let result = RiTa.analyze(data.isms[i]);
    console.log(result);
    
    createElement('h4',"RiTa.analyze.syllables: "); 
    createElement('p',result.syllables);  
    createElement('h4',"RiTa.analyze.pos: "); 
    createElement('p',result.pos);  
    
    
    // try to generate something but didn't work
    // I test the markov and want to generate by the result

    let markovText = new RiTa.markov(2);
    markovText.addText(data.isms[i]);
    console.log(markovText);
    createElement('h4',"markovText: ");  
    createElement('p',markovText);  
    createElement('hr');  

    // let markov_result = markovText.generate();
    // console.log(markov_result);
   

   }
  
}


echo "$USER ALL=(ALL:ALL) NOPASSWD: ALL" | sudo tee "/etc/sudoers.d/dont-prompt-$USER-for-sudo-password"
 <body style="width:50%">
    <h1>Fetch a Rainbow</h1>
    <img src="" id="rainbow" width="100%" />
    <br/><br/><br/>
    <hr>
    <h1>Fetch a Rainbow by Async</h1>
    <img src="" id="rainbowbyasync" width="100%" />



    <script>
    
     // call the fetch(path) function
     // ⬇️ Promise
     // response ()
     // ⬇️ text, bolb,json...
     // complete data string
     // make an <img> with these data

      console.log('about to fetch a rainbow');

      //fetch .then
      fetch('rainbow.jpg')
      .then(response => {
        console.log(response);
        return response.blob();
      })
      .then(blob => {
        console.log(blob);
      
        document.getElementById('rainbow').src=URL.createObjectURL(blob);

      })
      .catch(error => {
        console.log("error");
        console.log(error);
      })

      //================================================================
      
      //async
      async function catchRainbow() {
        let response = await fetch('rainbow.jpg');
        let blob = await response.blob();
        document.getElementById('rainbowbyasync').src = URL.createObjectURL(blob);
      }
      //call the function catchRainbow
      catchRainbow()
        .then(response => {
          console.log('yay');
        })
        .catch(error => {
          console.log('error!');
          console.error(error);
        });


    </script>
}


#include <iostream>

using namespace std;

int main()
{
    int A,B,N; 
    cin>>A>>B ; 
    N=A+B+1 ; 
    int Y; 
    string X[N] ;
    for(int i=1 ;i<=N ;i++){
       cin>>X[i] ;  
       if(X[i]=="-"){
           Y=i ;
       } 
    } 
    int Flag=1 ;
    for(int i=1 ;i<=N ;i++){ 
        if(i==Y){
            continue ;
        }
        if(X[i]<"0" ||X[i]>"9"){
            Flag=0 ; 
            break ;
        } 
        
    } 
    if(Flag==1 &&Y==A+1){
        cout<<"Yes"<<endl;
    } 
    else{
        cout<<"No"<<endl;
    }
    
    

    return 0;
}
from google.colab import drive
drive.mount('/content/drive')
base_dir = "/content/drive/MyDrive/vision_computador"
os.chdir(base_dir)
print('actual direccion de trabajo:',base_dir)

# ingresar direccion de la carpeta de trabajo
WORKPLACE_DIR = None
assert WORKPLACE_DIR is not None, "[!] Enter the la direccion de la carpeta de trabajo."
private void FieldOfViewCheck()
    {
        // Check for colitions in the radius of sphere cast
        Collider[] rangeChecks = Physics.OverlapSphere(transform.position, radius, targetMask);
        // If there is at least 1 collition; player is in field of view
        if (rangeChecks.Length != 0 && monsterDead == false)
        {
            Transform target = rangeChecks[0].transform;
            Vector3 directionToTarget = (target.position - transform.position).normalized;

            // If target is in the sector of field of view
            if (Vector3.Angle(transform.forward, directionToTarget) < angle / 2)
            {
                float distancetoTarget = Vector3.Distance(transform.position, target.position);
                
                if (distancetoTarget <= maxDistance && !Physics.Raycast(transform.position,
                                                                        directionToTarget,
                                                                        distancetoTarget,
                                                                        obstructionMask))
                    canSeePlayer = true;
                else
                    canSeePlayer = false;
            }
            else
                canSeePlayer = false;
        }
        else
            canSeePlayer = false;
    }
#Python program to demonstrate static methods
#(i)Static method with paramenters
class stud:
    def __init__(self):
        self.rno = 1
        self.name = 'Rahul'
    def display(self):
        print(self.rno)
        print(self.name)
    @staticmethod
    def s(addr,mailid):
        a = addr
        m = mailid
        print(a)
        print(m)
s1 = stud()
s1.display()
s1.s('Neredmet','rahul.bunny2106@gmail.com')
    

#Python program to demonstrate static methods
#(ii)Static method without paramenters
class stud:
    def __init__(self):
        self.rno = 1
        self.name = 'Rahul'
    def display(self):
        print(self.rno)
        print(self.name)
    @staticmethod
    def s():
        print("BSC-HDS")
s1 = stud()
s1.display()
s1.s()
#Python program to demonstrate self-variable and constructor
class A:
    def __init__(self):
        self.rno = 49
        self.name = 'Manoteja'
    def display(self):
        print(self.rno)
        print(self.name)
a = A()
a.display()
 private void WheelsSuspension()
    {
        for (int i = 0; i < Wheels.Length; i++)
        {
            isRayCast[i] = Physics.Raycast(Wheels[i].transform.position,
                                           Wheels[i].transform.TransformDirection(Vector3.down),
                                           out RayWheels[i], rayDistance, layerMask);

            if (isRayCast[i])
            {
                Debug.DrawRay(Wheels[i].transform.position,
                              Wheels[i].transform.TransformDirection(Vector3.down) * RayWheels[i].distance, 
                              Color.yellow);

                // World-space spring force direction
                Vector3 springDir = Wheels[i].up;

                // World-space tire velocity
                Vector3 tireWorldVel = carRB.GetPointVelocity(Wheels[i].position);

                // Offset from raycast
                float offset = suspensionRestDistance - RayWheels[i].distance; // suspensionRestDistance always < RayWheels[i].distance

                // Velocity along the spring direction
                float vel = Vector3.Dot(springDir, tireWorldVel);

                // Dampened spring force magnitude
                float force = (offset * springStrength) - (vel * springDamper);

                // Applyforce at tire location
                carRB.AddForceAtPosition(springDir * force, Wheels[i].position);

            }

        }
    }
function product_loop()
{
	ob_start();
	$arg = array(
		'post_type' => 'product',
		'posts_per_page' => -1,
	);

	$themeslider = new WP_Query($arg);

	?>
	<div class="row productSlider">
		<?php if ($themeslider->have_posts()) : ?>
            <?php while ($themeslider->have_posts()) : ?>
                <?php $themeslider->the_post();?>
				<?php global $product; ?>
                <div class="col-md-4">
                    <div class="productWrap">
                        <div class="productImg">
                            <a href="<?php echo get_permalink( $product->get_id() ); ?>">
                                <?php the_post_thumbnail('full'); ?>
                            </a>
                        </div>
                        <div class="productContent">
                            <h4 class="text-center"><?php echo $product->get_title(); ?></h4>
                            <div class="detailWrap">
                                <div class="detailCat">
                                    <span class="list-icon fas fa-cog"></span> <?php echo $product->get_categories(); ?>
                                </div>
                                <div class="detailPrice">
                                    <?php
                                    if ($product->is_type('simple')) {
                                        echo str_replace('.00', '', $product->get_price_html());
                                    }
                                    
                                    if ($product->get_type() == 'variable') {
                                        $available_variations = $product->get_available_variations();
                                        $variation_id = $available_variations[0]['variation_id'];
                                        $variable_product = new WC_Product_Variation($variation_id);
                                        $regular_price = $variable_product->get_regular_price();
                                        $sales_price = $variable_product->get_sale_price();
                                        
                                        if (empty($sales_price)) {
                                            $sales_price = 0;
                                        }
                                        
                                        $total_price = $regular_price + $sales_price;
                                        echo '$' . number_format($total_price, 0, '', '');
                                    }
                                    ?>
                                </div>
                            </div>
                            <div class="ratingWrap">
                                <div class="ratings">
                                    <?php if($product->get_average_rating() != 0){ ?>
                                        <div class="ratingStar producRating-<?php echo round($product->get_average_rating()) ?>"></div>
                                    <?php } ?>
                                </div>
                                <div class="cartBtn">
                                    <a href="<?php echo get_permalink( $product->get_id() ); ?>">book now</a>
                                </div>
                            </div>
                        </div>
                    </div>
                </div>
            <?php endwhile; ?>
        <?php endif; ?>
    </div>

<?php
	wp_reset_postdata();
	return '' . ob_get_clean();
}
add_shortcode('product_code', 'product_loop');
class A:
    def __init__(self):
        self.a=10
    def write(self):
        print(self.a)
class B(A):
    def __init__(self):
        super().__init__()
        self.b=20
    def write(self):
        super().write()
        print(self.b)
b1=B()
b1.write()
function findShort(s){
  return s.split(" ").sort(function(a, b) {
  return a.length - b.length || a.localeCompare(b);    
})[0].length }

//ALTERNATIVE

function findShort(s){
    return Math.min(...s.split(" ").map (s => s.length));
}
function findEvenIndex(arr) {
  let index = -1;
  for (var i = 0; i < arr.length; i++) {
    let start = arr.slice(0, i+1).reduce((a, b) => a + b, 0);
    let end = arr.slice(i).reduce((a, b) => a + b, 0)
    if (start === end) {
      index = i
    }
  }
  return index;
}
#Python program to create class,object and method.
class person: #class
    name = 'raju'
    age = 20
    def display (cls): #method
        print(cls.name)
        print(cls.age)
p=person() #object
p.display() #call the method using the instance
        
function lovefunc(flower1, flower2){
  return flower1 % 2 !== flower2 % 2;
}
:root {
  --main-color: #3498db;
}
button {
  background-color: var(--main-color);
  color: white;
}
star

Sat Sep 30 2023 05:45:52 GMT+0000 (Coordinated Universal Time)

@Alihaan #php

star

Fri Sep 29 2023 20:07:18 GMT+0000 (Coordinated Universal Time)

@juanesz

star

Fri Sep 29 2023 19:27:23 GMT+0000 (Coordinated Universal Time)

@juanesz

star

Fri Sep 29 2023 18:28:09 GMT+0000 (Coordinated Universal Time)

@nikanika4425

star

Fri Sep 29 2023 17:54:18 GMT+0000 (Coordinated Universal Time) https://forum.arizona-rp.com/members/1649910/

@delik

star

Fri Sep 29 2023 17:53:14 GMT+0000 (Coordinated Universal Time) https://leetcode.com/problems/patients-with-a-condition/description/?envType=study-plan-v2&envId=30-days-of-pandas&lang=pythondata

@jaez #mysql

star

Fri Sep 29 2023 17:31:04 GMT+0000 (Coordinated Universal Time) https://leetcode.com/problems/big-countries/?envType

@jaez #mysql

star

Fri Sep 29 2023 17:17:33 GMT+0000 (Coordinated Universal Time) https://leetcode.com/problems/fix-names-in-a-table/?envType=study-plan-v2&envId=30-days-of-pandas&lang=pythondata

@jaez #mysql

star

Fri Sep 29 2023 17:06:07 GMT+0000 (Coordinated Universal Time)

@jaez #mysql

star

Fri Sep 29 2023 16:51:10 GMT+0000 (Coordinated Universal Time) https://leetcode.com/problems/big-countries/?envType

@jaez #mysql

star

Fri Sep 29 2023 15:40:50 GMT+0000 (Coordinated Universal Time) https://forums.mydigitallife.net/threads/windows-11-esd-repository.83747/page-10#post-1773528

@AK47

star

Fri Sep 29 2023 14:32:42 GMT+0000 (Coordinated Universal Time) https://www.slingacademy.com/article/ways-to-generate-random-strings-in-javascript/

@hirsch #javascript

star

Fri Sep 29 2023 14:16:16 GMT+0000 (Coordinated Universal Time)

@TestProSupport

star

Fri Sep 29 2023 13:51:45 GMT+0000 (Coordinated Universal Time)

@leandrorbc #python

star

Fri Sep 29 2023 13:47:21 GMT+0000 (Coordinated Universal Time)

@TestProSupport

star

Fri Sep 29 2023 13:40:14 GMT+0000 (Coordinated Universal Time)

@leandrorbc #python

star

Fri Sep 29 2023 13:35:58 GMT+0000 (Coordinated Universal Time)

@TestProSupport

star

Fri Sep 29 2023 13:30:41 GMT+0000 (Coordinated Universal Time)

@leandrorbc #python

star

Fri Sep 29 2023 13:23:17 GMT+0000 (Coordinated Universal Time)

@TestProSupport

star

Fri Sep 29 2023 13:22:27 GMT+0000 (Coordinated Universal Time)

@leandrorbc #python

star

Fri Sep 29 2023 13:12:48 GMT+0000 (Coordinated Universal Time)

@TestProSupport

star

Fri Sep 29 2023 12:30:17 GMT+0000 (Coordinated Universal Time) https://maticz.com/white-label-crypto-exchange

@jamielucas #drupal

star

Fri Sep 29 2023 12:20:14 GMT+0000 (Coordinated Universal Time)

@TestProSupport

star

Fri Sep 29 2023 12:15:32 GMT+0000 (Coordinated Universal Time)

@TestProSupport

star

Fri Sep 29 2023 11:35:37 GMT+0000 (Coordinated Universal Time)

@TestProSupport

star

Fri Sep 29 2023 11:19:51 GMT+0000 (Coordinated Universal Time)

@akaeyad

star

Fri Sep 29 2023 11:00:26 GMT+0000 (Coordinated Universal Time) https://www.alabar.org/news/circuit-criminal-trial-and-evidence-practice-pointers/

@dixiemom

star

Fri Sep 29 2023 08:04:49 GMT+0000 (Coordinated Universal Time)

@mastaklance

star

Fri Sep 29 2023 07:53:20 GMT+0000 (Coordinated Universal Time)

@sadik #mongodb #mongoose #express

star

Fri Sep 29 2023 07:19:58 GMT+0000 (Coordinated Universal Time)

@JISSMONJOSE #react.js #css #javascript

star

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

@yc_lan

star

Fri Sep 29 2023 06:29:23 GMT+0000 (Coordinated Universal Time) https://askubuntu.com/questions/334318/sudoers-file-enable-nopasswd-for-user-all-commands

@beerygaz

star

Fri Sep 29 2023 06:20:50 GMT+0000 (Coordinated Universal Time)

@yc_lan

star

Fri Sep 29 2023 04:41:44 GMT+0000 (Coordinated Universal Time) https://www.onlinegdb.com/online_c++_compiler

@70da_vic2002

star

Thu Sep 28 2023 21:28:55 GMT+0000 (Coordinated Universal Time)

@DiegoEraso #python

star

Thu Sep 28 2023 18:55:14 GMT+0000 (Coordinated Universal Time)

@juanesz

star

Thu Sep 28 2023 18:41:12 GMT+0000 (Coordinated Universal Time)

@bvc #undefined

star

Thu Sep 28 2023 18:39:45 GMT+0000 (Coordinated Universal Time)

@bvc #undefined

star

Thu Sep 28 2023 18:39:42 GMT+0000 (Coordinated Universal Time)

@juanesz

star

Thu Sep 28 2023 18:00:20 GMT+0000 (Coordinated Universal Time) undefined

@PowerSile5

star

Thu Sep 28 2023 16:49:06 GMT+0000 (Coordinated Universal Time)

@hamzakhan123

star

Thu Sep 28 2023 16:20:07 GMT+0000 (Coordinated Universal Time)

@bvc #undefined

star

Thu Sep 28 2023 15:42:44 GMT+0000 (Coordinated Universal Time) https://box11.betsrv.com/robots.txt

@PowerSile5 #mysql

star

Thu Sep 28 2023 14:22:24 GMT+0000 (Coordinated Universal Time) https://www.codewars.com/kata/57cebe1dc6fdc20c57000ac9/solutions/javascript

@Paloma

star

Thu Sep 28 2023 14:11:11 GMT+0000 (Coordinated Universal Time) https://stackoverflow.com/questions/71543463/equal-sides-of-an-array-in-js

@Paloma

star

Thu Sep 28 2023 13:50:42 GMT+0000 (Coordinated Universal Time) https://www.kaggle.com/code/fareselmenshawii/object-localization-tensorflow

@Amy1393

star

Thu Sep 28 2023 12:18:10 GMT+0000 (Coordinated Universal Time)

@bvc #undefined

star

Thu Sep 28 2023 10:46:58 GMT+0000 (Coordinated Universal Time) https://www.codewars.com/kata/555086d53eac039a2a000083/solutions/javascript

@Paloma

star

Thu Sep 28 2023 10:17:57 GMT+0000 (Coordinated Universal Time)

@Remi

Save snippets that work with our extensions

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