Snippets Collections
sudo systemctl stop <service.name>
$ docker run -d --name my-postgres-container -p 5555:5432 my-postgres-image
FROM postgres 
ENV POSTGRES_PASSWORD postgres 
ENV POSTGRES_DB testdb 
COPY init.sql /docker-entrypoint-initdb.d/
root@377ef2b9b13e:/# psql -U postgres
psql (11.4 (Debian 11.4-1.pgdg90+1))
Type "help" for help.
postgres=#
docker run --name postgres-docker -e POSTGRES_PASSWORD=postgres -p 5432:5432 -d postgres
import React, { useEffect, useState } from "react";
import { useSupabaseClient } from "@supabase/auth-helpers-react";
import { HeadingLink, MinimalPage, PageHeading, Spinner } from "ui";
import dayjs from "dayjs";
import { useRouter } from "next/router";

// Define types for users on and off shift
type UserOnShift = {
  shift_start: string | null;
  user: string; // Email from 'users_view'
};

type OfflineUser = {
  user: string; // Email from 'users_view'
};

const ShiftTable = () => {
  const [usersOnShift, setUsersOnShift] = useState<UserOnShift[]>([]);
  const [usersOffShift, setUsersOffShift] = useState<OfflineUser[]>([]);
  const [loading, setLoading] = useState(true);
  const [error, setError] = useState("");
  const [showModal, setShowModal] = useState(false);
  const [selectedUser, setSelectedUser] = useState<UserOnShift | null>(null);
  const supabaseClient = useSupabaseClient();
  const router = useRouter();
  const excludedUuid = "2b78abeb-133d-4248-8469-21620903cbb3";

  useEffect(() => {
    const fetchUsers = async () => {
      setLoading(true);
      setError("");

      try {
        const { data: usersOnShiftData, error: onShiftError } =
          await supabaseClient
            .from("UserLastWorkedOn")
            .select("shift_start, user, users_view (email)")
            .not("user", "eq", excludedUuid)
            .not("shift_start", "is", null);

        const { data: usersOffShiftData, error: offShiftError } =
          await supabaseClient
            .from("UserLastWorkedOn")
            .select("user, users_view (email)")
            .not("user", "eq", excludedUuid)
            .is("shift_start", null);

        if (onShiftError || offShiftError) {
          setError(
            onShiftError?.message ||
              offShiftError?.message ||
              "Failed to fetch user data."
          );
          return;
        }

        const sortedOnShift = usersOnShiftData
          .map((user) => ({
            shift_start: user.shift_start,
            user: user.users_view?.email ?? user.user,
          }))
          .sort((a, b) => a.user.localeCompare(b.user));

        const sortedOffShift = usersOffShiftData
          .map((user) => ({
            user: user.users_view?.email ?? user.user,
          }))
          .sort((a, b) => a.user.localeCompare(b.user));

        setUsersOnShift(sortedOnShift);
        setUsersOffShift(sortedOffShift);
      } catch (err) {
        setError("Failed to fetch user data: " + err.message);
      } finally {
        setLoading(false);
      }
    };

    fetchUsers();
  }, [supabaseClient]);

  const handleUserClick = (user: UserOnShift) => {
    setSelectedUser(user);
    setShowModal(true);
  };

  const closeModal = () => {
    setShowModal(false);
    setSelectedUser(null);
  };

  const navigateToUserHistory = () => {
    if (selectedUser) {
      router.push(`/user-history/${selectedUser.user}`); // Adjust the route as needed
      closeModal();
    }
  };

  return (
    <MinimalPage
      pageTitle="Shift Table | Email Interface"
      pageDescription="Spot Ship Email Interface | Shift Table"
      commandPrompt
    >
      <div className="w-full">
        <HeadingLink icon="back" text="Home" href="/secure/home" />
      </div>
      <PageHeading text="Spot Ship Shift Table" />
      <div className="mb-4 text-sm text-gray-400">
        {usersOnShift.length} user(s) currently on shift. Offline users:{" "}
        {usersOffShift.length}.
      </div>
      {loading ? (
        <Spinner />
      ) : error ? (
        <p className="text-red-500">{error}</p>
      ) : (
        <>
          <div className="mt-8 w-full px-4">
            {renderUsersGrid(
              "Users Currently On Shift",
              usersOnShift,
              true,
              handleUserClick
            )}
          </div>
          <div className="mt-8 w-full px-4">
            {renderUsersGrid(
              "Offline Users",
              usersOffShift,
              false,
              handleUserClick
            )}
          </div>
        </>
      )}
      {showModal && selectedUser && (
        <div className="absolute bottom-0 left-0 right-0 top-0 flex items-center justify-center bg-black bg-opacity-50">
          <div className="rounded-lg bg-white p-4 shadow-lg">
            <h3 className="text-lg font-bold">User Actions</h3>
            <p>{`Show ${selectedUser.user}'s history?`}</p>
            <button
              className="rounded bg-blue-500 px-4 py-2 font-bold text-white hover:bg-blue-700"
              onClick={navigateToUserHistory}
            >
              View History
            </button>
            <button
              className="ml-2 rounded bg-gray-300 px-4 py-2 text-black hover:bg-gray-400"
              onClick={closeModal}
            >
              Cancel
            </button>
          </div>
        </div>
      )}
    </MinimalPage>
  );

  function renderUsersGrid(
    title: string,
    users: any[],
    showShiftStart: boolean,
    onClick: (user: UserOnShift) => void
  ) {
    return (
      <div className="overflow-hidden overflow-x-auto rounded-3xl border-transparent shadow-lg">
        <h2 className="my-4 px-6 text-lg font-semibold text-white">{title}</h2>
        <div className="grid grid-cols-4 gap-4">
          {users.map((user, index) => (
            <div
              key={index}
              className="cursor-pointer rounded-xl bg-gray-800 p-4 text-center"
              onClick={() => onClick(user)}
            >
              <p className="text-sm text-gray-400">{user.user}</p>
              {showShiftStart && user.shift_start ? (
                <p className="text-sm text-gray-400">
                  {dayjs(user.shift_start).format("DD-MM-YYYY | HH:mm")}
                </p>
              ) : null}
            </div>
          ))}
        </div>
      </div>
    );
  }
};

