Snippets Collections
<script>
    
    jQuery(function(){
	jQuery( window ).on( 'elementor/frontend/init', function() { //wait for elementor to load
		elementorFrontend.on( 'components:init', function() { //wait for elementor pro to load
			
			jQuery.fn.smartmenus.defaults.noMouseOver = true;
		
// 			jQuery.fn.smartmenus.defaults.showOnClick = true;
		});
	});
});
    
</script>

fn.smartmenus.defaults = {
    isPopup: false,
    mainMenuSubOffsetX: 0,
    mainMenuSubOffsetY: 0,
    subMenusSubOffsetX: 0,
    subMenusSubOffsetY: 0,
    subMenusMinWidth: '10em',
    subMenusMaxWidth: '20em',
    subIndicators: true,
    subIndicatorsPos: 'prepend',
    subIndicatorsText: '+',
    scrollStep: 30,
    scrollAccelerate: true,
    showTimeout: 250,
    hideTimeout: 500,
    showDuration: 0,
    showFunction: null,
    hideDuration: 0,
    hideFunction: function($ul, complete) { $ul.fadeOut(200, complete); },
    collapsibleShowDuration: 0,
    collapsibleShowFunction: function($ul, complete) { $ul.slideDown(200, complete); },
    collapsibleHideDuration: 0,
    collapsibleHideFunction: function($ul, complete) { $ul.slideUp(200, complete); },
    showOnClick: false,
    hideOnClick: true,
    noMouseOver: false,
    keepInViewport: true,
    keepHighlighted: true,
    markCurrentItem: false,
    markCurrentTree: true,
    rightToLeftSubMenus: false,
    bottomToTopSubMenus: false,
    overlapControlsInIE: true
};
If you can implement fair gameplay, it is crucial for every individual app developer, but instead, you can partner up with a superior app development company that can have a proper team and expertise so that you can make your platform more effective and make it usable for all users in terms of authenticity and transparency. Here, we listed out the way to improve your platform gameplay with the Bustabit clone

1. Provably Fair System
Implementing fair gameplay is crucial, for they do some implementation for each game round.
◦ Server Seed: A secret seed generated by the server for each game round.
◦ Client Seed: A seed chosen by the player for each game round.
◦ Hashing: These two seeds are mixed together, and the hash is getting displayed for the player before the game starts.
◦ Result Determination: After the game, the server reveals the server seed. Players can then use the revealed server seed and their own client seed to recreate the hash and verify that the game outcome was truly random and not manipulated.

2. Transparent Game History

◦ Publicly Displayed Results: Display a history of recent game rounds, including the crash point, server seed, and client seeds (if applicable).
◦ Allow Players to Verify: Enable players to easily verify the results of past games using the provided information.

3. Secure Random Number Generation (RNG)
◦ High-Quality RNG: Utilize a cryptographically secure random number generator (CSPRNG) to determine the crash point.

4. Secure Server Infrastructure
◦ Robust Security Measures: Implement strong security measures to protect the platform from attacks and ensure the integrity of game data.
◦ Regular Security Audits: Conduct regular security audits to identify and address any bugs and glitches.

5. 5. Responsible Gambling Features
◦ Self-exclusion: Allow players to self-exclude from the platform for a specified period.
◦ Deposit Limits: Enable players to set deposit limits to control their spending.
◦ Loss Limits: Allow players to set limits on their potential losses.
◦ Cooling-Off Periods: Offer cooling-off periods to encourage responsible gaming behavior.

By implementing these measures, you'll get a legitimate and transparent Bustabit clone app for your business that fosters trust and encourages responsible gaming behavior among players.
// Custom Script 
function custom_script() {
    wp_enqueue_script( 'magnific-popup-js', 'https://cdnjs.cloudflare.com/ajax/libs/magnific-popup.js/1.2.0/jquery.magnific-popup.min.js', null, null, true );
    wp_enqueue_style('magnific-popup-css', 'https://cdnjs.cloudflare.com/ajax/libs/magnific-popup.js/1.2.0/magnific-popup.min.css');
}
add_action('wp_enqueue_scripts','custom_script');
{% comment %}
Capture the original video tag and replace attributes so they become data-attributes,
then inject a .lazy class for yall.
{% endcomment %}

{% capture video_tag %}
  {{ block.settings.video | video_tag: image_size: '1920x', autoplay: false, loop: true, muted: true }}
{% endcapture %}

{% assign lazy_video_tag = video_tag 
  | replace: 'src="', 'data-src="'
  | replace: 'poster="', 'data-poster="'
  | replace: '<video', '<video class="lazy" '
%}

{{ lazy_video_tag }}
 
  <script type="module">
    import { yall } from "https://cdn.jsdelivr.net/npm/yall-js@4.0.2/dist/yall.min.js";
    yall();
  </script>
SELECT DISTINCT e.employeeNumber, e.lastName, e.firstName
FROM customers c
JOIN employees e ON c.salesRepEmployeeNumber = e.employeeNumber
WHERE customerNumber IN (
	SELECT DISTINCT o.customerNumber
	FROM orders o
	JOIN orderdetails od ON o.orderNumber = od.orderNumber
	JOIN products p ON od.productCode = p.productCode
	WHERE od.priceEach < p.MSRP
);
SELECT temp.customerNumber, c.country, c.city, AVG(temp.timeShipped) AS avgTimeShipped
FROM (
	SELECT customerNumber, shippedDate - orderDate AS timeShipped
	FROM orders
) AS temp
JOIN customers c ON temp.customerNumber = c.customerNumber
GROUP BY c.customerNumber
ORDER BY c.country, avgTimeShipped DESC;
docker run -p 8080:8080 -e KC_BOOTSTRAP_ADMIN_USERNAME=admin -e KC_BOOTSTRAP_ADMIN_PASSWORD=admin quay.io/keycloak/keycloak:26.0.7 start-dev
WITH CustomerSales AS (
	SELECT p.customerNumber, c.customerName, c.salesRepEmployeeNumber, SUM(p.amount) as total
	FROM payments p
	JOIN customers c ON p.customerNumber = c.customerNumber
	GROUP BY c.customerNumber
)
SELECT cs.salesRepEmployeeNumber, e.lastName, e.firstName, SUM(cs.total) AS total
FROM CustomerSales cs
JOIN employees e ON cs.salesRepEmployeeNumber = e.employeeNumber
GROUP BY cs.salesRepEmployeeNumber
ORDER BY total DESC
LIMIT 5;
WITH CustomerPurchases AS (
    SELECT c.customerNumber, 
           c.customerName,
           SUM(amount) AS total
    FROM customers c
    LEFT JOIN payments p ON c.customerNumber = p.customerNumber
    GROUP BY c.customerNumber, c.customerName
)
SELECT customerName, 
       total,
       CASE
           WHEN total >= 100000 THEN "high-valued"
           WHEN total < 100000 AND total > 0 THEN "medium-valued"
           ELSE "low-valued"
       END AS priority