export default ShiftTable;
import { useEffect, useState } from "react";
import { useSupabaseClient } from "@supabase/auth-helpers-react";
import { HeadingLink, MinimalPage, PageHeading, Spinner } from "ui";
import type { Database } from "../../../types";
import dayjs from "dayjs";

const ShiftTable = () => {
  const [usersOnShift, setUsersOnShift] = useState<
    Array<{ user: string; shift_start: string | null }>
  >([]);
  const [loading, setLoading] = useState(true);
  const [error, setError] = useState("");
  const supabaseClient = useSupabaseClient<Database>();

  useEffect(() => {
    const fetchUsersOnShift = async () => {
      setLoading(true);
      try {
        const { data: usersData, error: usersError } = await supabaseClient
          .from("UserLastWorkedOn")
          .select("shift_start, user, users_view (email, raw_user_meta_data)")
          .not("shift_start", "is", null);

        if (usersError) {
          setError(usersError.message ?? "Failed to fetch user shift data");
          console.error(usersError);
        }

        const mappedUsers = usersData?.map((user) => {
          const userMetaData = Array.isArray(user.users_view)
            ? user.users_view[0].raw_user_meta_data
            : user.users_view?.raw_user_meta_data;
          const mappedUser: {
            user: string;
            shift_start: string | null;
            image: string | null;
          } = {
            shift_start: user.shift_start,
            user: Array.isArray(user.users_view)
              ? user.users_view[0].email
              : user.users_view?.email ?? user.user,
            image: userMetaData ? userMetaData["avatar_url"] ?? null : null,
          };
          return mappedUser;
        });

        setUsersOnShift(mappedUsers ?? []);
      } catch (err) {
        setError("Failed to fetch user shift data");
        console.error(err);
      } finally {
        setLoading(false);
      }
    };

    fetchUsersOnShift();
  }, [supabaseClient]);

  return (
    <MinimalPage
      pageTitle="Shift Table | Email Interface"
      pageDescription="Spot Ship Email Interface | Shift Table"
      commandPrompt
    >
      <div className="w-full">
        <HeadingLink icon="back" text="Home" href="/secure/home" />
      </div>
      <PageHeading text="Spot Ship Shift Table" />
      <div className="flex w-full flex-col">
        {loading ? (
          <Spinner />
        ) : error ? (
          <p className="text-red-500">Error: {error}</p>
        ) : usersOnShift.length ? (
          <table className="mt-4 min-w-full">
            <thead>
              <tr>
                <th className="px-6 py-3 text-left text-xs font-medium uppercase tracking-wider text-gray-500">
                  User Email
                </th>
                <th className="px-6 py-3 text-left text-xs font-medium uppercase tracking-wider text-gray-500">
                  Shift Started
                </th>
              </tr>
            </thead>
            <tbody className="divide-white-200 divide-x ">
              {usersOnShift.map((user, index) => (
                <tr key={index}>
                  <td className=" text-white-500 px-6 py-4 text-sm">
                    {user.user}
                  </td>
                  <td className=" text-white-500 px-6 py-4 text-sm">
                    {dayjs(user.shift_start).format("DD-MM-YYYY | HH:mm")}
                  </td>
                </tr>
              ))}
            </tbody>
          </table>
        ) : (
          <p>No users are currently on shift</p>
        )}
      </div>
    </MinimalPage>
  );
};

export default ShiftTable;
<style>

    body:not(.elementor-editor-active) .hide-listing {
        display: none;
        height: 0;
    }
    
</style>

<script>

	document.addEventListener( 'jet-smart-filters/inited', function( initEvent ) {
		
		function hideProvider( $provider, parentSelector ) {
			$provider.closest( parentSelector ).addClass( 'hide-listing' );
		}
		
		function showProvider( $provider, parentSelector ) {
			$provider.closest( parentSelector ).removeClass( 'hide-listing' );
		}
		
		jQuery( function( $ ) {
			
			for ( const groupName in window.JetSmartFilters.filterGroups ) {
				
				const filterGroup = window.JetSmartFilters.filterGroups[ groupName ],
				      $provider   = filterGroup?.$provider,
				      query       = filterGroup?.currentQuery || {};
					
				if ( ! $provider.closest('.hide-before-filter')?.length ) {
					return;
				}
				
				if ( ! Object.keys( query ).length ) {
					hideProvider( $provider, '.hide-before-filter' );
				} else {
					showProvider( $provider, '.hide-before-filter' );
				}
				
			}
			
			window.JetSmartFilters.events.subscribe( 'ajaxFilters/updated', function( provider, queryId ) {
				
				const filterGroup = window.JetSmartFilters.filterGroups[ provider + '/' + queryId ],
				      $provider   = filterGroup.$provider,
				      query       = filterGroup.currentQuery || {};
				
				if ( ! Object.keys( query ).length ) {
					hideProvider( $provider, '.hide-before-filter.hide-on-reset' );
				} else {
					showProvider( $provider, '.hide-before-filter' );
				}
				
			} );
		
		} );
	
	} );
	
</script>
#include <stdio.h>
#include <stdlib.h>
// function to calculate current age
void age(int present_date, int present_month, int present_year, int birth_date, int birth_month, int birth_year) {
   int month[] = { 31, 28, 31, 30, 31, 30, 31, 31, 30, 31, 30, 31 };
   if (birth_date > present_date) {
      present_date = present_date + month[birth_month - 1];
      present_month = present_month - 1;
   }
   if (birth_month > present_month) {
      present_year = present_year - 1;
      present_month = present_month + 12;
   }
   int final_date = present_date - birth_date;
   int final_month = present_month - birth_month;
   int final_year = present_year - birth_year;
   printf("\nYour Present Age Is : %d Years %d Months %d Days", final_year, final_month, final_date);
}
int main() {
   int present_date;
   printf("Present Date : ");
   scanf("%d",&present_date);
   
   int present_month;
    printf("Present Month : ");
   scanf("%d",&present_month);
   
   int present_year;
    printf("Present Year : ");
   scanf("%d",&present_year);
   
   int birth_date ;
    printf("\nBirth Date : ");
   scanf("%d",&birth_date);
   
   int birth_month;
    printf("Birth Month : ");
   scanf("%d",&birth_month);
   
   int birth_year ;
    printf("Birth Year : ");
   scanf("%d",&birth_year);
   
   age(present_date, present_month, present_year, birth_date, birth_month, birth_year);
   return 0;
}
<!DOCTYPE html>
<html>
<body>
​
<p>If your browser supports bi-directional override (bdo), the next line will be written from right to left (rtl):</p>
​
<bdo dir="rtl">This line will be written from right to left</bdo>
​
</body>
</html>
​
​
#include <stdio.h>

int main() {
   
   int a,b,c,d,e;
    printf("Enter 1st number : ");
    scanf("%d",&a);
    
    printf("Enter 2nd number : ");
    scanf("%d",&b);
    
    printf("Enter 3rd number : ");
    scanf("%d",&c);
    
    printf("Enter 4th number : ");
    scanf("%d",&d);
    
    printf("Enter 5th number : ");
    scanf("%d",&e);
    
    
    if (a>b && a>c && a>d && a>e)
    {
        printf("\n%d is Greatest Integer Number among all of those numbers .",a);
    }
    
    if (b>a && b>c && b>d && b>e)
    {
        printf("\n%d is Greatest Integer Number among all of those numbers .",b);
    }
    
    
    if (c>a && c>b && c>d && c>e)
    {
        printf("\n%d is Greatest Integer Number among all of those numbers .",c);
    }
    
    
    if (d>a && d>b && d>c && d>e)
    {
        printf("\n%d is Greatest Integer Number among all of those numbers .",d);
    }
    
    if (e>a && e>b && e>c && e>d)
    {
        printf("\n%d is Greatest Integer Number among all of those numbers .",e);
    }


    return 0;
}
echo "# Responsive-Web" >> README.md
git init
git add README.md
git commit -m "first commit"
git branch -M main
git remote add origin https://github.com/zia101202303/Responsive-Web.git
git push -u origin main
inspector = pod_planner.Planner2externalApps.FetchPODPersonMapString(zoho.loginuserid);
insp = inspector.get("userId");
/* ************************************ Elementor вставка МАСКи в поле телефон ************************************* */
function biz2web_scripts() {
  $uploads = wp_upload_dir();
  $upload_path = $uploads['baseurl'];
    wp_enqueue_script('masked-input', $upload_path . '/mask/jquery.maskedinput.min.js', array('jquery'), '1.1', true);
}
add_action( 'wp_enqueue_scripts', 'biz2web_scripts' );
mapp = {"Ten Yearly":3650,"Five Yearly":1825,"Four Yearly":1460,"Three Yearly":1095,"Two Yearly":730,"Yearly":365,"Quarterly":90,"Six Monthly":183,"Two Monthly":60,"Monthly":30,"Fortnightly":14,"Weekly":7,"TBC":7,"Daily":1};
//
for each  rec in Testing_Requirements[Asset_s = input.Asset]
{
	freq = rec.Frequency_Required;
	mappe = mapp.get(freq);
}
    <Box
            height={"auto"}
            backgroundColor={"#F7F8FA"}
            width={"400px"}
            css={{
                '@media (max-width: 1280px)': {
                    width: "380px",
                },
            }}
        > </Box>