FROM CustomerPurchases
ORDER BY total DESC;
      remainderAnswer = String(answer) + String(" rem ") + String(remainder); // Create a String combining the Integer Division "answer", "rem" for remainder, and remainder answer "remainder"
      ans = remainderAnswer; // Pass the "remainderAnswer" to the "ans" variable
      remainder = num1.toInt() % num2.toInt(); // Calculate the remainder from the division operation using the "%" operator
int               remainder; // Integer variable to hold the result of the "%" operation
String            remainderAnswer; // String variable to hold the integer division and remainder operation results
import os
import cv2
import prediction_utils
from typing import Dict, List
import numpy as np

def test_pipeline(images_directory: str, masks_directory: str, output_directory: str):
    """
    Testuje cały pipeline przetwarzania obrazów krok po kroku:
    1. Filtruje małe obszary klas.
    2. Filtruje dane na podstawie cech (choose_frame_1).
    3. Wyznacza punkty i linie bazowe.
    4. Filtruje dane na podstawie cech linii i punktów (choose_frame_2).
    5. Oblicza kąty alfa.

    Wyniki pośrednie zapisywane są na każdym etapie do odpowiednich katalogów.

    Args:
        images_directory (str): Ścieżka do katalogu z obrazami.
        masks_directory (str): Ścieżka do katalogu z maskami.
        output_directory (str): Ścieżka do katalogu wyjściowego.
    """
    os.makedirs(output_directory, exist_ok=True)
    
    # Wczytanie obrazów i masek
    images = [cv2.imread(os.path.join(images_directory, f)) 
              for f in os.listdir(images_directory) if f.endswith('.png')]
    masks = [cv2.imread(os.path.join(masks_directory, f), 0) 
             for f in os.listdir(masks_directory) if f.endswith('.png')]

    # Wybierz podzbiór danych
    images = images[700:800]
    masks = masks[700:800]

    data = {
        "images": images,
        "masks": masks
    }

    print(f"Initial number of images: {len(data['images'])}")
    print(f"Initial number of masks: {len(data['masks'])}")

    # Krok 1: Filtracja małych klas
    step_1_dir = os.path.join(output_directory, 'step_1_small_class_filter')
    os.makedirs(step_1_dir, exist_ok=True)
    print("1. Filtracja małych klas (`choose_frame_remove_small_areas`)...")
    data = prediction_utils.choose_frame_remove_small_areas(data)
    log_data_statistics(data, "Po filtracji małych klas")
    save_intermediate_results(data, step_1_dir)

    # Krok 2: Filtracja na podstawie cech (`choose_frame_1`)
    step_2_dir = os.path.join(output_directory, 'step_2_feature_filter')
    os.makedirs(step_2_dir, exist_ok=True)
    print("2. Filtracja na podstawie cech (`choose_frame_1`)...")
    data = prediction_utils.choose_frame_1(data)
    log_data_statistics(data, "Po filtracji na podstawie cech")
    save_intermediate_results(data, step_2_dir)

    # Krok 3: Wyznaczanie punktów i linii bazowych
    step_3_dir = os.path.join(output_directory, 'step_3_calculate_points')
    os.makedirs(step_3_dir, exist_ok=True)
    print("3. Wyznaczanie punktów i linii bazowych (`calculate_points_and_baseline_5class`)...")
    data = prediction_utils.calculate_points_and_baseline_5class(data)
    log_data_statistics(data, "Po wyznaczeniu punktów i linii bazowych")
    save_intermediate_results(data, step_3_dir)

    # Krok 4: Filtracja na podstawie punktów i linii (`choose_frame_2`)
    step_4_dir = os.path.join(output_directory, 'step_4_filter_points_and_lines')
    os.makedirs(step_4_dir, exist_ok=True)
    print("4. Filtracja na podstawie punktów i linii (`choose_frame_2`)...")
    data = prediction_utils.choose_frame_2(data)
    log_data_statistics(data, "Po filtracji na podstawie punktów i linii")
    save_intermediate_results(data, step_4_dir)

    # Krok 5: Obliczanie kąta alfa
    step_5_dir = os.path.join(output_directory, 'step_5_calculate_angles')
    os.makedirs(step_5_dir, exist_ok=True)
    print("5. Obliczanie kąta alfa (`identify_alpha_beta_angle_new`)...")
    try:
        result = prediction_utils.identify_alpha_beta_angle_new(data)
        print(f"Największy kąt alfa: {result['alpha']}")
        save_alpha_results(result, step_5_dir)

    except ValueError as e:
        print(f"Błąd podczas obliczania kąta alfa: {e}")

def log_data_statistics(data: Dict[str, List], stage: str):
    """
    Loguje liczbę obrazów i masek w danych po każdym etapie przetwarzania.

    Args:
        data (Dict[str, List]): Dane pośrednie.
        stage (str): Opis etapu przetwarzania.
    """
    num_images = len(data.get('images', []))
    num_masks = len(data.get('masks', []))
    print(f"{stage} - Liczba obrazów: {num_images}, Liczba masek: {num_masks}")

def save_intermediate_results(data: Dict[str, List], output_dir: str):
    """
    Zapisuje obrazy i maski z pośredniego etapu przetwarzania.

    Args:
        data (Dict[str, List]): Dane przetworzone w bieżącym kroku.
        output_dir (str): Katalog, do którego zapisywane są wyniki.
    """
    images_dir = os.path.join(output_dir, 'images')
    masks_dir = os.path.join(output_dir, 'masks')
    os.makedirs(images_dir, exist_ok=True)
    os.makedirs(masks_dir, exist_ok=True)

    for idx, (img, mask) in enumerate(zip(data['images'], data['masks'])):
        cv2.imwrite(os.path.join(images_dir, f'image_{idx}.png'), img)
        cv2.imwrite(os.path.join(masks_dir, f'mask_{idx}.png'), mask)

def save_alpha_results(result: Dict[str, float | np.ndarray], output_dir: str):
    """
    Zapisuje wyniki obliczeń kąta alfa.

    Args:
        result (Dict[str, float | np.ndarray]): Wyniki obliczeń kąta alfa.
        output_dir (str): Katalog, do którego zapisywane są wyniki.
    """
    cv2.imwrite(os.path.join(output_dir, 'image_with_max_alpha.png'), result['image'])
    cv2.imwrite(os.path.join(output_dir, 'mask_with_max_alpha.png'), result['mask'])
    cv2.imwrite(os.path.join(output_dir, 'angle_lines_mask.png'), result['angle_lines_mask'])

# Ścieżki do katalogów z danymi
images_directory = './app/angle_utils_5class/images'
masks_directory = './app/angle_utils_5class/masks'
output_directory = './app/angle_utils_5class/output'