<div class="gallery_imgs">
            <?php
            if (have_rows('galleryitems')) :
                while (have_rows('galleryitems')) : the_row();

                    $radioCon = get_sub_field('image_or_video');
                    $thumImg = get_sub_field('thumbnail_img');
                    $video = get_sub_field('preview_video');

                    $result = '';

                    if ($radioCon == 'video') {
                        $result = $video;
                    } elseif ($radioCon == 'picture') {
                        $result = $thumImg;
                    }
            ?>
                    <div class="gallery_inner">
                        <a class="fancybox" data-fancybox="gallery" href="<?php echo $result ?>">
                            <p><?php echo $result ?></p>
                            <img src="<?php echo $thumImg; ?>" alt="<?php echo $thumImg; ?>" />
                        </a>
                    </div>
                <?php endwhile; ?>
            <?php else : ?>
                <!--no -->
            <?php endif; ?>
Kabari,Cement,Masdoor,find things which not availbe online and make app, create websites by data which people search,

Business adds websites bano.khata app,
ایک ویب سائٹ بناؤ جو لوگوں کو نارمل سروسس دے جیسے مزدور،الیکٹریشن ،پلمبرز ،کار واشنگ پرواڈرز، ہیئر کٹ،ایسی سروسس لوگو ں کو ایک ویب سائڈ کے تھرو دوں۔

how to create your own marketing agency
Book time for hair cutting,or ya jab customer free ho
record movies from netflix and sell
Regarding the deprecated APIs warning: that's unfortunately a result of our script's age, as it was developed several years ago. To tackle this, our product team is actively working on rebuilding the endpoint with a more modern approach, aligning with current web standards.

Regarding the reported slowdown in website performance: our analysis suggests that while Fareharbor contributes to some extent, it's not the primary factor. For instance, optimizing image sizes and especially formats, as well as minimizing code, could significantly improve page speed. In terms of integration and performance enhancement, we unfortunately can't do much. One approach for them would be to remove our API, thus the lightframe popup, and have all links open in new tabs. Then repeat the PageSpeed Insight again.  This would isolate the impact of the API on page speed.


https://pagespeed.web.dev/analysis/https-www-letzgocitytours-com/rvtq89dt91?form_factor=desktop this is the analysis I based my notes on
 declare 
	a number(4):=&a;
	b number(3):=0;
	c number(3):=0;
begin
for i in 2..a loop
if a mod i	=0 then
	b:=b+1;
end if;
end loop;
if b=1 then
dbms_output.put_line('number is prime:'||a);
else
dbms_output.put_line('number is not prime:'||a);
end if;
for i in 1..(a-1) loop
	if a mod i=0 then
		c:=c+i;
	end if;
end loop;
if c=a then
dbms_output.put_line('no is perfect'||a);
else
dbms_output.put_line('number is  not perfect:'||a);
end if;
end;
/

 
package core;

import tileengine.TERenderer;
import tileengine.TETile;



public class Main {
    public static final int WIDTH = 80;
    public static final int HEIGHT = 30;
    public static void main(String[] args) {
        TERenderer ter = new TERenderer();
        ter.initialize(WIDTH, HEIGHT);

        // Seed for reproducibility
        long seed = System.currentTimeMillis();
        World world = new World(seed);

        // Fill the world with rooms and hallways
        world.fillWorld();

        // Render the world to the screen
        ter.renderFrame(world.getWorldTiles());
    }
        // build your own world! ughhhh



}
package core;

import tileengine.TETile;
import tileengine.Tileset;

public class AutograderBuddy {

    /**
     * Simulates a game, but doesn't render anything or call any StdDraw
     * methods. Instead, returns the world that would result if the input string
     * had been typed on the keyboard.
     *
     * Recall that strings ending in ":q" should cause the game to quit and
     * save. To "quit" in this method, save the game to a file, then just return
     * the TETile[][]. Do not call System.exit(0) in this method.
     *
     * @param input the input string to feed to your program
     * @return the 2D TETile[][] representing the state of the world
     */
    public static TETile[][] getWorldFromInput(String input) {
        long seed = parseSeed(input);
        World world = new World(seed);
        world.fillWorld();
        return world.getWorldTiles();
    }
    private static long parseSeed(String input) {
        if (input.matches("N\\d+S")) {
            String seed = input.substring(1, input.length() - 1);
            try {
                return Long.parseLong(seed);
            } catch (NumberFormatException e) {
                return 26478;
            }
        }
        throw new IllegalArgumentException();
    }


    /**
     * Used to tell the autograder which tiles are the floor/ground (including
     * any lights/items resting on the ground). Change this
     * method if you add additional tiles.
     */
    public static boolean isGroundTile(TETile t) {
        return t.character() == Tileset.FLOOR.character()
                || t.character() == Tileset.AVATAR.character()
                || t.character() == Tileset.FLOWER.character();
    }

    /**
     * Used to tell the autograder while tiles are the walls/boundaries. Change
     * this method if you add additional tiles.
     */
    public static boolean isBoundaryTile(TETile t) {
        return t.character() == Tileset.WALL.character()
                || t.character() == Tileset.LOCKED_DOOR.character()
                || t.character() == Tileset.UNLOCKED_DOOR.character();
    }
}
using System;
using System.IO;
using Chilkat;

// Factory arayüzü
interface IFileDownloaderFactory
{
    IFileDownloader CreateFileDownloader();
}

// FTP için Factory sınıfı
class FTPFileDownloaderFactory : IFileDownloaderFactory
{
    public IFileDownloader CreateFileDownloader()
    {
        return new FTPFileDownloader();
    }
}

// FTPS için Factory sınıfı
class FTPSFileDownloaderFactory : IFileDownloaderFactory
{
    public IFileDownloader CreateFileDownloader()
    {
        return new FTPSFileDownloader();
    }
}

// Dosya indirme arayüzü
interface IFileDownloader
{
    void DownloadFile(string host, int port, string username, string password, string filePath, MemoryStream stream);
}

// FTP için dosya indirme sınıfı
class FTPFileDownloader : IFileDownloader
{
    public void DownloadFile(string host, int port, string username, string password, string filePath, MemoryStream stream)
    {
        Ftp2 ftp = new Ftp2();
        ftp.Connect(host, port);
        ftp.Login(username, password);
        ftp.GetFile(filePath, stream);
        ftp.Disconnect();
    }
}

// FTPS için dosya indirme sınıfı
class FTPSFileDownloader : IFileDownloader
{
    public void DownloadFile(string host, int port, string username, string password, string filePath, MemoryStream stream)
    {
        Ftp2 ftp = new Ftp2();
        ftp.Ssl = true;
        ftp.OnSslServerCert += new Ftp2.OnSslServerCertEventHandler(ValidateCertificate);
        ftp.Connect(host, port);
        ftp.AuthTls();
        ftp.Login(username, password);
        ftp.GetFile(filePath, stream);
        ftp.Disconnect();
    }

    // SSL sertifikası doğrulama olayı
    static void ValidateCertificate(object sender, FtpCertInfo cert)
    {
        // Sertifika doğrulama kodunu buraya ekleyin
        // Örneğin, sertifika doğrulama sürecini kontrol ederek e.Accept'e true veya false atayabilirsiniz
    }
}

class Program
{
    static void Main(string[] args)
    {
        // FTP sunucu bilgileri
        string ftpHost = "ftp.example.com";
        int ftpPort = 21;
        string ftpUsername = "your_ftp_username";
        string ftpPassword = "your_ftp_password";
        string ftpFilePath = "/path/to/your/excel/file.xlsx";

        // FTPS sunucu bilgileri
        string ftpsHost = "ftps.example.com";
        int ftpsPort = 990;
        string ftpsUsername = "your_ftps_username";
        string ftpsPassword = "your_ftps_password";
        string ftpsFilePath = "/path/to/your/excel/file.xlsx";

        // Factory sınıfları oluştur
        IFileDownloaderFactory ftpFactory = new FTPFileDownloaderFactory();
        IFileDownloaderFactory ftpsFactory = new FTPSFileDownloaderFactory();

        // FTP üzerinden dosya indirme işlemi
        IFileDownloader ftpDownloader = ftpFactory.CreateFileDownloader();
        MemoryStream ftpStream = new MemoryStream();
        ftpDownloader.DownloadFile(ftpHost, ftpPort, ftpUsername, ftpPassword, ftpFilePath, ftpStream);

        // FTPS üzerinden dosya indirme işlemi
        IFileDownloader ftpsDownloader = ftpsFactory.CreateFileDownloader();
        MemoryStream ftpsStream = new MemoryStream();
        ftpsDownloader.DownloadFile(ftpsHost, ftpsPort, ftpsUsername, ftpsPassword, ftpsFilePath, ftpsStream);

        // MemoryStream'deki veriyi kullanarak Excel dosyasını okuyabilirsiniz
    }
}
/* http://meyerweb.com/eric/tools/css/reset/
   v2.0-modified | 20110126
   License: none (public domain)
*/