# Uruchomienie testu pipeline
test_pipeline(images_directory, masks_directory, output_directory)
function HomePageIntro({ onComplete }) {
  const [animations, setAnimations] = useState<Animated.ValueXY[]>([]);
  const [opacityAnimations, setOpacityAnimations] = useState<Animated.Value[]>([]);
  const [fadeInScale, setFadeInScale] = useState(new Animated.Value(0));

  const { width, height } = Dimensions.get('window');
  const centerX = width / 2 - 200;
  const centerY = height / 2 - 420;

  const images = Array.from({ length: 6 }).flatMap(() => [
    'https://i.ibb.co/GVMYqR7/1.png',
    'https://i.ibb.co/1njfvWp/2.png',
    'https://i.ibb.co/YdpVhrf/3.png',
    'https://i.ibb.co/f4f2Cb8/4.png',
    'https://i.ibb.co/Yt7SCwr/5.png',
    'https://i.ibb.co/BVZzDwJ/6.png',
    'https://i.ibb.co/WgsPnh9/7.png',
    'https://i.ibb.co/YWhRb3b/8.png',
    'https://i.ibb.co/g6XRPqw/9.png',
    'https://i.ibb.co/PF7Dqw0/10.png',
  ]);

  const clockPositions = Array.from({ length: 60 }, (_, i) => {
    const angle = (i * (360 / 60)) * (Math.PI / 180);
    const x = centerX + Math.cos(angle) * 400;
    const y = centerY + Math.sin(angle) * 600;
    return { x, y };
  });

  useEffect(() => {
    const shuffledPositions = clockPositions.sort(() => Math.random() - 0.5);
    const initialAnimations = images.map((_, index) => {
      const position = shuffledPositions[index % shuffledPositions.length];
      return new Animated.ValueXY(position);
    });

    const opacityValues = images.map(() => new Animated.Value(1));
    setAnimations(initialAnimations);
    setOpacityAnimations(opacityValues);

    animateImagesSequentially(initialAnimations, opacityValues);

    Animated.timing(fadeInScale, {
      toValue: 1,
      duration: 2000,
      useNativeDriver: true,
    }).start(() => {
      Animated.parallel([
        Animated.timing(fadeInScale, {
          toValue: 10,
          duration: 1000,
          useNativeDriver: true,
        }),
        Animated.timing(fadeInScale, {
          toValue: 0,
          duration: 1000,
          useNativeDriver: true,
        }),
      ]).start(onComplete);
    });
  }, []);

  const animateImagesSequentially = async (animationValues, opacityValues) => {
    const animationDuration = 850;
    const overlapDuration = 12;

    const promises = animationValues.map((anim, i) => {
      const startDelay = i * overlapDuration;
      return new Promise<void>((resolve) => {
        setTimeout(() => {
          Animated.parallel([
            Animated.timing(anim, {
              toValue: { x: centerX, y: centerY },
              duration: animationDuration,
              useNativeDriver: true,
            }),
            Animated.timing(opacityValues[i], {
              toValue: 0,
              duration: animationDuration,
              useNativeDriver: true,
            }),
          ]).start(() => resolve());
        }, startDelay);
      });
    });

    await Promise.all(promises);
  };

  return (
    <View style={styles.container}>
      {images.map((image, index) => (
        <Animated.Image
          key={index}
          source={{ uri: image }}
          style={[
            styles.image,
            {
              transform: animations[index]
                ? animations[index].getTranslateTransform()
                : [],
              opacity: opacityAnimations[index] || 1,
            },
          ]}
        />
      ))}
      <Animated.Image
        source={{ uri: 'https://i.postimg.cc/gkwzvMYP/1-copy.png' }}
        style={[
          styles.centerImage,
          {
            transform: [{ scale: fadeInScale }],
          },
        ]}
      />
    </View>
  );
}

const styles = StyleSheet.create({
  container: {
    flex: 1,
    backgroundColor: '#BFDEF8',
    justifyContent: 'center',
    alignItems: 'center',
  },
  image: {
    position: 'absolute',
    width: 200,
    height: 200,
    resizeMode: 'contain',
  },
  centerImage: {
    position: 'absolute',
    width: 350,
    height: 350,
    resizeMode: 'contain',
  },
});
   ,