html, body, div, span, applet, object, iframe,
h1, h2, h3, h4, h5, h6, p, blockquote, pre,
a, abbr, acronym, address, big, cite, code,
del, dfn, em, img, ins, kbd, q, s, samp,
small, strike, strong, sub, sup, tt, var,
b, u, i, center,
dl, dt, dd, ol, ul, li,
fieldset, form, label, legend,
table, caption, tbody, tfoot, thead, tr, th, td,
article, aside, canvas, details, embed,
figure, figcaption, footer, header, hgroup,
menu, nav, output, ruby, section, summary,
time, mark, audio, video {
  margin: 0;
	padding: 0;
	border: 0;
	font-size: 100%;
	font: inherit;
	vertical-align: baseline;
}

/* make sure to set some focus styles for accessibility */
:focus {
    outline: 0;
}

/* HTML5 display-role reset for older browsers */
article, aside, details, figcaption, figure,
footer, header, hgroup, menu, nav, section {
	display: block;
}

body {
	line-height: 1;
}

ol, ul {
	list-style: none;
}

blockquote, q {
	quotes: none;
}

blockquote:before, blockquote:after,
q:before, q:after {
	content: '';
	content: none;
}

table {
	border-collapse: collapse;
	border-spacing: 0;
}

input[type=search]::-webkit-search-cancel-button,
input[type=search]::-webkit-search-decoration,
input[type=search]::-webkit-search-results-button,
input[type=search]::-webkit-search-results-decoration {
    -webkit-appearance: none;
    -moz-appearance: none;
}

input[type=search] {
    -webkit-appearance: none;
    -moz-appearance: none;
    -webkit-box-sizing: content-box;
    -moz-box-sizing: content-box;
    box-sizing: content-box;
}

textarea {
    overflow: auto;
    vertical-align: top;
    resize: vertical;
}

/**
 * Correct `inline-block` display not defined in IE 6/7/8/9 and Firefox 3.
 */

audio,
canvas,
video {
    display: inline-block;
    *display: inline;
    *zoom: 1;
    max-width: 100%;
}

/**
 * Prevent modern browsers from displaying `audio` without controls.
 * Remove excess height in iOS 5 devices.
 */

audio:not([controls]) {
    display: none;
    height: 0;
}

/**
 * Address styling not present in IE 7/8/9, Firefox 3, and Safari 4.
 * Known issue: no IE 6 support.
 */

[hidden] {
    display: none;
}

/**
 * 1. Correct text resizing oddly in IE 6/7 when body `font-size` is set using
 *    `em` units.
 * 2. Prevent iOS text size adjust after orientation change, without disabling
 *    user zoom.
 */

html {
    font-size: 100%; /* 1 */
    -webkit-text-size-adjust: 100%; /* 2 */
    -ms-text-size-adjust: 100%; /* 2 */
}

/**
 * Address `outline` inconsistency between Chrome and other browsers.
 */

a:focus {
    outline: thin dotted;
}

/**
 * Improve readability when focused and also mouse hovered in all browsers.
 */

a:active,
a:hover {
    outline: 0;
}

/**
 * 1. Remove border when inside `a` element in IE 6/7/8/9 and Firefox 3.
 * 2. Improve image quality when scaled in IE 7.
 */

img {
    border: 0; /* 1 */
    -ms-interpolation-mode: bicubic; /* 2 */
}

/**
 * Address margin not present in IE 6/7/8/9, Safari 5, and Opera 11.
 */

figure {
    margin: 0;
}

/**
 * Correct margin displayed oddly in IE 6/7.
 */

form {
    margin: 0;
}

/**
 * Define consistent border, margin, and padding.
 */

fieldset {
    border: 1px solid #c0c0c0;
    margin: 0 2px;
    padding: 0.35em 0.625em 0.75em;
}

/**
 * 1. Correct color not being inherited in IE 6/7/8/9.
 * 2. Correct text not wrapping in Firefox 3.
 * 3. Correct alignment displayed oddly in IE 6/7.
 */

legend {
    border: 0; /* 1 */
    padding: 0;
    white-space: normal; /* 2 */
    *margin-left: -7px; /* 3 */
}

/**
 * 1. Correct font size not being inherited in all browsers.
 * 2. Address margins set differently in IE 6/7, Firefox 3+, Safari 5,
 *    and Chrome.
 * 3. Improve appearance and consistency in all browsers.
 */

button,
input,
select,
textarea {
    font-size: 100%; /* 1 */
    margin: 0; /* 2 */
    vertical-align: baseline; /* 3 */
    *vertical-align: middle; /* 3 */
}

/**
 * Address Firefox 3+ setting `line-height` on `input` using `!important` in
 * the UA stylesheet.
 */

button,
input {
    line-height: normal;
}

/**
 * Address inconsistent `text-transform` inheritance for `button` and `select`.
 * All other form control elements do not inherit `text-transform` values.
 * Correct `button` style inheritance in Chrome, Safari 5+, and IE 6+.
 * Correct `select` style inheritance in Firefox 4+ and Opera.
 */

button,
select {
    text-transform: none;
}

/**
 * 1. Avoid the WebKit bug in Android 4.0.* where (2) destroys native `audio`
 *    and `video` controls.
 * 2. Correct inability to style clickable `input` types in iOS.
 * 3. Improve usability and consistency of cursor style between image-type
 *    `input` and others.
 * 4. Remove inner spacing in IE 7 without affecting normal text inputs.
 *    Known issue: inner spacing remains in IE 6.
 */

button,
html input[type="button"], /* 1 */
input[type="reset"],
input[type="submit"] {
    -webkit-appearance: button; /* 2 */
    cursor: pointer; /* 3 */
    *overflow: visible;  /* 4 */
}

/**
 * Re-set default cursor for disabled elements.
 */

button[disabled],
html input[disabled] {
    cursor: default;
}

/**
 * 1. Address box sizing set to content-box in IE 8/9.
 * 2. Remove excess padding in IE 8/9.
 * 3. Remove excess padding in IE 7.
 *    Known issue: excess padding remains in IE 6.
 */

input[type="checkbox"],
input[type="radio"] {
    box-sizing: border-box; /* 1 */
    padding: 0; /* 2 */
    *height: 13px; /* 3 */
    *width: 13px; /* 3 */
}

/**
 * 1. Address `appearance` set to `searchfield` in Safari 5 and Chrome.
 * 2. Address `box-sizing` set to `border-box` in Safari 5 and Chrome
 *    (include `-moz` to future-proof).
 */

input[type="search"] {
    -webkit-appearance: textfield; /* 1 */
    -moz-box-sizing: content-box;
    -webkit-box-sizing: content-box; /* 2 */
    box-sizing: content-box;
}

/**
 * Remove inner padding and search cancel button in Safari 5 and Chrome
 * on OS X.
 */

input[type="search"]::-webkit-search-cancel-button,
input[type="search"]::-webkit-search-decoration {
    -webkit-appearance: none;
}

/**
 * Remove inner padding and border in Firefox 3+.
 */

button::-moz-focus-inner,
input::-moz-focus-inner {
    border: 0;
    padding: 0;
}

/**
 * 1. Remove default vertical scrollbar in IE 6/7/8/9.
 * 2. Improve readability and alignment in all browsers.
 */

textarea {
    overflow: auto; /* 1 */
    vertical-align: top; /* 2 */
}

/**
 * Remove most spacing between table cells.
 */

table {
    border-collapse: collapse;
    border-spacing: 0;
}

html,
button,
input,
select,
textarea {
    color: #222;
}


::-moz-selection {
    background: #b3d4fc;
    text-shadow: none;
}

::selection {
    background: #b3d4fc;
    text-shadow: none;
}

img {
    vertical-align: middle;
}

fieldset {
    border: 0;
    margin: 0;
    padding: 0;
}

textarea {
    resize: vertical;
}

.chromeframe {
    margin: 0.2em 0;
    background: #ccc;
    color: #000;
    padding: 0.2em 0;
}
// Run the method to get the dataset info
Map<String,String> datasetInfo = getLatestWaveDataSetVersionId('Login');
        
// Construct your wave query
String waveQuery = Wave.QueryBuilder.load(
    datasetInfo.get('datasetId'),
    datasetInfo.get('datasetVersionId')
).build('q');


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


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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

int main(){

int a;
int b;
int c;



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

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

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

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

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

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

return 0;
}
#include<stdio.h>

int main(){

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

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

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

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

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

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

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

return 0;

}
import mido
import random

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

    return notes



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

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

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

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

Tue Apr 16 2024 02:05:07 GMT+0000 (Coordinated Universal Time)

@juanpinheirx_

star

Tue Apr 16 2024 02:05:07 GMT+0000 (Coordinated Universal Time)

@juanpinheirx_

star

Tue Apr 16 2024 02:03:33 GMT+0000 (Coordinated Universal Time) https://www.onlinegdb.com/online_bash_shell

@juanpinheirx_

star

Tue Apr 16 2024 01:10:14 GMT+0000 (Coordinated Universal Time) https://wkrzywiec.medium.com/database-in-a-docker-container-how-to-start-and-whats-it-about-5e3ceea77e50

@juanpinheirx_

star

Tue Apr 16 2024 01:09:36 GMT+0000 (Coordinated Universal Time) https://wkrzywiec.medium.com/database-in-a-docker-container-how-to-start-and-whats-it-about-5e3ceea77e50