_,,)\.~,,._
(()`  ``)\))),,_
 |     \ ''((\)))),,_          ____
 |6`   |   ''((\())) "-.____.-"    `-.-,
 |    .'\    ''))))'                  \)))
 |   |   `.     ''                     ((((
 \, _)     \/                          |))))
  `'        |                          (((((
            \                  |       ))))))
             `|    |           ,\     /((((((
              |   / `-.______.<  \   |  )))))
              |   |  /         `. \  \  ((((
              |  / \ |           `.\  | (((
              \  | | |             )| |  ))
               | | | |             || |  '
const array = [1,2,3,4,5,6,7]
console.log(array.__proto__)
// this checks if the array we are using is getting the constructor prototype Array methods
console.log(array.__proto__ === Arr.prototype)
robocopy "SourcePath" "DestinationPath" /e /z /mt:16
<p>Need assistance with your math assignments? Visit <a href="https://myassignmenthelp.com/uk/mathematics-assignment-help.html" target="_new" rel="noopener">MyAssignmentHelp.com</a> for professional <strong>Mathematics Assignment Help</strong> tailored to your academic needs. Whether it&rsquo;s algebra, calculus, statistics, or geometry, our experienced math experts provide accurate and step-by-step solutions to help you excel.</p>
<p>Our services include:</p>
<ul>
<li>100% original, error-free solutions.</li>
<li>On-time delivery, even for tight deadlines.</li>
<li>Affordable rates with round-the-clock support.</li>
</ul>
<p>Say goodbye to complex equations and last-minute stress. Trust MyAssignmentHelp to boost your understanding and grades with expertly crafted assignments. Visit the link today and experience hassle-free math assistance!</p>
<p>https://myassignmenthelp.com/uk/mathematics-assignment-help.html</p>
const person = {
  firstName: "John",
  lastName: "Doe",
  age: 30,
  isEmployed: true,
  hobbies: ["reading", "traveling", "coding"],
  address: {
    street: "123 Main St",
    city: "Anytown",
    country: "USA",
  },
  greet: function () {
    return `Hello, my name is ${this.firstName} ${this.lastName}.`;
  },
};

const newObj = {};

for (let key in person) {
  if (key === "firstName" || key === "lastName") {
    newObj[key] = person[key];
  }
}

console.log({ newObj });
*
  Professional SAS Programming Secrets
  Program 5d
  Special values in value informats
*;
proc format;
invalue m99m (min=1 max=32 upcase just)
    -99 = .
    other = _same_;
invalue gp (min=1 max=32 upcase just)
    'F' = 0  'D' = 1  'C' = 2  'B' = 3  'A' = 4  ' ' = .  other = _error_;
invalue month (min=3 max=32 upcase just)
    1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12 = _same_   0, ' ' = .
    'JAN', 'JANUARY' = 1   'FEB', 'FEBRUARY' = 2   'MAR', 'MARCH' = 3
    'APR', 'APRIL' = 4   'MAY' = 5   'JUN', 'JUNE' = 6   'JUL', 'JULY' = 7
    'AUG', 'AUGUST' = 8   'SEP', 'SEPTEMBER' = 9   'OCT', 'OCTOBER' = 10
    'NOV', 'NOVEMBER' = 11   'DEC', 'DECEMBER' = 12   other = _error_;
run;
 WorkflowTrackingStatusTable WorkflowTrackingStatusTable;
 WorkflowTrackingTable       WorkflowTrackingTable, WorkflowTrackingTable2;
 WorkflowTrackingCommentTable    WorkflowTrackingCommentTable;
 WorkflowStepTable           WorkflowStepTable;
 
 select WorkflowTrackingStatusTable
     order by WorkflowTrackingStatusTable.CreatedDateTime desc
     where WorkflowTrackingStatusTable.ContextTableId == NW_CertificationAndQualification.TableId
     && WorkflowTrackingStatusTable.ContextRecId == NW_CertificationAndQualification.RecId;

 while select WorkflowTrackingTable
     where WorkflowTrackingTable.WorkflowTrackingStatusTable == WorkflowTrackingStatusTable.RecId
     //join WorkflowStepTable
     //where WorkflowStepTable.RecId == WorkflowTrackingTable.WorkflowStepTable
     //&& WorkflowTrackingTable.TrackingContext == WorkflowTrackingContext::Step
     //    && WorkflowTrackingTable.TrackingType == WorkflowTrackingType::Creation

     && WorkflowTrackingTable.TrackingContext == WorkflowTrackingContext::WorkItem
     && WorkflowTrackingTable.TrackingType == WorkflowTrackingType::Approval
 outer join WorkflowTrackingCommentTable
     where WorkflowTrackingCommentTable.TrackingId == WorkflowTrackingTable.TrackingId
 {
     select firstonly WorkflowTrackingTable2
         where WorkflowTrackingTable.TrackingContext == WorkflowTrackingContext::Step
         && WorkflowTrackingTable.TrackingType == WorkflowTrackingType::Creation
         && WorkflowTrackingTable2.StepId == WorkflowTrackingTable.StepId;

     if(WorkflowTrackingTable2.Name =="Review Stage")
     {
         NW_CertificationAndQualificationTmp.ReviewStatus = "Approval";
         NW_CertificationAndQualificationTmp.ReviewComment = WorkflowTrackingCommentTable.Comment;
         NW_CertificationAndQualificationTmp.ReviewDate_ = WorkflowTrackingTable.CreatedDateTime;
     
     }
     else if(WorkflowTrackingTable2.Name =="Head of Talent Management Approval Stage")
     {
         NW_CertificationAndQualificationTmp.TalentStatus = "Approval";
         NW_CertificationAndQualificationTmp.TalentComment = WorkflowTrackingCommentTable.Comment;
         NW_CertificationAndQualificationTmp.TalentDate_ = WorkflowTrackingTable.CreatedDateTime;
     
     }
     else if(WorkflowTrackingTable2.Name =="Head of Human Resources Approval Stage")
     {
         NW_CertificationAndQualificationTmp.HRStatus = "Approval";
         NW_CertificationAndQualificationTmp.HRComment = WorkflowTrackingCommentTable.Comment;
         NW_CertificationAndQualificationTmp.HRDate_ = WorkflowTrackingTable.CreatedDateTime;
     
     }
 }
Record a TV programme using the PID (b01sc0wf) from its iPlayer URL:
get_iplayer --pid=b01sc0wf

Record a radio programme using its Sounds URL:
get_iplayer https://www.bbc.co.uk/sounds/play/b07gcv34
from selenium import webdriver
from selenium.webdriver.common.by import By
from dotenv import load_dotenv
 
# https://pypi.org/project/2captcha-python/
from twocaptcha import TwoCaptcha
 
 
import time
import sys
import os
 
# https://github.com/2captcha/2captcha-python
 
sys.path.append(os.path.dirname(os.path.dirname(os.path.realpath(__file__))))
 
 
url = 'https://accounts.hcaptcha.com/demo'
 
driver = webdriver.Chrome()
 
driver.get(url=url)
 
time.sleep(2)
 
site_key = driver.find_element(
    by = By.XPATH, 
    value = '//*[@id="hcaptcha-demo"]').get_attribute('data-sitekey')
 
 
 
 
load_dotenv()
 
# create account in 2captcha from here : https://bit.ly/3MkkuPJ
# make deposit at least 3$
# https://2captcha.com/pay
 
# create env file or you can put your API key direct in TwoCaptcha function
 
 
api_key = os.getenv('APIKEY_2CAPTCHA')
 
 
api_key = os.getenv('APIKEY_2CAPTCHA', 'YOUR_API_KEY')
 
solver = TwoCaptcha(api_key)
 
try:
    result = solver.hcaptcha(
        sitekey=site_key,
        url=url,
    )
 
    code = result['code']
    print(code)
 
    
 
    driver.execute_script(f"document.getElementsByName('h-captcha-response')[0].innerHTML = '{code}'")
    
    # submit
    driver.find_element(by = By.ID, value = 'hcaptcha-demo-submit').click()
    
 
except Exception as e:
    sys.exit(e)
 
 
 
input()
  const bankdeposits = accounts
    .flatMap(item => item.movements) // combines all arrays into one
    .filter(item => item > 0)
    .reduce((total, item) => (total += item), 0);
  console.log(bankdeposits); // 25180
balanced  paranthesis -no
string partioning-no
smart square-no
smaller elements-no
[ExtensionOf(tableStr(LedgerJournalTrans))]
public final class LedgerJournalTrans_Extension
{
 
    public DimensionDisplayValue getDimensionCombinationValues(LedgerDimensionAccount ledgerdimension)
    {
        DimensionAttributeLevelValueAllView dimensionAttributeLevelValueAllView;
        DimensionAttribute                  dimensionAttribute;
        Set                                 dimensionAttributeProcessed;
        LedgerDimensionAccount              _ledgerDimension;
        str                                 segmentName ;
        DimensionDisplayValue segmentDescription;
        SysDim                              segmentValue;

        str getDynamicAccountAttributeName(TableNameShort _dimensionAttrViewName)
        {

            #Dimensions
            container cachedResult; 
            SysModelElement modelElement;
            SysDictTable sysDictTable;
            DictView dictView;
            Label label;

            Debug::assert(_dimensionAttrViewName like #DimensionEnabledPrefixWithWildcard);

            // Get/cache results of the AOT metadata lookup on the view

            cachedResult = DimensionCache::getValue(DimensionCacheScope::DynamicAccountAttributeName, [_dimensionAttrViewName]);

            if (cachedResult == conNull())
            {

                // Find the matching model element and instantiate the AOT metadata definition of the view

                select firstOnly AxId, Name from modelElement
                where  modelElement.ElementType == UtilElementType::Table
                    && modelElement.Name == _dimensionAttrViewName;


                sysDictTable = new sysDictTable(modelElement.AxId);

                Debug::assert(sysDictTable.isView());

                // Create an instance of the view and get the singular representation of the entity name as a label ID (do not translate)

                dictView = new dictView(modelElement.AxId);

                cachedResult = [dictView.singularLabel()];

                DimensionCache::insertValue(DimensionCacheScope::DynamicAccountAttributeName, [_dimensionAttrViewName], cachedResult);

            }

            label = new label();


            return label.extractString(conPeek(cachedResult, 1));
        }


        _ledgerDimension = ledgerdimension;

        if (_ledgerDimension)
        {

            dimensionAttributeProcessed = new Set(extendedTypeId2Type(extendedTypeNum(DimensionAttributeRecId)));

            while select DisplayValue, AttributeValueRecId from dimensionAttributeLevelValueAllView
            order by dimensionAttributeLevelValueAllView.GroupOrdinal, dimensionAttributeLevelValueAllView.ValueOrdinal
            where dimensionAttributeLevelValueAllView.ValueCombinationRecId == _ledgerDimension
            join Name, Type, ViewName, RecId from dimensionAttribute
                where dimensionAttribute.RecId == dimensionAttributeLevelValueAllView.DimensionAttribute

            {
                if (!dimensionAttributeProcessed.in(dimensionAttribute.RecId))
                {
                    if (DimensionAttributeType::DynamicAccount == dimensionAttribute.Type)
                    {
                        // Use the singular name of the view backing the multi-typed entity
                        segmentName = getDynamicAccountAttributeName(dimensionAttribute.ViewName);
                    }
                    else
                    {
                        // Use the name of the attribute directly for all other types (main account, custom list, existing list)
                        segmentName = dimensionAttribute.localizedName();
                    }

                    segmentValue = dimensionAttributeLevelValueAllView.DisplayValue;

                    if (strLen(segmentDescription) == 0)

                    {

                        segmentDescription = DimensionAttributeValue::find(

 

                    dimensionAttributeLevelValueAllView.AttributeValueRecId).getName();

                    }

                    else

                    {

                        segmentDescription += strFmt(" - %1", DimensionAttributeValue::find(

 

                    dimensionAttributeLevelValueAllView.AttributeValueRecId).getName());

                    }

                    dimensionAttributeProcessed.add(dimensionAttribute.RecId);

                }

            }

        }

        return  segmentDescription;

    }

    public display  Name OffsetDimensionValue()
    {
        if(this.OffsetAccountType == LedgerJournalACType::Ledger)
        {
            return this.getDimensionCombinationValues(this.OffsetLedgerDimension);
        }
        return '';
        //DimensionAttributeValueCombination  dimAttrValueComb;
        //DimensionStorage                    dimensionStorage;
        //DimensionStorageSegment             segment;
        //int                                 segmentCount, segmentIndex;
        //int                                 hierarchyCount, hierarchyIndex;
        //str                                 segmentName, segmentDescription;
        //SysDim                              segmentValue;
        //;
        //if(this.OffsetLedgerDimension)
        //{
        //    dimAttrValueComb = DimensionAttributeValueCombination::find(this.OffsetLedgerDimension);
        //    dimensionStorage = DimensionStorage::findById(this.OffsetLedgerDimension);

        //    hierarchyCount = dimensionStorage.hierarchyCount();

        //    for(hierarchyIndex = 1; hierarchyIndex <= hierarchyCount; hierarchyIndex++)
        //    {
        //        segmentCount = dimensionStorage.segmentCountForHierarchy(hierarchyIndex);

        //        for (segmentIndex = 1; segmentIndex <= segmentCount; segmentIndex++)
        //        {
        //            segment = dimensionStorage.getSegmentForHierarchy(hierarchyIndex, segmentIndex);
        //            if (segment.parmDimensionAttributeValueId() != 0)
        //            {
        //                segmentDescription  += segment.getName() + '-';
        //            }
        //        }
        //    }
        //    return strDel(segmentDescription, strLen(segmentDescription), 1);
        //}
        //else
        //return "";
    }

    public display  Name DimensionValue()
    {

        if(this.AccountType == LedgerJournalACType::Ledger)
        {
            return this.getDimensionCombinationValues(this.LedgerDimension);
        }
        return '';
        //DimensionAttributeValueCombination  dimAttrValueComb;
        //DimensionStorage                    dimensionStorage;
        //DimensionStorageSegment             segment;
        //int                                 segmentCount, segmentIndex;
        //int                                 hierarchyCount, hierarchyIndex;
        //str                                 segmentName, segmentDescription;
        //SysDim                              segmentValue;
        //;
        //if(this.LedgerDimension)
        //{
        //    dimAttrValueComb = DimensionAttributeValueCombination::find(this.LedgerDimension);
        //    dimensionStorage = DimensionStorage::findById(this.LedgerDimension);

        //    hierarchyCount = dimensionStorage.hierarchyCount();

        //    for(hierarchyIndex = 1; hierarchyIndex <= hierarchyCount; hierarchyIndex++)
        //    {
        //        segmentCount = dimensionStorage.segmentCountForHierarchy(hierarchyIndex);

        //        for (segmentIndex = 1; segmentIndex <= segmentCount; segmentIndex++)
        //        {
        //            segment = dimensionStorage.getSegmentForHierarchy(hierarchyIndex, segmentIndex);
        //            if (segment.parmDimensionAttributeValueId() != 0)
        //            {
        //                segmentDescription  += segment.getName() + '-';
        //            }
        //        }
        //    }
        //    return strDel(segmentDescription, strLen(segmentDescription), 1);
        //}
        //else
        //return "";
    }
}
public class Result<T>
{
    public T Value { get; }
    public string Error { get; }
    public bool IsSuccess => Error == null;

    private Result(T value, string error)
    {
        Value = value;
        Error = error;
    }

    public static Result<T> Success(T value) => new(value, null);
    public static Result<T> Failure(string error) => new(default, error);
}
$post_date = get_the_date('Y-m-d', $product->get_id());
									$post_date_time = strtotime($post_date);
									$current_date_time = strtotime(current_time('Y-m-d'));
									$date_diff = ($current_date_time - $post_date_time) / (60  60  24);
									if ($date_diff <= 30): ?>
										<span class="new-label">New</span>
									<?php endif; ?>
SELECT
EmailAddress, Industry, SubscriberKey, Consent_Level_Summary__c,
Business_Unit__c,Cat_Campaign_Most_Recent__c , Mailing_Country__c, LastModifiedDate, Language__c, CreatedDate,
FirstName, LastName, Engagement_Status__c, Last_Engagement_Type__c, Company_Name__c, Job_Role__c, Region



FROM (
SELECT
DISTINCT LOWER(Email__c) AS EmailAddress, i.Industry_Level_2_Master__c AS Industry, i.Industry__c,
c.Id AS SubscriberKey, c.Consent_Level_Summary__c, i.Region__c AS Region,i.Business_Unit__c,i.Cat_Campaign_Most_Recent__c , i.Mailing_Country__c, i.LastModifiedDate, Language__c, i.CreatedDate,
c.FirstName, c.LastName, c.Engagement_Status__c, c.Last_Engagement_Type__c, i.Company_Name__c, i.Job_Role__c,


ROW_NUMBER() OVER(PARTITION BY c.ID ORDER BY i.LastModifiedDate DESC) as RowNum
FROM ent.Interaction__c_Salesforce i
JOIN ent.Contact_Salesforce_1 c ON c.Email = i.Email__c
INNER JOIN ent.ContactPointConsent_Salesforce AS cpc ON c.Id = cpc.Contact__c
INNER JOIN ent.DataUsePurpose_Salesforce AS dup    ON cpc.DataUsePurposeId = dup.Id

WHERE
(Business_Unit__c LIKE 'Mining' OR i.Industry__c LIKE 'Mining')
AND Email__c IS NOT NULL
AND Email__c NOT LIKE '%@cat.com'
AND cpc.CaptureContactPointType = 'Email'
AND cpc.MATM_Owner__c = 'Caterpillar'
AND dup.Name = 'Caterpillar Marketing'
AND cpc.PrivacyConsentStatus = 'OptIn' 
AND (cpc.EffectiveTo IS NULL OR cpc.EffectiveTo < GetDate())

AND (i.Mailing_State_Province__c != 'QC' OR (i.Mailing_Country__c != 'CA' AND i.Mailing_State_Province__c IS NULL))
AND  (i.System_Language__c like 'en_%' OR (i.Mailing_Country__c != 'CA' AND i.System_Language__c is null))
AND c.Engagement_Status__c = 'Active'
AND i.Mailing_Country__c IS NOT NULL
AND NOT EXISTS
(
SELECT Domain FROM [Mining_Bounce_Domain_Names]
WHERE LOWER(Domain) = LOWER(RIGHT(i.Email__c, LEN(i.Email__c) - CHARINDEX('@', i.Email__c)))
)

)t2


WHERE RowNum = 1
#include<iostream>

using namespace std;

int main()

{

int a, sum=0,n;

cin>>a;

while(a!=0){

n=a%10;

sum+=n;

a=a/10;

}

cout<< sum<<endl;

}
<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <meta name="viewport" content="width=device-width, initial-scale=1.0">
    <title>Face Chat Registration</title>
    <style>
        body {
            font-family: Arial, sans-serif;
            padding: 20px;
            background-color: #f4f4f4;
        }
        .container {
            max-width: 600px;
            margin: 0 auto;
            background-color: #fff;
            padding: 20px;
            border-radius: 8px;
            box-shadow: 0 4px 8px rgba(0, 0, 0, 0.1);
        }
        h1 {
            text-align: center;
            color: #333;
        }
        h2 {
            text-align: center;
            color: #333;
            font-size: 1.5em;
        }
        label {
            display: block;
            margin: 10px 0 5px;
        }
        input {
            width: 100%;
            padding: 8px;
            margin-bottom: 10px;
            border-radius: 4px;
            border: 1px solid #ccc;
        }
        button {
            padding: 10px 20px;
            background-color: #4CAF50;
            color: #fff;
            border: none;
            border-radius: 4px;
            cursor: pointer;
        }
        button:hover {
            background-color: #45a049;
        }
        .error {
            color: red;
            font-size: 14px;
        }
        .success {
            color: green;
            font-size: 14px;
        }
    </style>
</head>
<body>

    <div class="container">
        <h1>Face Chat Registration</h1>

        <!-- Updated h2 tag -->
        <h2 id="heading">Face Chat</h2>
        
        <form id="registrationForm">
            <label for="userName">Username:</label>
            <input type="text" id="userName" required><br><br>

            <label for="name">Name:</label>
            <input type="text" id="name" required><br><br>

            <label for="email">Email:</label>
            <input type="email" id="email" required><br><br>

            <label for="password">Password:</label>
            <input type="password" id="password" required><br><br>

            <label for="reEnter">Re-enter Password:</label>
            <input type="password" id="reEnter" required><br><br>

            <label for="mobile">Mobile Number:</label>
            <input type="text" id="mobile" required><br><br>

            <label for="age">Age:</label>
            <input type="number" id="age" required><br><br>

            <button type="button" id="register" onclick="validateRegistration()">Submit</button>
        </form>

        <p id="message" class="error"></p>

        <!-- Success and Result divs -->
        <div id="result" class="success" style="display: none;"></div>
        <div id="success" class="success" style="display: none;">Registration Successfull</div> <!-- Updated to match the required text -->
    </div>

    <script>
        function validateRegistration() {
            let userName = document.getElementById('userName').value;
            let name = document.getElementById('name').value;
            let email = document.getElementById('email').value;
            let password = document.getElementById('password').value;
            let reEnter = document.getElementById('reEnter').value;
            let mobile = document.getElementById('mobile').value;
            let age = document.getElementById('age').value;
            let messageElement = document.getElementById('message');
            let resultElement = document.getElementById('result');
            let successElement = document.getElementById('success');
            
            try {
                // Validate that the age is a number and is above 18
                if (age < 18 || isNaN(age)) {
                    resultElement.style.display = 'block';
                    resultElement.textContent = 'You are too early to register in this site. Better you can wait for 6 years.';
                    throw new Error('You must be at least 18 years old to register.');
                }

                // Validate username: simple check for alphanumeric characters
                if (!/^[a-zA-Z0-9]+$/.test(userName)) {
                    throw new Error('Username should contain only alphanumeric characters.');
                }

                // Validate password and re-enter password match
                if (password !== reEnter) {
                    throw new Error('Password and re-entered password do not match.');
                }

                // Validate mobile number format (simple check for 10 digits)
                if (!/^\d{10}$/.test(mobile)) {
                    throw new Error('Please enter a valid 10-digit mobile number.');
                }

                // If validation is successful, reset the message
                messageElement.textContent = '';

            } catch (error) {
                // Handle errors (invalid input)
                messageElement.textContent = error.message;
                messageElement.className = 'error';
                // Exit the function if there's an error
                return;
            } finally {
                // Always executed after the try/catch block
                if (age >= 18 && password === reEnter && /^\d{10}$/.test(mobile) && /^[a-zA-Z0-9]+$/.test(userName)) {
                    resultElement.style.display = 'none'; // Hide result div when validation is successful
                    successElement.style.display = 'block'; // Show success div
                    messageElement.className = 'success';
                    document.getElementById('registrationForm').reset(); // Clear form after success
                }
            }
        }
    </script>

</body>
</html>
#include <iostream>

void swap(int &a, int &b) {
    int temp = a; // Store the value of a in a temporary variable
    a = b;        // Assign the value of b to a
    b = temp;    // Assign the value of temp (original a) to b
}

int main() {
    int x = 5;
    int y = 10;

    std::cout << "Before swap: x = " << x << ", y = " << y << std::endl;
    swap(x, y); // Call the swap function
    std::cout << "After swap: x = " << x << ", y = " << y << std::endl;

    return 0;
}
function isOffScreen(el) {
	var rect = el.getBoundingClientRect();
	return (
		(rect.x + rect.width) < 0 
		|| (rect.y + rect.height) < 0
		|| (rect.x > window.innerWidth || rect.y > window.innerHeight)
	);
}
History
Homework
Settings
News
Assign Homework

Winter Holiday Trivia
21.4M

110.8K

Ben

15 Questions
Teacher Verified

Homework Settings
Assigning Homework allows students to complete a game on their own time. You'll be given a link and QR code that is valid for the time specified below. When students use this link, they'll be able to play the game and answer questions. Then, you'll get live updates on their progress and performance.

Game Mode

Select the gameplay mode for the assignment


Tower Defense 2



Monster Brawl



Tower of Doom



Tower Defense



Factory



Crazy Kingdom



Café

Due date

Schedule for up to 14 days (or up to 365 days for Plus users)

HW Title

This will be the displayed name of the assignment
<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <meta name="viewport" content="width=device-width, initial-scale=1.0">
    <title>Visitors Count</title>
</head>
<body>
   <h1>Welcome to my page </h1>

   <hr>
   <footer>
    <?php
 $counter_name = "counter.txt";

 $f = fopen($counter_name,"r");
 $counterVal = fread($f, filesize($counter_name));
 fclose($f);
 
 $counterVal++;
 $f = fopen($counter_name, "w");
 fwrite($f, $counterVal);
 fclose($f); 
    ?>
    <em>No. of visitors : <?php echo $counterVal; ?></em>
</footer>
    
</body>
</html>
<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <meta name="viewport" content="width=device-width, initial-scale=1.0">
    <title>Document</title>
    <?php
define('DB_SERVER','localhost');
define('DB_USER','root');
define('DB_PASS' ,'');
define('DB_NAME','studentdb');
$con = mysqli_connect(DB_SERVER,DB_USER,DB_PASS,DB_NAME);
// Check connection
if (mysqli_connect_errno())
{
 echo "Failed to connect to MySQL: " . mysqli_connect_error();
}

?>
<style>
    table {
        border-collapse:collapse;
    }
table, td,th {
    border:solid 1pt black;
    padding:5px;
}
th{
    background-color:#e3e3e3;
}
    </style>

</head>
<body>
<h1>Student Records</h1>
<h2>Before sorting </h2>
<?php
$query=mysqli_query($con,"select * from tblstudent");
$students= mysqli_fetch_all ($query, MYSQLI_ASSOC);
?>
<table>
  <tr>
  <th> Sl. No. </th>
  <th> USN </th>
  <th> Name</th>
  <th> Department </th>
  </tr>
 
  <?php for($i=0; $i<sizeof($students);$i++){ ?>
    <tr>
    <td><?php echo $i+1; ?></td>
    <td><?php echo $students[$i]["USN"]; ?></td>
    <td><?php echo $students[$i]["Name"]; ?></td>
    <td><?php echo $students[$i]["department"]; ?></td>
 </tr>
<?php } ?>
</table>
<?php
for($i=0; $i<sizeof($students);$i++){
    $minUSN = $i;
    for($j=$i+1;$j<sizeof($students);$j++){
        if($students[$j]["USN"] < $students[$i]["USN"]) {
            $minUSN = $j;
        } 
    } // end inner for loop
    //swap
    $temp = $students[$i];
    $students[$i] = $students[$minUSN];
    $students[$minUSN] = $temp;
} 
?>
<h2>After sorting - Selection Sort </h2>
<table>
  <tr>
  <th> Sl. No. </th>
  <th> USN </th>
  <th> Name</th>
  <th> Department </th>
  </tr>
 
  <?php for($i=0; $i<sizeof($students);$i++){ ?>
    <tr>
    <td><?php echo $i+1; ?></td>
    <td><?php echo $students[$i]["USN"]; ?></td>
    <td><?php echo $students[$i]["Name"]; ?></td>
    <td><?php echo $students[$i]["department"]; ?></td>
 </tr>
<?php } ?>
</table>

  
</body>
</html>
students.php
Displaying students.php.
<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <meta name="viewport" content="width=device-width, initial-scale=1.0">
    <title>Document</title>
    <script src="jquery-3.7.1.min.js"></script>
    <style>
        div{
            width:500px;
            height: 100px;
            border: solid 1pt burlywood;
            padding: 10px;
            margin: 10px;
        }
    </style>
</head>
<body>
    <h1>AJAX JQUERY</h1>
    <h2>Load Text using AJAX without Jquery</h2>
    <button onclick="loadDoc()">Change content</button>
    <div id="loadtxt"></div>
    <script>
        function loadDoc(){
            var xhr=new XMLHttpRequest();
            xhr.onreadystatechange=function(){
                if(this.readyState==4 && this.status==200){
                    document.getElementById("loadtxt").innerHTML=this.responseText;
                }
            };
            xhr.open("GET","content.txt",true);
            xhr.send();
        }
    </script>

    <h2>Load Text using AJAX with Jquery</h2>
    <button id="btnload">Change content using jquery</button>
    <div id="loadjqtxt"></div>
    <script>
        $("#btnload").click(function(){
            $.ajax({url:"content.txt" ,success:function(result){
                $("#loadjqtxt").html(result);
            }});
        });
    </script>

    <h2>Get JSON in jquery</h2>
    <button id="btngetjson">get json content</button>
    <div id="studentinfo"></div>
    <script>
        $("#btngetjson").click(function(){
            $.getJSON("student.json", function(result){
                $("#studentinfo").html("USN: "+ result.usn);
                $("#studentinfo").append("<br> Name: "+ result.name);
                $("#studentinfo").append("<br> Dept: "+ result.dept);

            });
        });
    </script>

    <h2>Parse JSON in jquery</h2>
    <button id="btnparsejson">parse json content</button>
    <div id="courseinfo"></div>
    <script>
        $("#btnparsejson").click(function(){
            let txt='{"cname":"Web tech", "code":"BCSL504"}'
            let obj=jQuery.parseJSON(txt);
            $("#courseinfo").html("name: "+obj.cname);
            $("#courseinfo").append("<br> code: "+obj.code);
        });

    </script>
</body>
</html>
star

Mon Dec 30 2024 11:48:10 GMT+0000 (Coordinated Universal Time)

@rstringa

star

Mon Dec 30 2024 11:44:15 GMT+0000 (Coordinated Universal Time) https://appticz.com/bustabit-clone-script

@aditi_sharma_

star

Mon Dec 30 2024 09:05:56 GMT+0000 (Coordinated Universal Time) https://www.min-themes.de/flexbox-gsap-collection

@madeinnature

star

Mon Dec 30 2024 04:46:15 GMT+0000 (Coordinated Universal Time)

@omnixima #javascript

star

Sun Dec 29 2024 08:46:22 GMT+0000 (Coordinated Universal Time)

@alexlam #css

star

Sat Dec 28 2024 22:14:47 GMT+0000 (Coordinated Universal Time)

@wsutanto #mysql

star

Sat Dec 28 2024 21:04:29 GMT+0000 (Coordinated Universal Time)

@wsutanto #mysql

star

Sat Dec 28 2024 19:26:30 GMT+0000 (Coordinated Universal Time)

@2late #ffmpeg

star

Sat Dec 28 2024 11:55:48 GMT+0000 (Coordinated Universal Time) https://www.keycloak.org/getting-started/getting-started-docker

@darkoeller

star

Sat Dec 28 2024 03:24:03 GMT+0000 (Coordinated Universal Time)

@wsutanto #mysql

star

Sat Dec 28 2024 01:41:06 GMT+0000 (Coordinated Universal Time)

@wsutanto #mysql

star

Fri Dec 27 2024 19:01:17 GMT+0000 (Coordinated Universal Time) https://www.programiz.com/c-programming/online-compiler/

@Narendra

star

Fri Dec 27 2024 18:18:39 GMT+0000 (Coordinated Universal Time)

@TechBox #c++

star

Fri Dec 27 2024 18:17:43 GMT+0000 (Coordinated Universal Time)

@TechBox #c++

star

Fri Dec 27 2024 18:16:44 GMT+0000 (Coordinated Universal Time)

@TechBox #c++

star

Fri Dec 27 2024 10:13:55 GMT+0000 (Coordinated Universal Time) https://appticz.com/blablacar-clone

@davidscott

star

Fri Dec 27 2024 10:04:07 GMT+0000 (Coordinated Universal Time)

@mateusz021202

star

Fri Dec 27 2024 09:33:11 GMT+0000 (Coordinated Universal Time) https://beleaftechnologies.com/crypto-smart-order-routing-services

@DAVIDDUNN

star

Fri Dec 27 2024 08:20:17 GMT+0000 (Coordinated Universal Time)

@Troynm

star

Fri Dec 27 2024 08:18:04 GMT+0000 (Coordinated Universal Time) https://maticz.com/token-development

@jamielucas #tokendevelopment

star

Fri Dec 27 2024 07:38:33 GMT+0000 (Coordinated Universal Time) https://www.code-brew.com/blockchain-solutions/smart-contract-development-company/

@blockchain48 #customcrypto wallet development company #crypto wallet development

star

Fri Dec 27 2024 04:56:22 GMT+0000 (Coordinated Universal Time) http://endless.horse/

@Cooldancerboy21

star

Fri Dec 27 2024 01:00:31 GMT+0000 (Coordinated Universal Time)

@davidmchale #oop #prototype

star

Thu Dec 26 2024 19:59:02 GMT+0000 (Coordinated Universal Time) https://www.howtogeek.com/tips-to-speed-up-file-transfers-on-windows-11/?utm_medium

@darkoeller

star

Thu Dec 26 2024 15:50:27 GMT+0000 (Coordinated Universal Time) https://www.meta.ai/c/19e08a2a-db68-4c85-b68c-9f44bef211b3

@HannahTrust #laravel

star

Thu Dec 26 2024 06:37:08 GMT+0000 (Coordinated Universal Time) https://myassignmenthelp.com/uk/mathematics-assignment-help.html

@parkerharry0005 #assignment

star

Wed Dec 25 2024 22:47:37 GMT+0000 (Coordinated Universal Time)

@davidmchale #oop #keys #loop

star

Wed Dec 25 2024 15:13:02 GMT+0000 (Coordinated Universal Time) https://www.globalstatements.com/secret/3/5d.html

@VanLemaime

star

Wed Dec 25 2024 15:00:23 GMT+0000 (Coordinated Universal Time)

@MinaTimo

star

Wed Dec 25 2024 13:29:48 GMT+0000 (Coordinated Universal Time) https://github.com/get-iplayer/get_iplayer?tab=readme-ov-file

@2late #programme

star

Wed Dec 25 2024 05:57:30 GMT+0000 (Coordinated Universal Time)

@phamlamphi114

star

Tue Dec 24 2024 22:08:11 GMT+0000 (Coordinated Universal Time)

@davidmchale

star

Tue Dec 24 2024 15:18:47 GMT+0000 (Coordinated Universal Time)

@javads

star

Tue Dec 24 2024 13:10:22 GMT+0000 (Coordinated Universal Time)

@MinaTimo

star

Tue Dec 24 2024 12:21:54 GMT+0000 (Coordinated Universal Time) https://admirmujkic.medium.com/why-i-stopped-writing-null-checks-b5c5be4341b2

@rick_m #c#

star

Tue Dec 24 2024 07:55:19 GMT+0000 (Coordinated Universal Time) https://appticz.com/medicine-delivery-app-development

@davidscott

star

Tue Dec 24 2024 06:02:41 GMT+0000 (Coordinated Universal Time) https://appticz.com/ubereats-clone

@bichocali

star

Tue Dec 24 2024 01:37:41 GMT+0000 (Coordinated Universal Time)

@quanganh141220 #woocommerce

star

Mon Dec 23 2024 22:19:35 GMT+0000 (Coordinated Universal Time) https://accounts.wondershare.com/web/subscription

@bichocali

star

Mon Dec 23 2024 16:44:30 GMT+0000 (Coordinated Universal Time)

@shirnunn

star

Mon Dec 23 2024 11:39:30 GMT+0000 (Coordinated Universal Time)

@arpit

star

Mon Dec 23 2024 08:10:29 GMT+0000 (Coordinated Universal Time)

@exam

star

Mon Dec 23 2024 07:55:20 GMT+0000 (Coordinated Universal Time) https://appticz.com/zocdoc-clone

@brigiita #english #french #hindhi

star

Mon Dec 23 2024 01:37:18 GMT+0000 (Coordinated Universal Time)

@andrefrancisco #c++

star

Mon Dec 23 2024 01:22:06 GMT+0000 (Coordinated Universal Time)

@marcopinero #javascript #html

star

Mon Dec 23 2024 00:07:27 GMT+0000 (Coordinated Universal Time) https://dashboard.blooket.com/discover

@bichocali

star

Sun Dec 22 2024 19:46:59 GMT+0000 (Coordinated Universal Time)

@akshva

star

Sun Dec 22 2024 19:46:14 GMT+0000 (Coordinated Universal Time)

@akshva

star

Sun Dec 22 2024 19:44:45 GMT+0000 (Coordinated Universal Time)

@akshva

Save snippets that work with our extensions

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