@juanpinheirx_

star

Tue Apr 16 2024 01:08:14 GMT+0000 (Coordinated Universal Time) https://wkrzywiec.medium.com/database-in-a-docker-container-how-to-start-and-whats-it-about-5e3ceea77e50

@juanpinheirx_

star

Tue Apr 16 2024 01:07:27 GMT+0000 (Coordinated Universal Time) https://hub.docker.com/_/postgres

@juanpinheirx_

star

Tue Apr 16 2024 01:07:06 GMT+0000 (Coordinated Universal Time) https://wkrzywiec.medium.com/database-in-a-docker-container-how-to-start-and-whats-it-about-5e3ceea77e50

@juanpinheirx_

star

Tue Apr 16 2024 01:06:25 GMT+0000 (Coordinated Universal Time) https://wkrzywiec.medium.com/database-in-a-docker-container-how-to-start-and-whats-it-about-5e3ceea77e50

@juanpinheirx_

star

Tue Apr 16 2024 01:04:06 GMT+0000 (Coordinated Universal Time) https://wkrzywiec.medium.com/database-in-a-docker-container-how-to-start-and-whats-it-about-5e3ceea77e50

@juanpinheirx_

star

Tue Apr 16 2024 01:03:00 GMT+0000 (Coordinated Universal Time) https://wkrzywiec.medium.com/database-in-a-docker-container-how-to-start-and-whats-it-about-5e3ceea77e50

@juanpinheirx_

star

Mon Apr 15 2024 22:46:59 GMT+0000 (Coordinated Universal Time)

@rafal_rydz

star

Mon Apr 15 2024 21:44:59 GMT+0000 (Coordinated Universal Time)

@rafal_rydz

star

Mon Apr 15 2024 19:02:38 GMT+0000 (Coordinated Universal Time)

@Y@sir #jetsmartfilters #filter

star

Mon Apr 15 2024 18:47:28 GMT+0000 (Coordinated Universal Time)

@Amlan #c

star

Mon Apr 15 2024 18:21:57 GMT+0000 (Coordinated Universal Time) https://www.w3schools.com/html/tryit.asp?filename

@Elizabeth__ #undefined

star

Mon Apr 15 2024 17:48:52 GMT+0000 (Coordinated Universal Time)

@Amlan #c

star

Mon Apr 15 2024 17:05:02 GMT+0000 (Coordinated Universal Time) https://github.com/zia101202303/Responsive-Web

@ziaurrehman

star

Mon Apr 15 2024 15:23:46 GMT+0000 (Coordinated Universal Time)

@nishpod

star

Mon Apr 15 2024 15:10:02 GMT+0000 (Coordinated Universal Time)

@mastaklance

star

Mon Apr 15 2024 14:01:53 GMT+0000 (Coordinated Universal Time)

@nishpod

star

Mon Apr 15 2024 13:23:41 GMT+0000 (Coordinated Universal Time) https://reintech.io/blog/comprehensive-guide-sql-create-database-statement

@Hack3rmAn #sql

star

Mon Apr 15 2024 13:22:26 GMT+0000 (Coordinated Universal Time) https://stackoverflow.com/questions/28405444/inline-css-styles-in-react-how-to-implement-media-queries

@ziaurrehman

star

Mon Apr 15 2024 08:57:43 GMT+0000 (Coordinated Universal Time)

@hamzahanif192

star

Mon Apr 15 2024 08:33:26 GMT+0000 (Coordinated Universal Time)

@ziaurrehman #javascriptreact

star

Mon Apr 15 2024 07:01:07 GMT+0000 (Coordinated Universal Time)

@Shira

star

Mon Apr 15 2024 06:17:43 GMT+0000 (Coordinated Universal Time)

@signup

star

Mon Apr 15 2024 05:10:24 GMT+0000 (Coordinated Universal Time)

@jayzalavadiya #typescript

star

Mon Apr 15 2024 01:59:42 GMT+0000 (Coordinated Universal Time)

@pineapple

star

Sun Apr 14 2024 22:44:53 GMT+0000 (Coordinated Universal Time)

@kursatoguz

star

Sun Apr 14 2024 16:20:32 GMT+0000 (Coordinated Universal Time)

@twelvetone

star

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

@Justus

star

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

@niteshpuri #html

star

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

@milliedavidson #bash #terminal #mac #networking

star

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

@milliedavidson #bash #mac #terminal #networking

star

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

@milliedavidson #bash #mac #terminal #networking

star

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

@milliedavidson #bash #terminal #mac #networking

star

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

@Amlan #c

star

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

@Amlan #c

star

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

@Amlan #c

star

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

@darkwebmarket

star

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

@renanbesserra

star

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

@HTPrince

star

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

@HTPrince

star

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

@sayouti_19 #python

star

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

@dw

Save snippets that work with our extensions

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