Snippets Collections
 Software, that convert VDI files
The list contains a list of dedicated software for converting VDI and ISO files. The list may also include programs that support VDI files and allow you to save them with different file extensions.


VDI to ISO Converters
MagicISO
UltraIso
2 VDI to ISO converters
VDI and ISO conversions
From VDI
VDI to HDD
VDI to ASHDISC
VDI to OVA
VDI to RAW
VDI to VMDK
VDI to FLP
VDI to GI
VDI to ISO
VDI to PVM
VDI to PVM
VDI to VHD
VDI to BIN
VDI to HDS
To ISO
000 to ISO
ASHDISC to ISO
B5I to ISO
B5T to ISO
BIN to ISO
C2D to ISO
CCD to ISO
CDR to ISO
CUE to ISO
DAA to ISO
DAO to ISO
DMG to ISO
GCZ to ISO
IMG to ISO
ISZ to ISO
MDF to ISO
MDS to ISO
NRG to ISO
P01 to ISO
UIF to ISO
VCD to ISO
B6I to ISO
B6T to ISO
CDI to ISO
CSO to ISO
DEB to ISO
FCD to ISO
GBI to ISO
GCD to ISO
I00 to ISO
I01 to ISO
IMAGE to ISO
IMZ to ISO
WBFS to ISO
VHD to ISO
WIA to ISO
NCD to ISO
NDIF to ISO
PDI to ISO
SPARSEIMAGE to ISO
TAR to ISO
TAR.GZ to ISO
TOAST to ISO
UDF to ISO
UIBAK to ISO
B5L to ISO
CISO to ISO
ZIP to ISO
RAR to ISO
CIF to ISO
Full Name	Disc Image Format
Developer	N/A
Category	Disk Image Files

 Software, that convert VDI files
The list contains a list of dedicated software for converting VDI and ISO files. The list may also include programs that support VDI files and allow you to save them with different file extensions.


VDI to ISO Converters
MagicISO
UltraIso
2 VDI to ISO converters
VDI and ISO conversions
From VDI
VDI to HDD
VDI to ASHDISC
VDI to OVA
VDI to RAW
VDI to VMDK
VDI to FLP
VDI to GI
VDI to ISO
VDI to PVM
VDI to PVM
VDI to VHD
VDI to BIN
VDI to HDS
To ISO
000 to ISO
ASHDISC to ISO
B5I to ISO
B5T to ISO
BIN to ISO
C2D to ISO
CCD to ISO
CDR to ISO
CUE to ISO
DAA to ISO
DAO to ISO
DMG to ISO
GCZ to ISO
IMG to ISO
ISZ to ISO
MDF to ISO
#include <stdio.h>
#include <string.h>

int are_anagrams(char *str1, char *str2) {
    int len1 = strlen(str1);
    int len2 = strlen(str2);
    if (len1 != len2) {
        return 0;
    }
    int map[256] = {0};
    for (int i = 0; i < len1; i++) {
        map[str1[i]]++;
        map[str2[i]]--;
    }
    for (int i = 0; i < 256; i++) {
        if (map[i] != 0) {
            return 0;
        }
    }
    return 1;
}

int main() {
    char string1[] = "listen";
    char string2[] = "silent";
    printf("String1: %s\n", string1);
    printf("String2: %s\n", string2);
    printf("Are they anagrams? %s\n", are_anagrams(string1, string2) ? "Yes" : "No");
    return 0;
}

 public function store(Request $request)
    {
        $request->validate([
            'question' => ['required', 'string'],
            'answer' => ['required', 'string'],
        ]);

        $faq = FAQ::create([
            'question' => $request->question,
            'answer' => $request->answer,
        ]);

        return response()->json(new FAQResource($faq), 200);
    }
  /**
     * @OA\Post(
     * path="/admin/faqs",
     * description="Add new faq.",
     * tags={"Admin - FAQs"},
     * security={{"bearer_token": {} }},
     *   @OA\RequestBody(
     *       required=true,
     *       @OA\MediaType(
     *           mediaType="application/json",
     *           @OA\Schema(
     *              required={"question", "answer"},
     *                 @OA\Property(
     *                     property="question",
     *                     type="array",
     *                     @OA\Items(type="string"),
     *                     description="Array of question strings"
     *                 ),
     *                 @OA\Property(
     *                     property="answer",
     *                     type="array",
     *                     @OA\Items(type="string"),
     *                     description="Array of answer strings"
     *                 ),
     * 
     *          )
     *       )
     *   ),
     * @OA\Response(
     *    response=200,
     *    description="successful operation",
     *     ),
     *   @OA\Response(
     *     response=401,
     *     description="Unauthenticated",
     *  ),
     *   @OA\Response(
     *     response=422,
     *     description="The question field must be an array. | The answer field must be an array. | The question field is required. | The answer field is required.",
     *  )
     * )
     * )
     */

    // TODO ask MJ if he want arrays or just one pair question and answer
    public function store(Request $request)
    {
        $request->validate([
            'question' => ['required', 'array'],
            'question.*' => ['required', 'string'],
            'answer' => ['required', 'array'],
            'answer.*' => ['required', 'string'],
        ]);

        $questions = $request->input('question');
        $answers = $request->input('answer');

        $faqs = [];
        $count = min(count($questions), count($answers));
        for ($i = 0; $i < $count; $i++) {
            $faq = Faq::create([
                'question' => $questions[$i],
                'answer' => $answers[$i],
            ]);
            $faqs[] = new FAQResource($faq);
        }

        return response()->json(FAQResource::collection($faqs), 200);
    }
  public function index(Request $request)
    {
        $request->validate([
            'per_page' => ['integer', 'min:1'],
            'sort_by' => ['string', 'in:question,answer'],
            'sort_order' => ['string', 'in:asc,desc'],
        ]);

        $q = FAQ::query();

        if ($request->q) {
            $searchTerm = $request->q;
            $q->where('question', 'like', "%{$searchTerm}%")
                ->orWhere('answer', 'like', "%{$searchTerm}%");
        }

        $sortBy = $request->sort_by ?? 'question';
        $sortOrder = $request->sort_order ?? 'asc';

        $q->orderBy($sortBy, $sortOrder);

        $faqs = $q->paginate($request->per_page ?? 10);
        return FAQResource::collection($faqs);
    }
<script src="https://cdn.tailwindcss.com"></script>

<span class="text-[color:var(--text-color)] text-[length:var(--text-size)] font-bold">
  Hello world!
</span>
A DeFi development business specializes in building decentralized financial systems with blockchain technology. These businesses have made a big impact on the banking industry by making things more accessible, making sure things are transparent, and encouraging creativity. Through these efforts, financial services have become more accessible to all, allowing easy international trade and creating new business and personal opportunities. The future of finance is being changed by this new strategy, which will make it more efficient and accessible for everybody.

Known more:- https://beleaftechnologies.com/defi-development-company

Contact details

Whatsapp: +91 7904323274

Skype: live:.cid.62ff8496d3390349

Telegram: @BeleafSoftTech

Mail to: business@beleaftechnologies.com
// Replace 'YOUR_FORM_ID' with the ID of your Google Form
var form = FormApp.openById('1anUG2PmvXTIec9QycnZXEWFhDW8sAeDBgnQu9mefdo4');

// Load submission counter from Script Properties
var scriptProperties = PropertiesService.getScriptProperties();
var submissionCounter = parseInt(scriptProperties.getProperty('submissionCounter')) || 0;

function onFormSubmit(e) {
  var response = e.response;
  var itemResponses = response.getItemResponses();
  var recipientEmail = '';
  var generateSerialNumber = true; // Default to true, assuming serial number should be generated
  var fileIds = []; // Initialize array to store file IDs
  
  // Check the response for the specific question that determines whether to generate a serial number or not
  for (var i = 0; i < itemResponses.length; i++) {
    var itemResponse = itemResponses[i];
    if (itemResponse.getItem().getTitle() === 'FORM SUBMISSION TYPE') { // Adjust this to the title of the question that determines HR type
      if (itemResponse.getResponse() === 'CORPORATE HR') {
        generateSerialNumber = false; // If Corporate HR is selected, do not generate serial number
      }
    }
    if (itemResponse.getItem().getTitle() === 'TICKETS  OR DOCUMENTS') { // Adjust this to the title of the file upload question
      fileIds.push(itemResponse.getResponse()); // Get the file ID of the uploaded file
    }
  }
  
  // Incrementing the submission counter if needed
  if (generateSerialNumber) {
    submissionCounter++;
  }
  
  // Extracting the form data and formatting as HTML table
  var formData = '<table border="1">';
  
  // Adding serial number to the table if needed
  if (generateSerialNumber) {
    formData += '<tr><td><strong>Serial Number</strong></td><td>' + submissionCounter + '</td></tr>';
  }
  
  for (var i = 0; i < itemResponses.length; i++) {
    var itemResponse = itemResponses[i];
    formData += '<tr><td><strong>' + itemResponse.getItem().getTitle() + '</strong></td><td>' + itemResponse.getResponse() + '</td></tr>';
    if (itemResponse.getItem().getTitle() === 'EMAIL OF THE EMPLOYEE') { // Change 'Email Address' to the title of your email question
      recipientEmail = itemResponse.getResponse();
    }
  }
  formData += '</table>';
  
  if (recipientEmail !== '') {
    // Formatting the email content in HTML
    var htmlBody = '<html><body>';
    htmlBody += '<h1>New Form Submission</h1>';
    htmlBody += formData;
    if (fileIds.length > 0 && !generateSerialNumber) { // Include file download links if uploaded by Corporate HR
      htmlBody += '<p>Download Tickets/Documents:</p>';
      for (var j = 0; j < fileIds.length; j++) {
        var downloadUrl = getDownloadUrl(fileIds[j]);
        htmlBody += '<p><a href="' + downloadUrl + '">File ' + (j + 1) + '</a></p>';
      }
    }
    htmlBody += '</body></html>';
    
    // Subject with serial number if generated
    var subject = generateSerialNumber ? 'New Form Submission - Serial Number: ' + submissionCounter : 'New Form Submission';
    
    // Sending the email
    MailApp.sendEmail({
      to: recipientEmail,
      subject: subject,
      htmlBody: htmlBody
    });
  }
  
  // Store updated submissionCounter in Script Properties if needed
  if (generateSerialNumber) {
    scriptProperties.setProperty('submissionCounter', submissionCounter);
  }
}

// Function to get download URL of a file from Google Drive
function getDownloadUrl(fileId) {
  var file = DriveApp.getFileById(fileId);
  return file.getDownloadUrl();
}

// Install a trigger to run on form submission
function installTrigger() {
  ScriptApp.newTrigger('onFormSubmit')
      .forForm(form)
      .onFormSubmit()
      .create();
}
/**
 * 
 * 
 * This Google Script will delete everything in your Gmail account.
 * It removes email messages, filters, labels and reset all your settings
 * 
 * Written by Amit Agarwal (amit@labnol.org)
 

         88                                                           
         88                                                           
         88                                                           
 ,adPPYb,88 ,adPPYYba, 8b,dPPYba,   ,adPPYb,d8  ,adPPYba, 8b,dPPYba,  
a8"    `Y88 ""     `Y8 88P'   `"8a a8"    `Y88 a8P_____88 88P'   "Y8  
8b       88 ,adPPPPP88 88       88 8b       88 8PP""""""" 88          
"8a,   ,d88 88,    ,88 88       88 "8a,   ,d88 "8b,   ,aa 88          
 `"8bbdP"Y8 `"8bbdP"Y8 88       88  `"YbbdP"Y8  `"Ybbd8"' 88          
                                    aa,    ,88                        
                                     "Y8bbdP"                         
 
 
 * Proceed with great caution since the process is irreversible
 * 
 * This software comes with ABSOLUTELY NO WARRANTY. 
 * This is free software, and you are welcome to modify and redistribute it 
 *
 * This permission notice shall be included in all copies of the Software.
 *
 *
 */


/**
 * Remove all labels in Gmail
 */
const deleteGmailLabels_ = ()  => {
  GmailApp.getUserLabels().forEach((label) => {
    label.deleteLabel();
  });
};

/**
 * Remove all Gmail Filters
 */
const deleteGmailFilters_ = ()  => {
  const { filter: gmailFilters } = Gmail.Users.Settings.Filters.list('me');
  gmailFilters.forEach(({ id }) => {
    Gmail.Users.Settings.Filters.remove('me', id);
  });
};

/**
 * Remove all Gmail Draft messages
 */
const deleteGmailDrafts_ = ()  => {
  GmailApp.getDrafts().forEach((draft) => {
    draft.deleteDraft();
  });
};

/**
 * Reset Gmail Settings
 */
const resetGmailSettings_ = ()  => {
  // Disable Out-of-office
  Gmail.Users.Settings.updateVacation({ enableAutoReply: false }, 'me');

  // Delete Gmail Signatures
  const { sendAs } = Gmail.Users.Settings.SendAs.list('me');
  sendAs.forEach(({ sendAsEmail }) => {
    Gmail.Users.Settings.SendAs.update({ signature: '' }, 'me', sendAsEmail);
  });

  // Disable IMAP
  Gmail.Users.Settings.updateImap({ enabled: false }, 'me');

  // Disable POP
  Gmail.Users.Settings.updatePop({ accessWindow: 'disabled' }, 'me');

  // Disable Auto Forwarding
  const { forwardingAddresses } = Gmail.Users.Settings.ForwardingAddresses.list('me');
  forwardingAddresses.forEach(({ forwardingEmail }) => {
    Gmail.Users.Settings.ForwardingAddresses.remove('me', forwardingEmail);
  });
};

const startTime = Date.now();
const isTimeLeft_ = ()  => {
  const ONE_SECOND = 1000;
  const MAX_EXECUTION_TIME = ONE_SECOND * 60 * 5;
  return MAX_EXECUTION_TIME > Date.now() - startTime;
};

/**
 * Move all Gmail threads to trash folder
 */
const deleteGmailThreads_ = ()  => {
  let threads = [];
  do {
    threads = GmailApp.search('in:all', 0, 100);
    if (threads.length > 0) {
      GmailApp.moveThreadsToTrash(threads);
      Utilities.sleep(1000);
    }
  } while (threads.length && isTimeLeft_());
};

/**
 * Move all Spam email messages to the Gmail Recyle bin
 */
const deleteSpamEmails_ = ()  => {
  let threads = [];
  do {
    threads = GmailApp.getSpamThreads(0, 10);
    if (threads.length > 0) {
      GmailApp.moveThreadsToTrash(threads);
      Utilities.sleep(1000);
    }
  } while (threads.length && isTimeLeft_());
};

/**
 * Permanetly empty the Trash folder
 */
const emptyGmailTrash_ = ()  => {
  let threads = [];
  do {
    threads = GmailApp.getTrashThreads(0, 100);
    threads.forEach((thread) => {
      Gmail.Users.Threads.remove('me', thread.getId());
    });
  } while (threads.length && isTimeLeft_());
};

/**
 * Factory Reset your Gmail Account
 * Replace NO with YES and run this function
 * */
const factoryResetGmail = ()  => {
  const FACTORY_RESET = 'NO';
  if (FACTORY_RESET === 'YES') {
    resetGmailSettings_();
    deleteGmailLabels_();
    deleteGmailFilters_();
    deleteGmailDrafts_();
    deleteGmailThreads_();
    deleteSpamEmails_();
    emptyGmailTrash_();
  }
};

https://ciusji.gitbook.io/jhinboard/getting-started/install-jhin-package
nstall Jhin Package
JhinDraw
JhinText
Copy
git clone git@github.com:JhinBoard/jhindraw.git
cd jhindraw
npm install
npm run start
theme:uninstall¶
Uninstall themes.

Arguments¶
[themes].... A comma delimited list of themes.
Global Options¶
-v|vv|vvv, --verbose. Increase the verbosity of messages: 1 for normal output, 2 for more verbose output and 3 for debug
-y, --yes. Auto-accept the default for all user prompts. Equivalent to --no-interaction.
-l, --uri=URI. A base URL for building links and selecting a multi-site. Defaults to https://default.
To see all global options, run drush topic and pick the first choice.
Aliases¶
theme:un
thun
theme-uninstall
let objj = {
    userfirstname: "jigar",
    userlastname: "kajiwala"
}

const {userfirstname: un} = objj;
const {userlastname} = objj
console.log(un); 				//jigar
console.log(userlastname);		//kajiwala
https://i.diawi.com/vfhSW1  
//css
@media (min-width:768px) and (max-width:992px) {
    .foo {
        display:none;
    }
}
//scss
//@media (min-width:768px) and (max-width:992px) {
  // display:none;
//}
<!DOCTYPE html>
<html lang="en">
  <head>
    <meta charset="UTF-8" />
    <title>
      Order food online from India's best food delivery service. Order from
      restaurants near you
    </title>
    <link rel="stylesheet" href="style.css" />
    <link rel="preconnect" href="https://fonts.googleapis.com" />
    <link rel="preconnect" href="https://fonts.gstatic.com" crossorigin />
    <link
      href="https://fonts.googleapis.com/css2?family=Mulish:wght@300;400;700;900&display=swap"
      rel="stylesheet"
    />
    <link
      rel="stylesheet"
      href="https://cdnjs.cloudflare.com/ajax/libs/font-awesome/6.2.0/css/all.min.css"
      integrity="sha512-xh6O/CkQoPOWDdYTDqeRdPCVd1SpvCA9XXcUnZS2FmJNp1coAFzvtCN9BmamE+4aHK8yyUHUSCcJHgXloTyT2A=="
      crossorigin="anonymous"
      referrerpolicy="no-referrer"
    />
  </head>

  <body>
    <style>
    * {
  margin: 0;
  padding: 0;
  font-family: 'Mulish', sans-serif;
}

/* navbar section */
.navbar {
  box-shadow: 0 15px 40px -20px rgb(40 44 63 / 15%);
  position: fixed;
  top: 0;
  left: 0;
  right: 0;
  height: 80px;
  background: #fff;
  z-index: 1000;
  padding: 0 20px;
}
.navbar .nav {
  max-width: 1200px;
  min-width: 1200px;
  position: relative;
  margin: 0 auto;
  height: 80px;
  background: #fff;
  display: flex;
  justify-content: space-between;
}
.navbar .left {
  display: flex;
  align-items: center;
}
.navbar .left .logo {
  display: block;
  height: 49px;
  transition: transform 0.3s cubic-bezier(0.215, 0.61, 0.355, 1);
  margin-right: 16px;
}
.navbar .left .logo:hover {
  transform: scale(1.1);
}
.navbar .location-div,
.other {
  position: relative;
}
.navbar .location-div {
  display: flex;
  align-items: center;
  margin-left: 30px;
  max-width: 300px;
  height: 30px;
  cursor: pointer;
  margin-bottom: -1px;
  padding-right: 10px;
  font-size: 14px;
}
.navbar .right {
  position: relative;
}
.location-div .other {
  font-weight: 700;
  color: #3d4152;
  float: left;
  padding-bottom: 2px;
  border-bottom: 2px solid #3d4152;
}
.location-div .other:hover {
  color: #fc8019;
  border-bottom: 2px solid #fc8019;
}
.location-div .location {
  display: block;
  font-weight: 300;
  padding-left: 5px;
  margin-left: 5px;
  color: #686b78;
}
.location-div .arrow-down {
  position: absolute;
  right: -6%;
  top: 50%;
  transform: translateY(-50%);
  font-size: 1rem;
  color: #fc8019;
  font-weight: 700;
}
.right .items {
  display: flex;
  align-items: center;
}
.right .items li {
  margin-right: 36px;
  color: #3d4152;
  font-size: 16px;
  font-weight: 500;
  list-style-type: none;
}
.right .items .nav-item {
  display: flex;
  align-items: center;
  padding-left: 28px;
  position: relative;
  height: 80px;
  cursor: pointer;
}
.right .items .nav-item a {
  display: flex;
  align-items: center;
  text-decoration: none;
  color: #3d4152;
  font-size: 16px;
}
.nav-item a:hover {
  color: #fc8019;
}

.nav-item a span {
  padding-left: 11px;
}
.right .items li:last-child a svg {
  color: #60b246;
}

/* Content Section */
.restaurants .container {
  max-width: 1200px;
  min-width: 1200px;
  position: relative;
  margin: 0 auto;
  padding-top: 42px;
  top: 80px;
  background: #fff;
  left: 31px;
}
.container .item-bar {
  display: flex;
  align-items: center;
  justify-content: space-between;
}
.container .item-bar .number {
  font-weight: 600;
  font-size: 28px;
  color: #282c3f;
  margin-top: -3px;
}
.container .item-bar::after {
  color: #3d4152;
  position: absolute;
  content: '';
  left: 0;
  right: 0;
  height: 1px;
  top: 81px;
  background: #e9e9eb;
}

.container .item-bar .filters {
  display: flex;
  align-items: center;
}
.container .item-bar .filters div {
  font-size: 16px;
  font-weight: 300;
  color: #686b78;
  margin-left: 35px;
  cursor: pointer;
  position: relative;
}

.filters div:hover::after {
  color: #3d4152;
  position: absolute;
  content: '';
  left: 0;
  right: 0;
  height: 1px;
  top: 31px;
  background: #282c3f;
}
.restaurant-list {
  margin-bottom: 85px;
  display: grid;
  grid-template-columns: repeat(4, 25%);
  justify-content: space-between;
  padding-top: 39px;
  margin-top: 25px;
}

.restaurant-list .place-link {
  background: #fff;
  display: block;
  text-decoration: none;
  color: inherit;
}
.restaurant-list .list-item {
  padding: 25px 25px 57px;
  border: 1px solid #fff;
  contain: content;
}
.restaurant-list .list-item:hover {
  border-color: #d3d5df;
  box-shadow: 0 4px 7px 0 rgb(218 220 230 / 60%);
}
.restaurant-list .item-content {
  width: 254px;
  position: relative;
}
.top-img {
  background: #eef0f5;
  width: 254px;
  height: 160px;
  position: relative;
}
.top-img img {
  opacity: 1;
}
.status {
  position: absolute;
  left: -8px;
  top: 0;
  color: #fff;
  font-size: 13px;
  font-weight: 500;
  padding: 5px 9px 4px;
  max-width: 50%;
  text-transform: uppercase;
}
.status::before {
  position: absolute;
  bottom: -9px;
  content: '';
  width: 0;
  height: 0;
  border-style: solid;
  border-color: inherit;
  left: 0;
  border-width: 9px 0 0 9px;
}

.place-name-div {
  margin-top: 14px;
}
.place-name-div .name {
  font-size: 17px;
  font-weight: 500;
  /* to bring text in next line */
  word-break: break-word;
}
.place-name-div .food-items {
  color: #686b78;
  font-size: 13px;
  margin-top: 4px;
  font-weight: 300;
}
.info-div {
  display: flex;
  align-items: center;
  margin-top: 18px;
  font-size: 12px;
  justify-content: space-between;
  color: #535665;
  font-weight: 300;
}
.info-div .rating {
  background-color: #db7c38;
  color: #fff;
  height: 20px;
  width: 36px;
  padding: 0 5px;
  font-weight: 400;
  display: flex;
  align-items: center;
}
.icon-star {
  font-size: 10px;
  margin-right: 4px;
  position: relative;
  top: -1px;
}
.offer-div {
  border-top: 1px solid #e9e9eb;
  padding-top: 14px;
  margin-top: 14px;
  color: #8a584b;
  display: flex;
  align-items: center;
  font-weight: 600;
}
.offer-div .icon-offer-filled {
  font-size: 16px;
  width: 20px;
  height: 16px;
  margin-right: 4px;
}

.offer-div .offer-text {
  font-weight: 400;
  font-size: 14px;
  line-height: 1.2;
}
.offer-text .fa-tags {
  margin-right: 2px;
}

.place:hover .quick-view {
  visibility: visible !important;
}

.quick-view {
  color: #686b78;
  font-size: 13px;
  visibility: hidden;
  border-top: 1px solid #e9e9eb;
  padding-top: 14px;
  margin-top: 14px;
  position: absolute;
  left: 20px;
  right: 20px;
  bottom: 14px;
}

.quick-view .view-btn {
  color: #5d8ed5;
  display: block;
  text-align: center;
  text-transform: uppercase;
  font-weight: 600;
}
.footer {
  padding: 0 20px;
  z-index: 10;
  background-color: #000;
  min-height: 298px;
  width: 100%;
  color: #fff;
  overflow: scroll;
}
.footer-content {
  width: 100%;
  display: flex;
  background-color: #000000;
  justify-content: space-around;
  max-width: 1200px;
  min-width: 1200px;
  margin: 0 auto;
  padding: 76px 0;
  height: 100%;
}

.points {
  color: #808080;
  font-size: 15px;
  font-weight: 600;
  /*    border: 1px solid white;*/
  width: 300px;
  margin: 26px 0px 10px 15px;
  /*    padding: 15px 0px 0px 0px;*/
}

.footer-li {
  padding: 20px 10px 2px 0px;
}

.footer-ul {
  list-style: none;
  display: flex;
  flex-direction: column;
}

.footer-li a {
  color: #fff;
  font-size: 15px;
  font-weight: 300;
  text-decoration: none;
}

.footer-li a:hover {
  font-weight: 600;
}

.points img {
  border: 2px solid #808080;
  padding: 10px;
  margin: 30px 0px 10px 57px;
  border-radius: 10px;
  transition: transform 0.5s;
}

.points img:hover {
  transform: scale(1.06);
  cursor: pointer;
}
   </style> 
    <div class="main-container">
      <header class="navbar">
        <div class="global-nav">
          <div class="nav">
            <div class="left">
              <a href="#home" class="logo">
                <svg
                  class="_8pSp-"
                  viewBox="0 0 559 825"
                  height="49"
                  width="34"
                  fill="#fc8019"
                >
                  <path
                    fill-rule="evenodd"
                    clip-rule="evenodd"
                    d="M542.92 388.542C546.805 366.526 542.355 349.598 530.881 340.76C513.621 327.466 487.698 320.236 425.954 320.236C380.271 320.236 331.225 320.286 310.268 320.275C308.322 319.894 301.285 317.604 301.02 309.112L300.734 174.289C300.727 165.779 307.531 158.857 315.943 158.839C324.369 158.825 331.204 165.723 331.211 174.226C331.211 174.226 331.421 247.414 331.441 273.424C331.441 275.936 332.892 281.8 338.549 283.328C375.43 293.267 561.865 285.999 558.967 251.804C543.147 109.96 424.476 0 280.394 0C235.021 0 192.065 10.9162 154.026 30.2754C62.9934 77.5955 -1.65904 173.107 0.0324268 283.43C1.23215 361.622 52.2203 500.605 83.434 521.234C97.8202 530.749 116.765 527.228 201.484 527.228C239.903 527.228 275.679 527.355 293.26 527.436C295.087 527.782 304.671 530.001 304.671 538.907L304.894 641.393C304.915 649.907 298.104 656.826 289.678 656.829C281.266 656.843 274.434 649.953 274.42 641.446C274.42 641.446 275.17 600.322 275.17 584.985C275.17 581.435 275.424 575.339 265.178 570.727C231.432 555.553 121.849 564.712 115.701 581.457C113.347 587.899 125.599 612.801 144.459 644.731C170.102 685.624 211.889 747.245 245.601 792.625C261.047 813.417 268.77 823.813 280.467 824.101C292.165 824.389 300.514 814.236 317.213 793.928C383.012 713.909 516.552 537.663 542.92 388.542Z"
                    fill="url(#paint0_linear_19447_66107)"
                  ></path>
                  <defs>
                    <linearGradient
                      id="paint0_linear_19447_66107"
                      x1="445.629"
                      y1="63.8626"
                      x2="160.773"
                      y2="537.598"
                      gradientUnits="userSpaceOnUse"
                    >
                      <stop stop-color="#FF993A"></stop>
                      <stop offset="1" stop-color="#F15700"></stop>
                    </linearGradient>
                  </defs>
                </svg>
              </a>
              <div class="location-div">
                <span class="other">Other</span>
                <span class="location">Bengaluru, Karnataka, India</span>
                <span class="arrow-down"
                  ><i class="fa-solid fa-angle-down"></i
                ></span>
              </div>
            </div>
            <div class="right">
              <ul class="items">
                <li>
                  <div class="nav-item">
                    <a href="">
                      <svg
                        class="_1GTCc"
                        viewBox="5 -1 12 25"
                        height="17"
                        width="17"
                        fill="#686b78"
                      >
                        <path
                          d="M17.6671481,17.1391632 L22.7253317,22.1973467 L20.9226784,24 L15.7041226,18.7814442 C14.1158488,19.8024478 12.225761,20.3946935 10.1973467,20.3946935 C4.56550765,20.3946935 0,15.8291858 0,10.1973467 C0,4.56550765 4.56550765,0 10.1973467,0 C15.8291858,0 20.3946935,4.56550765 20.3946935,10.1973467 C20.3946935,12.8789625 19.3595949,15.3188181 17.6671481,17.1391632 Z M10.1973467,17.8453568 C14.4212261,17.8453568 17.8453568,14.4212261 17.8453568,10.1973467 C17.8453568,5.97346742 14.4212261,2.54933669 10.1973467,2.54933669 C5.97346742,2.54933669 2.54933669,5.97346742 2.54933669,10.1973467 C2.54933669,14.4212261 5.97346742,17.8453568 10.1973467,17.8453568 Z"
                        ></path>
                      </svg>
                      <span>Search</span>
                    </a>
                  </div>
                </li>
                <li>
                  <div class="nav-item">
                    <a href="">
                      <svg
                        class="_1GTCc"
                        viewBox="0 0 32 32"
                        height="19"
                        width="19"
                        fill="#686b78"
                      >
                        <path
                          d="M14.2 2.864l-1.899 1.38c-0.612 0.447-1.35 0.687-2.11 0.687h-2.352c-0.386 0-0.727 0.248-0.845 0.613l-0.728 2.238c-0.235 0.721-0.691 1.348-1.302 1.79l-1.905 1.385c-0.311 0.226-0.442 0.626-0.323 0.991l0.728 2.241c0.232 0.719 0.232 1.492-0.001 2.211l-0.727 2.237c-0.119 0.366 0.011 0.767 0.323 0.994l1.906 1.384c0.61 0.445 1.064 1.070 1.3 1.79l0.728 2.24c0.118 0.365 0.459 0.613 0.844 0.613h2.352c0.759 0 1.497 0.24 2.107 0.685l1.9 1.381c0.313 0.227 0.736 0.227 1.048 0.001l1.9-1.38c0.613-0.447 1.349-0.687 2.11-0.687h2.352c0.384 0 0.726-0.248 0.845-0.615l0.727-2.235c0.233-0.719 0.688-1.346 1.302-1.794l1.904-1.383c0.311-0.226 0.442-0.627 0.323-0.993l-0.728-2.239c-0.232-0.718-0.232-1.49 0.001-2.213l0.727-2.238c0.119-0.364-0.012-0.765-0.324-0.992l-1.901-1.383c-0.614-0.445-1.070-1.074-1.302-1.793l-0.727-2.236c-0.119-0.366-0.461-0.614-0.845-0.614h-2.352c-0.76 0-1.497-0.239-2.107-0.685l-1.903-1.382c-0.313-0.227-0.736-0.226-1.047-0.001zM16.829 0.683l1.907 1.385c0.151 0.11 0.331 0.168 0.521 0.168h2.352c1.551 0 2.927 1 3.408 2.475l0.728 2.241c0.057 0.177 0.169 0.332 0.321 0.442l1.902 1.383c1.258 0.912 1.784 2.531 1.304 4.006l-0.726 2.234c-0.058 0.182-0.058 0.375-0.001 0.552l0.727 2.237c0.48 1.477-0.046 3.096-1.303 4.007l-1.9 1.38c-0.153 0.112-0.266 0.268-0.324 0.447l-0.727 2.237c-0.48 1.477-1.856 2.477-3.408 2.477h-2.352c-0.19 0-0.37 0.058-0.523 0.17l-1.904 1.383c-1.256 0.911-2.956 0.911-4.213-0.001l-1.903-1.384c-0.15-0.11-0.332-0.168-0.521-0.168h-2.352c-1.554 0-2.931-1.001-3.408-2.477l-0.726-2.234c-0.059-0.18-0.173-0.338-0.324-0.448l-1.902-1.381c-1.258-0.912-1.784-2.53-1.304-4.008l0.727-2.235c0.058-0.179 0.058-0.373 0.001-0.551l-0.727-2.236c-0.481-1.476 0.046-3.095 1.302-4.006l1.905-1.385c0.151-0.11 0.264-0.265 0.323-0.444l0.727-2.235c0.478-1.476 1.855-2.477 3.408-2.477h2.352c0.189 0 0.371-0.059 0.523-0.17l1.902-1.383c1.256-0.911 2.956-0.911 4.212 0zM18.967 23.002c-1.907 0-3.453-1.546-3.453-3.453s1.546-3.453 3.453-3.453c1.907 0 3.453 1.546 3.453 3.453s-1.546 3.453-3.453 3.453zM18.967 20.307c0.419 0 0.758-0.339 0.758-0.758s-0.339-0.758-0.758-0.758c-0.419 0-0.758 0.339-0.758 0.758s0.339 0.758 0.758 0.758zM10.545 14.549c-1.907 0-3.453-1.546-3.453-3.453s1.546-3.453 3.453-3.453c1.907 0 3.453 1.546 3.453 3.453s-1.546 3.453-3.453 3.453zM10.545 11.855c0.419 0 0.758-0.339 0.758-0.758s-0.339-0.758-0.758-0.758c-0.419 0-0.758 0.339-0.758 0.758s0.339 0.758 0.758 0.758zM17.78 7.882l2.331 1.352-7.591 13.090-2.331-1.352 7.591-13.090z"
                        ></path>
                      </svg>
                      <span>Offers</span>
                    </a>
                  </div>
                </li>
                <li>
                  <div class="nav-item">
                    <a href="">
                      <svg
                        class="_1GTCc"
                        viewBox="6 -1 12 25"
                        height="19"
                        width="19"
                        fill="#686b78"
                      >
                        <path
                          d="M21.966903,13.2244898 C22.0156989,12.8231523 22.0408163,12.4145094 22.0408163,12 C22.0408163,11.8357822 22.036874,11.6724851 22.029079,11.5101984 L17.8574333,11.5102041 C17.8707569,11.6717062 17.877551,11.8350597 17.877551,12 C17.877551,12.4199029 17.8335181,12.8295214 17.749818,13.2244898 L21.966903,13.2244898 Z M21.5255943,15.1836735 L16.9414724,15.1836735 C15.8950289,16.8045422 14.0728218,17.877551 12,17.877551 C9.92717823,17.877551 8.1049711,16.8045422 7.05852762,15.1836735 L2.47440565,15.1836735 C3.80564362,19.168549 7.56739481,22.0408163 12,22.0408163 C16.4326052,22.0408163 20.1943564,19.168549 21.5255943,15.1836735 Z M21.7400381,9.55102041 C20.6468384,5.18931674 16.7006382,1.95918367 12,1.95918367 C7.2993618,1.95918367 3.3531616,5.18931674 2.25996187,9.55102041 L6.6553883,9.55102041 C7.58404845,7.5276442 9.62792376,6.12244898 12,6.12244898 C14.3720762,6.12244898 16.4159515,7.5276442 17.3446117,9.55102041 L21.7400381,9.55102041 Z M2.03309705,13.2244898 L6.25018203,13.2244898 C6.16648186,12.8295214 6.12244898,12.4199029 6.12244898,12 C6.12244898,11.8350597 6.1292431,11.6717062 6.14256675,11.5102041 L1.97092075,11.5102041 C1.96312595,11.6724851 1.95918367,11.8357822 1.95918367,12 C1.95918367,12.4145094 1.98430112,12.8231523 2.03309705,13.2244898 Z M12,24 C5.372583,24 0,18.627417 0,12 C0,5.372583 5.372583,0 12,0 C18.627417,0 24,5.372583 24,12 C24,18.627417 18.627417,24 12,24 Z M12,15.9183673 C14.1640545,15.9183673 15.9183673,14.1640545 15.9183673,12 C15.9183673,9.83594547 14.1640545,8.08163265 12,8.08163265 C9.83594547,8.08163265 8.08163265,9.83594547 8.08163265,12 C8.08163265,14.1640545 9.83594547,15.9183673 12,15.9183673 Z"
                        ></path>
                      </svg>
                      <span>Help</span>
                    </a>
                  </div>
                </li>
                <li>
                  <div class="nav-item">
                    <a href="">
                      <svg
                        class="_1GTCc"
                        viewBox="6 0 12 24"
                        height="19"
                        width="18"
                        fill="#686b78"
                      >
                        <path
                          d="M11.9923172,11.2463768 C8.81761115,11.2463768 6.24400341,8.72878961 6.24400341,5.62318841 C6.24400341,2.5175872 8.81761115,0 11.9923172,0 C15.1670232,0 17.740631,2.5175872 17.740631,5.62318841 C17.740631,8.72878961 15.1670232,11.2463768 11.9923172,11.2463768 Z M11.9923172,9.27536232 C14.0542397,9.27536232 15.7257581,7.64022836 15.7257581,5.62318841 C15.7257581,3.60614845 14.0542397,1.97101449 11.9923172,1.97101449 C9.93039471,1.97101449 8.25887628,3.60614845 8.25887628,5.62318841 C8.25887628,7.64022836 9.93039471,9.27536232 11.9923172,9.27536232 Z M24,24 L0,24 L1.21786143,19.7101449 L2.38352552,15.6939891 C2.85911209,14.0398226 4.59284263,12.7536232 6.3530098,12.7536232 L17.6316246,12.7536232 C19.3874139,12.7536232 21.1256928,14.0404157 21.6011089,15.6939891 L22.9903494,20.5259906 C23.0204168,20.63057 23.0450458,20.7352884 23.0641579,20.8398867 L24,24 Z M21.1127477,21.3339312 L21.0851024,21.2122487 C21.0772161,21.1630075 21.0658093,21.1120821 21.0507301,21.0596341 L19.6614896,16.2276325 C19.4305871,15.4245164 18.4851476,14.7246377 17.6316246,14.7246377 L6.3530098,14.7246377 C5.4959645,14.7246377 4.55444948,15.4231177 4.32314478,16.2276325 L2.75521062,21.6811594 L2.65068631,22.0289855 L21.3185825,22.0289855 L21.1127477,21.3339312 Z"
                        ></path>
                      </svg>
                      <span>Sign In</span>
                    </a>
                  </div>
                </li>
                <li>
                  <div class="nav-item">
                    <a href="">
                      <svg
                        class="_1GTCc _173fq"
                        viewBox="-1 0 37 32"
                        height="20"
                        width="20"
                        fill="#60b246"
                      >
                        <path
                          d="M4.438 0l-2.598 5.11-1.84 26.124h34.909l-1.906-26.124-2.597-5.11z"
                        ></path>
                      </svg>
                      <span>Cart</span>
                    </a>
                  </div>
                </li>
              </ul>
            </div>
          </div>
        </div>
      </header>

      <main class="content-section">
        <section class="restaurants">
          <div class="container">
            <div class="item-bar">
              <div class="number">1473 restaurants</div>
              <div class="filters">
                <div class="relevance">Relevance</div>
                <div class="delivery-time">Delivery Time</div>
                <div class="rating">Rating</div>
                <div class="cost-lh">Cost: Low To High</div>
                <div class="cost-hl">Cost: High To Low</div>
              </div>
            </div>
            <div class="restaurant-list">
              <div class="place">
                <a
                  href="/restaurants/waffld-domlur-bangalore-303446"
                  class="place-link"
                >
                  <div class="list-item">
                    <div class="item-content">
                      <div class="top-img">
                        <img
                          class="_2tuBw _12_oN"
                          alt="Waffl'd"
                          width="254"
                          height="160"
                          src="https://res.cloudinary.com/swiggy/image/upload/fl_lossy,f_auto,q_auto,w_508,h_320,c_fill/ij1bpqqorgfiia4ty7gh"
                        />
                      </div>
                      <div
                        class="status"
                        style="
                          background: rgb(58, 60, 65);
                          color: rgb(255, 255, 255);
                          border-color: rgb(30, 32, 35) transparent;
                        "
                      >
                        <div class="status-title">Promoted</div>
                      </div>
                      <div class="place-name-div">
                        <div class="name">Waffl'd</div>
                        <div
                          class="food-items"
                          title="Bakery, Desserts, Beverages, Combo, European, Ice Cream, Juices, Waffle, Sweets"
                        >
                          Bakery, Desserts, Beverages, Combo, European, Ice
                          Cream, Juices, Waffle, Sweets
                        </div>
                      </div>
                      <div class="info-div">
                        <div class="rating">
                          <span class="icon-star"
                            ><i class="fa-solid fa-star"></i></span
                          ><span>3.8</span>
                        </div>
                        <div>•</div>
                        <div>44 MINS</div>
                        <div>•</div>
                        <div class="price">₹200 FOR TWO</div>
                      </div>
                      <div class="offer-div">
                        <span class="icon-offer-filled"
                          ><i class="fa-solid fa-tags"></i
                        ></span>
                        <span class="offer-text">50% off | Use WELCOME50</span>
                      </div>
                    </div>
                    <div class="quick-view">
                      <span role="button" aria-label="Open" class="view-btn"
                        >Quick View</span
                      >
                    </div>
                  </div>
                </a>
              </div>
              <div class="place">
                <a
                  href="/restaurants/waffld-domlur-bangalore-303446"
                  class="place-link"
                  ><div class="list-item">
                    <div class="item-content">
                      <div class="top-img">
                        <img
                          class="_2tuBw _12_oN"
                          alt="Waffl'd"
                          width="254"
                          height="160"
                          src="https://res.cloudinary.com/swiggy/image/upload/fl_lossy,f_auto,q_auto,w_508,h_320,c_fill/ij1bpqqorgfiia4ty7gh"
                        />
                      </div>

                      <div class="place-name-div">
                        <div class="name">Waffl'd</div>
                        <div
                          class="food-items"
                          title="Bakery, Desserts, Beverages, Combo, European, Ice Cream, Juices, Waffle, Sweets"
                        >
                          Bakery, Desserts, Beverages, Combo, European, Ice
                          Cream, Juices, Waffle, Sweets
                        </div>
                      </div>
                      <div class="info-div">
                        <div class="rating">
                          <span class="icon-star"
                            ><i class="fa-solid fa-star"></i></span
                          ><span>3.8</span>
                        </div>
                        <div>•</div>
                        <div>44 MINS</div>
                        <div>•</div>
                        <div class="price">₹200 FOR TWO</div>
                      </div>
                      <div class="offer-div">
                        <span class="icon-offer-filled"
                          ><i class="fa-solid fa-tags"></i></span
                        ><span class="offer-text">50% off | Use WELCOME50</span>
                      </div>
                    </div>
                    <div class="quick-view">
                      <span role="button" aria-label="Open" class="view-btn"
                        >Quick View</span
                      >
                    </div>
                  </div></a
                >
              </div>
              <div class="place">
                <a
                  href="/restaurants/waffld-domlur-bangalore-303446"
                  class="place-link"
                  ><div class="list-item">
                    <div class="item-content">
                      <div class="top-img">
                        <img
                          class="_2tuBw _12_oN"
                          alt="Waffl'd"
                          width="254"
                          height="160"
                          src="https://res.cloudinary.com/swiggy/image/upload/fl_lossy,f_auto,q_auto,w_508,h_320,c_fill/ij1bpqqorgfiia4ty7gh"
                        />
                      </div>
                      <div
                        class="status"
                        style="
                          background: rgb(58, 60, 65);
                          color: rgb(255, 255, 255);
                          border-color: rgb(30, 32, 35) transparent;
                        "
                      >
                        <div class="status-title">Promoted</div>
                      </div>
                      <div class="place-name-div">
                        <div class="name">Waffl'd</div>
                        <div
                          class="food-items"
                          title="Bakery, Desserts, Beverages, Combo, European, Ice Cream, Juices, Waffle, Sweets"
                        >
                          Bakery, Desserts, Beverages, Combo, European, Ice
                          Cream, Juices, Waffle, Sweets
                        </div>
                      </div>
                      <div class="info-div">
                        <div class="rating" style="background-color: #48c479">
                          <span class="icon-star"
                            ><i class="fa-solid fa-star"></i></span
                          ><span>4.8</span>
                        </div>
                        <div>•</div>
                        <div>44 MINS</div>
                        <div>•</div>
                        <div class="price">₹200 FOR TWO</div>
                      </div>
                      <div class="offer-div">
                        <span class="icon-offer-filled"
                          ><i class="fa-solid fa-tags"></i></span
                        ><span class="offer-text">50% off | Use WELCOME50</span>
                      </div>
                    </div>
                    <div class="quick-view">
                      <span role="button" aria-label="Open" class="view-btn"
                        >Quick View</span
                      >
                    </div>
                  </div></a
                >
              </div>
              <div class="place">
                <a
                  href="/restaurants/waffld-domlur-bangalore-303446"
                  class="place-link"
                  ><div class="list-item">
                    <div class="item-content">
                      <div class="top-img">
                        <img
                          class="_2tuBw _12_oN"
                          alt="Waffl'd"
                          width="254"
                          height="160"
                          src="https://res.cloudinary.com/swiggy/image/upload/fl_lossy,f_auto,q_auto,w_508,h_320,c_fill/ij1bpqqorgfiia4ty7gh"
                        />
                      </div>
                      <div
                        class="status"
                        style="
                          background: rgb(58, 60, 65);
                          color: rgb(255, 255, 255);
                          border-color: rgb(30, 32, 35) transparent;
                        "
                      >
                        <div class="status-title">Promoted</div>
                      </div>
                      <div class="place-name-div">
                        <div class="name">Waffl'd</div>
                        <div
                          class="food-items"
                          title="Bakery, Desserts, Beverages, Combo, European, Ice Cream, Juices, Waffle, Sweets"
                        >
                          Bakery, Desserts, Beverages, Combo, European, Ice
                          Cream, Juices, Waffle, Sweets
                        </div>
                      </div>
                      <div class="info-div">
                        <div class="rating">
                          <span class="icon-star"
                            ><i class="fa-solid fa-star"></i></span
                          ><span>3.8</span>
                        </div>
                        <div>•</div>
                        <div>44 MINS</div>
                        <div>•</div>
                        <div class="price">₹200 FOR TWO</div>
                      </div>
                      <div class="offer-div">
                        <span class="icon-offer-filled"
                          ><i class="fa-solid fa-tags"></i></span
                        ><span class="offer-text">50% off | Use WELCOME50</span>
                      </div>
                    </div>
                    <div class="quick-view">
                      <span role="button" aria-label="Open" class="view-btn"
                        >Quick View</span
                      >
                    </div>
                  </div></a
                >
              </div>
              <div class="place">
                <a
                  href="/restaurants/waffld-domlur-bangalore-303446"
                  class="place-link"
                  ><div class="list-item">
                    <div class="item-content">
                      <div class="top-img">
                        <img
                          class="_2tuBw _12_oN"
                          alt="Waffl'd"
                          width="254"
                          height="160"
                          src="https://res.cloudinary.com/swiggy/image/upload/fl_lossy,f_auto,q_auto,w_508,h_320,c_fill/ij1bpqqorgfiia4ty7gh"
                        />
                      </div>
                      <div
                        class="status"
                        style="
                          background: rgb(58, 60, 65);
                          color: rgb(255, 255, 255);
                          border-color: rgb(30, 32, 35) transparent;
                        "
                      >
                        <div class="status-title">Promoted</div>
                      </div>
                      <div class="place-name-div">
                        <div class="name">Waffl'd</div>
                        <div
                          class="food-items"
                          title="Bakery, Desserts, Beverages, Combo, European, Ice Cream, Juices, Waffle, Sweets"
                        >
                          Bakery, Desserts, Beverages, Combo, European, Ice
                          Cream, Juices, Waffle, Sweets
                        </div>
                      </div>
                      <div class="info-div">
                        <div class="rating">
                          <span class="icon-star"
                            ><i class="fa-solid fa-star"></i></span
                          ><span>3.8</span>
                        </div>
                        <div>•</div>
                        <div>44 MINS</div>
                        <div>•</div>
                        <div class="price">₹200 FOR TWO</div>
                      </div>
                      <div class="offer-div">
                        <span class="icon-offer-filled"
                          ><i class="fa-solid fa-tags"></i></span
                        ><span class="offer-text">50% off | Use WELCOME50</span>
                      </div>
                    </div>
                    <div class="quick-view">
                      <span role="button" aria-label="Open" class="view-btn"
                        >Quick View</span
                      >
                    </div>
                  </div></a
                >
              </div>
              <div class="place">
                <a
                  href="/restaurants/waffld-domlur-bangalore-303446"
                  class="place-link"
                  ><div class="list-item">
                    <div class="item-content">
                      <div class="top-img">
                        <img
                          class="_2tuBw _12_oN"
                          alt="Waffl'd"
                          width="254"
                          height="160"
                          src="https://res.cloudinary.com/swiggy/image/upload/fl_lossy,f_auto,q_auto,w_508,h_320,c_fill/ij1bpqqorgfiia4ty7gh"
                        />
                      </div>

                      <div class="place-name-div">
                        <div class="name">Waffl'd</div>
                        <div
                          class="food-items"
                          title="Bakery, Desserts, Beverages, Combo, European, Ice Cream, Juices, Waffle, Sweets"
                        >
                          Bakery, Desserts, Beverages, Combo, European, Ice
                          Cream, Juices, Waffle, Sweets
                        </div>
                      </div>
                      <div class="info-div">
                        <div class="rating">
                          <span class="icon-star"
                            ><i class="fa-solid fa-star"></i></span
                          ><span>3.8</span>
                        </div>
                        <div>•</div>
                        <div>44 MINS</div>
                        <div>•</div>
                        <div class="price">₹200 FOR TWO</div>
                      </div>
                      <div class="offer-div">
                        <span class="icon-offer-filled"
                          ><i class="fa-solid fa-tags"></i></span
                        ><span class="offer-text">50% off | Use WELCOME50</span>
                      </div>
                    </div>
                    <div class="quick-view">
                      <span role="button" aria-label="Open" class="view-btn"
                        >Quick View</span
                      >
                    </div>
                  </div></a
                >
              </div>
              <div class="place">
                <a
                  href="/restaurants/waffld-domlur-bangalore-303446"
                  class="place-link"
                  ><div class="list-item">
                    <div class="item-content">
                      <div class="top-img">
                        <img
                          class="_2tuBw _12_oN"
                          alt="Waffl'd"
                          width="254"
                          height="160"
                          src="https://res.cloudinary.com/swiggy/image/upload/fl_lossy,f_auto,q_auto,w_508,h_320,c_fill/ij1bpqqorgfiia4ty7gh"
                        />
                      </div>
                      <div
                        class="status"
                        style="
                          background: rgb(58, 60, 65);
                          color: rgb(255, 255, 255);
                          border-color: rgb(30, 32, 35) transparent;
                        "
                      >
                        <div class="status-title">Promoted</div>
                      </div>
                      <div class="place-name-div">
                        <div class="name">Waffl'd</div>
                        <div
                          class="food-items"
                          title="Bakery, Desserts, Beverages, Combo, European, Ice Cream, Juices, Waffle, Sweets"
                        >
                          Bakery, Desserts, Beverages, Combo, European, Ice
                          Cream, Juices, Waffle, Sweets
                        </div>
                      </div>
                      <div class="info-div">
                        <div class="rating" style="background-color: #48c479">
                          <span class="icon-star"
                            ><i class="fa-solid fa-star"></i></span
                          ><span>4.8</span>
                        </div>
                        <div>•</div>
                        <div>44 MINS</div>
                        <div>•</div>
                        <div class="price">₹200 FOR TWO</div>
                      </div>
                      <div class="offer-div">
                        <span class="icon-offer-filled"
                          ><i class="fa-solid fa-tags"></i></span
                        ><span class="offer-text">50% off | Use WELCOME50</span>
                      </div>
                    </div>
                    <div class="quick-view">
                      <span role="button" aria-label="Open" class="view-btn"
                        >Quick View</span
                      >
                    </div>
                  </div></a
                >
              </div>
              <div class="place">
                <a
                  href="/restaurants/waffld-domlur-bangalore-303446"
                  class="place-link"
                  ><div class="list-item">
                    <div class="item-content">
                      <div class="top-img">
                        <img
                          class="_2tuBw _12_oN"
                          alt="Waffl'd"
                          width="254"
                          height="160"
                          src="https://res.cloudinary.com/swiggy/image/upload/fl_lossy,f_auto,q_auto,w_508,h_320,c_fill/ij1bpqqorgfiia4ty7gh"
                        />
                      </div>
                      <div
                        class="status"
                        style="
                          background: rgb(58, 60, 65);
                          color: rgb(255, 255, 255);
                          border-color: rgb(30, 32, 35) transparent;
                        "
                      >
                        <div class="status-title">Promoted</div>
                      </div>
                      <div class="place-name-div">
                        <div class="name">Waffl'd</div>
                        <div
                          class="food-items"
                          title="Bakery, Desserts, Beverages, Combo, European, Ice Cream, Juices, Waffle, Sweets"
                        >
                          Bakery, Desserts, Beverages, Combo, European, Ice
                          Cream, Juices, Waffle, Sweets
                        </div>
                      </div>
                      <div class="info-div">
                        <div class="rating">
                          <span class="icon-star"
                            ><i class="fa-solid fa-star"></i></span
                          ><span>3.8</span>
                        </div>
                        <div>•</div>
                        <div>44 MINS</div>
                        <div>•</div>
                        <div class="price">₹200 FOR TWO</div>
                      </div>
                      <div class="offer-div">
                        <span class="icon-offer-filled"
                          ><i class="fa-solid fa-tags"></i></span
                        ><span class="offer-text">50% off | Use WELCOME50</span>
                      </div>
                    </div>
                    <div class="quick-view">
                      <span role="button" aria-label="Open" class="view-btn"
                        >Quick View</span
                      >
                    </div>
                  </div></a
                >
              </div>
            </div>
          </div>
        </section>
      </main>

      <footer class="footer">
        <div class="footer-content">
          <div class="points">
            COMPANY
            <ul class="footer-ul">
              <li class="footer-li"><a href="#">About us</a></li>
              <li class="footer-li"><a href="#">Team</a></li>
              <li class="footer-li"><a href="#">Careers</a></li>
              <li class="footer-li"><a href="#">Swiggy Blog</a></li>
              <li class="footer-li"><a href="#">Bug Bounty</a></li>
              <li class="footer-li"><a href="#">Swiggy Super</a></li>
              <li class="footer-li"><a href="#">Swiggy Corporate</a></li>
              <li class="footer-li"><a href="#">Swiggy Instamart</a></li>
            </ul>
          </div>
          <div class="points">
            CONTACT
            <ul class="footer-ul">
              <li class="footer-li"><a href="#">Help & Support</a></li>
              <li class="footer-li"><a href="#">Partner with us</a></li>
              <li class="footer-li"><a href="#">Ride with us</a></li>
            </ul>
          </div>
          <div class="points">
            LEGAL
            <ul class="footer-ul">
              <li class="footer-li"><a href="#">Terms & Conditions</a></li>
              <li class="footer-li"><a href="#">Refund & Cancellation</a></li>
              <li class="footer-li"><a href="#">Privacy Policy</a></li>
              <li class="footer-li"><a href="#">Cookie Policy</a></li>
              <li class="footer-li"><a href="#">Offer Terms</a></li>
              <li class="footer-li"><a href="#">Phishing & Fraud</a></li>
            </ul>
          </div>
          <div class="points">
            <img
              src="https://res.cloudinary.com/swiggy/image/upload/fl_lossy,f_auto,q_auto,h_108/play_ip0jfp"
              height="54"
            />
            <img
              src="https://res.cloudinary.com/swiggy/image/upload/fl_lossy,f_auto,q_auto,h_108/iOS_ajgrty"
              height="54"
            />
          </div>
        </div>
      </footer>
    </div>
    <!-- <div class="box">
      <div class="left">
        <div class="top">
          <div class="logo">
            <img
              src="https://upload.wikimedia.org/wikipedia/en/thumb/1/12/Swiggy_logo.svg/2560px-Swiggy_logo.svg.png"
            />
          </div>
          <div class="buttons">
            <a href="#" id="btn1">Login</a>
            <a href="#" id="btn2">Sign up</a>
          </div>
        </div>
        <div class="text">
          <h1 id="text-head">Hungry?</h1>
          <p>Order food from favourite restaurants near you.</p>
        </div>
        <div class="location-box">
          <div class="location-search">
            <input type="text" placeholder="Enter your delivery location" />
          </div>

          <div class="location-button">
            <a href="#">FIND FOOD</a>
          </div>
        </div>
        <div class="bottom">
          <h4>POPULAR CITIES IN INDIA</h4>
          <ul>
            <li><a href="#">Ahmedabad</a></li>
            <li><a href="#">Bangalore</a></li>
            <li><a href="#">Chennai</a></li>
            <li><a href="#">Delhi</a></li>
            <li><a href="#">Gurgaon</a></li>
            <li><a href="#">Hyderabad</a></li>
            <li><a href="#">Kolkata</a></li>
            <li><a href="#">Mumbai</a></li>
            <li><a href="#">Pune</a></li>
            <li><a href="#">& more.</a></li>
          </ul>
        </div>
      </div>
      <div class="right"></div>
    </div>
    <div class="function">
      <div class="fun-box">
        <img
          src="https://res.cloudinary.com/swiggy/image/upload/fl_lossy,f_auto,q_auto,w_210,h_398/4x_-_No_min_order_x0bxuf"
          width="105"
          height="199"
        />
        <h4>No Minimum Order</h4>
        <p>
          Order in for yourself or for the group, with no restrictions on order
          value
        </p>
      </div>
      <div class="fun-box">
        <img
          src="https://res.cloudinary.com/swiggy/image/upload/fl_lossy,f_auto,q_auto,w_224,h_412/4x_Live_order_zzotwy"
          width="112"
          height="206"
        />
        <h4>Live Order Tracking</h4>
        <p>
          Know where your order is at all times, from the restaurant to your
          doorstep
        </p>
      </div>
      <div class="fun-box">
        <img
          src="https://res.cloudinary.com/swiggy/image/upload/fl_lossy,f_auto,q_auto,w_248,h_376/4x_-_Super_fast_delivery_awv7sn"
          width="124"
          height="188"
        />
        <h4>Lightning-Fast Delivery</h4>
        <p>
          Experience Swiggy's superfast delivery for food delivered fresh & on
          time
        </p>
      </div>
    </div>
    <div class="app">
      <div class="app-text">
        <h1>Restaurants in your pocket</h1>
        <p>
          Order from your favorite restaurants & track on the go, with the
          all-new Swiggy app.
        </p>
        <div class="app-button">
          <img
            src="https://res.cloudinary.com/swiggy/image/upload/fl_lossy,f_auto,q_auto,h_108/play_ip0jfp"
            height="54"
          />
          <img
            src="https://res.cloudinary.com/swiggy/image/upload/fl_lossy,f_auto,q_auto,h_108/iOS_ajgrty"
            height="54"
          />
        </div>
      </div>
      <div class="app-image">
        <img
          src="https://res.cloudinary.com/swiggy/image/upload/fl_lossy,f_auto,q_auto,w_768,h_978/pixel_wbdy4n"
          height="489"
          width="384"
        />
        <img
          src="https://res.cloudinary.com/swiggy/image/upload/fl_lossy,f_auto,q_auto,w_768,h_978/iPhone_wgconp_j0d1fn"
          height="489"
          width="384"
        />
      </div>
    </div> -->
  </body>
</html>
let x = 3;
const y = x++;

console.log(`x:${x}, y:${y}`);
// Expected output: "x:4, y:3"

let a = 3;
const b = ++a;

console.log(`a:${a}, b:${b}`);
// Expected output: "a:4, b:4"
void main()
{
  
  //odd r even
	var a= 4;
  if(a%2==0){
    print("even");
  }else{
    print("odd");
  }
  
  if(a>0){
    print("+ve");
  }else{
    print("-ve");
  }
    
  
  //sum of n natural num
  s(n){
    return (n*(n+1))/2;
  }
  s(a);
  print(s(a));
  
}
// nullish coalescing operator
let substitute = 51;

let val1 = null ?? 10;
console.log(val1);  //10

let val2 = undefined ?? substitute;
console.log(val2);  //51

let val3 = 5 ?? 8;
console.log(val3);  //5

let original = null;
let test = undefined;
let val4 = original ?? test ?? substitute
console.log(val4);  //51
function calculate(options) {
  const num1 = options.num1;
  const operator = options.operator;
  const num2 = options.num2;

  let sum;

  // if the operator does not equal to plus minus multiply or subtract
  switch (operator) {
    case "+":
      sum = num1 + num2;
      break;

    case "-":
      sum += num1 - num2;
      break;

    case "*":
      sum += num1 * num2;
      break;

    case "/":
      sum += num1 / num2;
      break;

    default:
      sum = "Sorry no operator assigned";
      break;
  }

  return sum; // dont forget to return sum after the switch has executed
}

console.log(
  calculate({
    num1: 3,
    operator: "+",
    num2: 4,
  })
);
function calculateLength(obj) {
  let length = 0;
  for (const key in obj) {
    if (typeof obj[key] === "object") {
      length += calculateLength(obj[key]);
    } else {
      length++;
    }
  }
  return length;
}

const obj = {
  name: "John Doe",
  age: 30,
  occupation: "Software Engineer",
  address: {
    street: "123 Main Street",
    city: "San Francisco",
    state: "CA",
    zip: "94105",
  },
};

const length = calculateLength(obj);
console.log(length); // 6
var oii = {
    name: "jigar",
    work: "it",
    myname: {
        firstname: "jigar",
        lastname: "kajiwala"
    }
}

if (Object.keys(oii).length != 0) {
    console.log(`oii is not empty`);        //oii is not empty
    console.log(Object.keys(oii).length);   //3
}
let fruit = "Apple";
let message;

switch (fruit) {
  case "Banana":
    message = "Bananas are yellow.";
    break;
  case "Apple":
    message = "Apples are red or green.";
    break;
  case "Orange":
    message = "Oranges are orange, obviously!";
    break;
  default:
    message = "I don't know that fruit.";
}

console.log(message);
import java.util.*;
public class BinarySearchTree3 
{
 class Node {
 int key;
 Node left, right;
 public Node(int item) {
 key = item;
 left = right = null;
 }
 }
 private Node root;
 public BinarySearchTree3() 
 {
root = null;
 }
 public void insert(int key) 
 { root = insertKey(root, key); }
 private Node insertKey(Node root, int key) 
 { if (root == null) 
 {
 root = new Node(key);
 return root;
 }
 if (key < root.key)
 root.left = insertKey(root.left, key);
 else if (key > root.key)
 root.right = insertKey(root.right, key);
 return root;
 }
 public void inorder() {
 inorderRec(root);
 }
 private void inorderRec(Node root) {
 if (root != null) {
 inorderRec(root.left);
 System.out.print(root.key + " ");
 inorderRec(root.right);
 }
 }
 public void deleteKey(int key) 
 { root = deleteRec(root, key); }
 private Node deleteRec(Node root, int key) 
 { if (root == null)
 return root;
 if (key < root.key)
 root.left = deleteRec(root.left, key);
 else if (key > root.key)
 root.right = deleteRec(root.right, key);
 else 
{ if (root.left == null)
 return root.right;
 else if (root.right == null)
 return root.left;
 
 root.key = minValue(root.right);
 root.right = deleteRec(root.right, root.key);
 }
 return root;
 }
 
 public int minValue(Node root) {
 int minv = root.key;
 while (root.left != null) {
 minv = root.left.key;
 root = root.left;
 }
 return minv;
 }
 
 public static void main(String[] args) 
 {
Scanner sc = new Scanner(System.in);
BinarySearchTree3 bst = new BinarySearchTree3();
String ch="";
do{
System.out.print("Enter the element to be inserted in the tree: ");
int n=sc.nextInt();
sc.nextLine();
bst.insert(n);
System.out.print("Do you want to insert another element? (Say 'yes'): ");
ch = sc.nextLine();
}while(ch.equals("yes"));
System.out.println();
System.out.print("Inorder Traversal : The elements in the tree are: ");
bst.inorder();
System.out.println();
System.out.print("Enter the element to be removed from the tree: ");
int r=sc.nextInt();
sc.nextLine();
System.out.println();
bst.deleteKey(r);
System.out.print("Inorder traversal after deletion of "+r);
bst.inorder();
System.out.println();
 }
}
	if Input.is_action_just_pressed("spell"):
		if animation_player.current_animation != "Armature|Shoot":
			animation_player.play("Armature|Shoot")
/*
A binary gap within a positive integer N is any maximal sequence of consecutive zeros that is surrounded by ones at both ends in the binary representation of N.

For example, number 9 has binary representation 1001 and contains a binary gap of length 2. The number 529 has binary representation 1000010001 and contains two binary gaps: one of length 4 and one of length 3. The number 20 has binary representation 10100 and contains one binary gap of length 1. The number 15 has binary representation 1111 and has no binary gaps. The number 32 has binary representation 100000 and has no binary gaps.

Write a function:

function solution(N);

that, given a positive integer N, returns the length of its longest binary gap. The function should return 0 if N doesn't contain a binary gap.

For example, given N = 1041 the function should return 5, because N has binary representation 10000010001 and so its longest binary gap is of length 5. Given N = 32 the function should return 0, because N has binary representation '100000' and thus no binary gaps.

*/

function solution(num) {

    let arr = num.toString(2).split('1').slice(1, -1)
    return arr.length > 0 ? Math.max(...(arr.map(el => el.length))) : 0

}

console.log(solution(1041))
console.log(solution(15))
console.log(solution(32))
console.log(solution(529))
composer require robmorgan/phinx
composer require symfony/yaml
composer require fzaninotto/faker


migrations:
phinx create ClearTableData
vendor\bin\phinx migrate
vendor\bin\phinx rollback



phinx seed:create AddUser
phinx seed:run
phinx seed:run -s ClienteSeed
#include <stdio.h>
#include <string.h>

int main() {
  char str1[] = "abcd", str2[] = "abCd", str3[] = "abcd";
  int result;

  // comparing strings str1 and str2
  result = strcmp(str1, str2);
  printf("strcmp(str1, str2) = %d\n", result);

  // comparing strings str1 and str3
  result = strcmp(str1, str3);
  printf("strcmp(str1, str3) = %d\n", result);

  return 0;
}
#include <stdio.h>
#include <string.h>

int main() {
  char str1[] = "abcd", str2[] = "abCd", str3[] = "abcd";
  int result;

  // comparing strings str1 and str2
  result = strcmp(str1, str2);
  printf("strcmp(str1, str2) = %d\n", result);

  // comparing strings str1 and str3
  result = strcmp(str1, str3);
  printf("strcmp(str1, str3) = %d\n", result);

  return 0;
}
Question 1.
#include <iostream>

using namespace std;

class course
{
	protected:
		int course_code;
		string course_name;
		course(int cc, string cn)
		{
			course_code = cc;
			course_name = cn;
			
		}
		void displayCourseInfo()
		{
			cout<<"Course code: "<<course_code<<endl;
			cout<<"Course name: "<<course_name<<endl;
		}
};
class studentCourse:public course
{
	public:
	int id;
	string grade;
	studentCourse(int cc, string cn, int ID, string Grade):course(cc, cn)
	{
		id = ID;
		grade = Grade;
		
	}
	void displayStudentInfo()
	{
		displayCourseInfo();
		cout<<"ID: "<<id<<endl;
		cout<<"Grade: "<<grade<<endl;
	}
};
int main()
{
	studentCourse s1(202,"OOP II", 20021212, "A");
	s1.displayStudentInfo();
	
	cout<<endl;
	studentCourse s2(201, "Software Design", 210209327, "A");
	s2.displayStudentInfo();
	return 0;
}
//OUTPUT:
Course code: 202
Course name: OOP II
ID: 20021212
Grade: A

Course code: 201
Course name: Software Design
ID: 210209327
Grade: A

Question 2.
#include <iostream>
#include <string>
using namespace std;

class Vehicle
{
	public: 
	int max_speed;
	int num_wheels;
	Vehicle(int speed, int wheels)
	{
		max_speed = speed;
		num_wheels = wheels;
	}
	void vehicle_info()
	{
		
		cout<<"Vehicle Max Speed: "<<max_speed<<endl;
		cout<<"Vehicle Wheels: "<<num_wheels<<endl;

	}
};
class Car:public Vehicle
{
	public: 
	string car_name;
	string car_model;
	Car(int speed, int wheels, string cname, string cmodel): Vehicle(speed, wheels)
	{
		car_name = cname;
		car_model = cmodel;
	}
	void car_info()
	{
		vehicle_info();
		cout<<"Car Name: "<<car_name<<endl;
		cout<<"Car Model: "<<car_model<<endl;
	}
};

class Motorcycle:public Vehicle
{
	public: 
	string mcar_name;
	string mcar_model;
	Motorcycle(int speed, int wheels, string mcname, string mcmodel): Vehicle(speed, wheels)
	{
		mcar_name = mcname;
		mcar_model = mcmodel;
	}
	void Motorcycle_info()
	{
		vehicle_info();
		cout<<"Motorcycle Name: "<<mcar_name<<endl;
		cout<<"Motorcycle Model: "<<mcar_model<<endl;
	}
};
class ConvertibleCar: public Car, public Motorcycle
{
	public: 

	ConvertibleCar(int speed, int wheels, string cname, string cmodel, string mcname, string mcmodel): 
	Car(speed, wheels, cname, cmodel), Motorcycle(speed, wheels, mcname, mcmodel)
	{}
	void ConvertibleCar_info()
	{
		car_info();
		cout<<endl;
		Motorcycle_info();
	}
}; 
int main()
{
	Car car(200, 4, "Honda", "Sedan");
    Motorcycle bike(180, 2, "Vespa", "Sport");
    ConvertibleCar convertible(220, 4, "Convertible Car", "Sport Car", "Convertible Motocycle", "Vespa");

    cout << "Car Information:" << endl;
    car.car_info();
    cout << endl;

    cout << "Motorcycle Information:" << endl;
    bike.Motorcycle_info();
    cout << endl;

    cout << "Convertible Car Information:" << endl;
    convertible.ConvertibleCar_info();


	return 0;
}
//OUTPUT:
Car Information:
Vehicle Max Speed: 200
Vehicle Wheels: 4
Car Name: Honda
Car Model: Sedan

Motorcycle Information:
Vehicle Max Speed: 180
Vehicle Wheels: 2
Motorcycle Name: Vespa
Motorcycle Model: Sport

Convertible Car Information:
Vehicle Max Speed: 220
Vehicle Wheels: 4
Car Name: Convertible Car
Car Model: Sport Car

Vehicle Max Speed: 220
Vehicle Wheels: 4
Motorcycle Name: Convertible Motocycle
Motorcycle Model: Vespa
<table class=”w100p” cellpadding="0" cellspacing="0" border="0" role="presentation" style="width: 600px;">
<tr>
     <td style="font-size:0;" align="center" valign="top">
          <!--[if (gte mso 9)|(IE)]>
          <table cellpadding="0" cellspacing="0" border="0" role="presentation" style="width: 100%;" width="540">
          <tr>
          <td valign="top" style="width: 270px;">
          <![endif]-->
               <div class=”w100p” style="display:inline-block;vertical-align:top;">
                     <table class=”w100p” cellpadding="0" cellspacing="0" border="0" role="presentation" style="width: 270px;">
                           <tr>
                                 <td align="left" valign="top" style="padding: 0px 0px 20px;">
                                      <a target="_blank" href="https://www.cat.com/en_US/articles/cat-mining-articles/csn-mining-uses-cat-repair-and-rebuild-options.html" title="Service Technician Performing Repair" alias="see_how_we_help__sum_thumb3" data-linkto="http://"><img data-assetid="90765" src="https://image.em.cat.com/lib/fe3b11717064047f741575/m/1/3a37f1a6-1f82-463e-97e9-850f1221ff9b.jpg" alt="Service Technician Performing Repair" width="260" style="display: block; padding: 0px; text-align: center; height: auto; width: 100%; border: 0px;"></a>
                                 </td>
                           </tr>
                     </table>
               </div>
          <!--[if (gte mso 9)|(IE)]>
          </td><td valign="top" style="width:270px;">
          <![endif]-->
               <div class=”w100p” style="display:inline-block;vertical-align:top;">
                     <table class=”w100p” cellpadding="0" cellspacing="0" border="0" role="presentation" style="width:270px;">
                           <tr>
                                 <td class="mobile-center" style="font-family: &quot;Arial Black&quot;, Arial, Helvetica, sans-serif; color: rgb(0, 0, 0); padding: 0px 0px 5px; font-weight: 700; font-size: 16px; line-height: 20px; text-align:left; text-transform: uppercase;">    REBUILT COMPONENTS KEEP MINING OPERATIONS MOVING</td>
                           </tr>
<tr>   <td class="mobile-center" style="font-family: Arial, Helvetica, sans-serif; color: rgb(0, 0, 0); padding: 0px 0px 10px; font-weight: 400; font-size: 14px; line-height: 18px;text-align:left;">    A single lifetime for a machine, a powertrain, a component or a part just isn’t enough when you’re moving 30 million tons of iron ore a year. That’s why Brazil’s second-largest mining company relies on Cat&nbsp;Repair and Rebuild options to keep their machines on the job in some of the toughest conditions imaginable.</td></tr>
                     </table>
               </div>
          <!--[if (gte mso 9)|(IE)]>
          </td>
          </tr>
          </table>
          <![endif]-->
     </td>
</tr>
</table>
<!------------------------------------- ONE ------------------------------------------->

<div class="fhCal1" style="display: none;">
    <script src="https://fareharbor.com/embeds/script/calendar-small/eatinitalyfoodtours/items/544121/?fallback=simple&full-items=yes&flow=1175720"></script>
</div>

<div class="fhCal2" style="display: none;">
    <script src="https://fareharbor.com/embeds/script/calendar-small/eatinitalyfoodtours/items/544127/?fallback=simple&full-items=yes&flow=1175720"></script>
</div>

<div class="fhCal3" style="display: none;">
    <script src="https://fareharbor.com/embeds/script/calendar-small/eatinitalyfoodtours/items/544137/?fallback=simple&full-items=yes&flow=1175723"></script>
</div>

<div class="fhCal4" style="display: none;">
    <script src="https://fareharbor.com/embeds/script/calendar-small/eatinitalyfoodtours/items/544134/?fallback=simple&full-items=yes&flow=1175723"></script>
</div>

<script>
jQuery(document).ready(function($){
    // Hide all calendar divs by default
    $(".fhCal1, .fhCal2, .fhCal3, .fhCal4").hide();
    
    // Show the corresponding calendar div based on the current page URL
    if (window.location.href == "https://eatinitalyfoodtours.com/homepizzeria_35") {
        $('.fhCal1').show();
    } else if (window.location.href == "https://eatinitalyfoodtours.com/chiaia-food-tour-naples_8") {
        $('.fhCal2').show();
    } else if (window.location.href == "https://eatinitalyfoodtours.com/cookinganacapri_33") {
        $('.fhCal3').show();
    } else if (window.location.href == "https://eatinitalyfoodtours.com/capripizza_34") {
        $('.fhCal4').show();
    }
});
</script>



<!------------------------------------- TWO ------------------------------------------->
<script src="https://code.jquery.com/jquery-3.6.0.min.js"></script>
<script>
$(document).ready(function() {
    // Calendar script for the Chiaia Food Tour Naples page
    if (window.location.href.indexOf("chiaia-food-tour-naples_8") > -1) {
        var calendarScript = '<script src="https://fareharbor.com/embeds/script/calendar-small/eatinitalyfoodtours/items/544127/?fallback=simple&full-items=yes&flow=1175720"></script>';
        $("#sidebar > h4").after(calendarScript);
    }
    
    // Calendar script for the Cooking Anacapri page
    if (window.location.href.indexOf("cookinganacapri_33") > -1) {
        var calendarScript = '<script src="https://fareharbor.com/embeds/script/calendar/eatinitalyfoodtours/items/544137/?fallback=simple&full-items=yes&flow=1175723"></script>';
        $("#sidebar > h4").after(calendarScript);
    }
    
    // Calendar script for the Capri Pizza page
    if (window.location.href.indexOf("capripizza_34") > -1) {
        var calendarScript = '<script src="https://fareharbor.com/embeds/script/calendar-small/eatinitalyfoodtours/items/544134/?fallback=simple&full-items=yes&flow=1175723"></script>';
        $("#sidebar > h4").after(calendarScript);
    }
});
</script>
import 'package:flutter/cupertino.dart';
import 'package:flutter/material.dart';

void main() {
  runApp(const MyApp());
}

class MyApp extends StatelessWidget {
  const MyApp({super.key});

  // This widget is the root of your application.
  @override
  Widget build(BuildContext context) {
    return const MaterialApp(
      title: 'Lab Evaluation',
      debugShowCheckedModeBanner: false,
      home: MyHomePage(),
    );
  }
}

class MyHomePage extends StatelessWidget {
  const MyHomePage({super.key});

  @override
  Widget build(BuildContext context) {
    return Scaffold(
        backgroundColor: Colors.white, //appbar
        body: Container(
          height: 150,
          width: 800,
          child: ClipRRect(
            borderRadius: BorderRadius.vertical(
              bottom: Radius.circular(40),
            ),
            child: Image.asset('images/image.png', fit: BoxFit.cover,),
          )
        ));
  }
}





#include <stdio.h>
 
struct Process {
    int process_id;
    int arrival_time;
    int burst_time;
};
 
void sjf_scheduling(struct Process processes[], int n) {
    int completion_time[n];
    int waiting_time[n];
    int turnaround_time[n];

    for (int i = 0; i < n; i++) {
        for (int j = i + 1; j < n; j++) {
            if (processes[i].arrival_time > processes[j].arrival_time) {
                struct Process temp = processes[i];
                processes[i] = processes[j];
                processes[j] = temp;
            }
        }
    }
 
    int current_time = 0;
    for (int i = 0; i < n; i++) {
        printf("Enter details for process %d:\n", i + 1);
        printf("Process ID: ");
        scanf("%d", &processes[i].process_id);
        printf("Arrival Time: ");
        scanf("%d", &processes[i].arrival_time);
        printf("Burst Time: ");
        scanf("%d", &processes[i].burst_time);
        if (current_time < processes[i].arrival_time) {
            current_time = processes[i].arrival_time;
        }
        completion_time[i] = current_time + processes[i].burst_time;
        waiting_time[i] = current_time - processes[i].arrival_time;
        turnaround_time[i] = waiting_time[i] + processes[i].burst_time;
        current_time += processes[i].burst_time;
    }
    printf("\nProcess\tCompletion Time\tWaiting Time\tTurnaround Time\n");
    for (int i = 0; i < n; i++) {
        printf("%d\t\t%d\t\t%d\t\t%d\n", processes[i].process_id, completion_time[i], waiting_time[i], turnaround_time[i]);
    }

    int total_waiting_time = 0;
    int total_turnaround_time = 0;
    for (int i = 0; i < n; i++) {
        total_waiting_time += waiting_time[i];
        total_turnaround_time += turnaround_time[i];
    }
    float avg_waiting_time = (float)total_waiting_time / n;
    float avg_turnaround_time = (float)total_turnaround_time / n;
    printf("\nAverage Waiting Time: %.2f\n", avg_waiting_time);
    printf("Average Turnaround Time: %.2f\n", avg_turnaround_time);
}
 
int main() {
    int n;
    printf("Enter the number of processes: ");
    scanf("%d", &n);
    struct Process processes[n];
    sjf_scheduling(processes, n);
    return 0;
}
 Enter the number of processes: 5
Enter details for process 1:
Process ID: 1
Arrival Time: 2
Burst Time: 2
Enter details for process 2:
Process ID: 2
Arrival Time: 4
Burst Time: 3
Enter details for process 3:
Process ID: 3
Arrival Time: 6
Burst Time: 4
Enter details for process 4:
Process ID: 4
Arrival Time: 8
Burst Time: 5
Enter details for process 5:
Process ID: 5
Arrival Time: 10
Burst Time: 6

Process	Completion Time	Waiting Time	Turnaround Time
1		4		0		2
2		7		0		3
3		11		1		5
4		16		3		8
5		22		6		12

Average Waiting Time: 2.00
Average Turnaround Time: 6.00

 
code:
#include<stdio.h>  
    #include<stdlib.h>  
     
    void main()  {  
        int i, NOP, sum=0,count=0, y, quant, wt=0, tat=0, at[10], bt[10], temp[10];  
        float avg_wt, avg_tat;  
        printf(" Total number of process in the system: ");  
        scanf("%d", &NOP);  
        y = NOP; 
    for(i=0; i<NOP; i++){  
    printf("\n Enter the Arrival and Burst time of the Process[%d]\n", i+1);  
    printf(" Arrival time is: \t");   
    scanf("%d", &at[i]);  
    printf(" \nBurst time is: \t"); 
    scanf("%d", &bt[i]);  
    temp[i] = bt[i]; 
    }  
    printf("Enter the Time Quantum for the process: \t");  
    scanf("%d", &quant);  
    printf("\n Process No \t\t Burst Time \t\t TAT \t\t Waiting Time ");  
    for(sum=0, i = 0; y!=0; )  
    {  
    if(temp[i] <= quant && temp[i] > 0){  
        sum = sum + temp[i];  
        temp[i] = 0;  
        count=1;  
        }    
        else if(temp[i] > 0){  
            temp[i] = temp[i] - quant;  
            sum = sum + quant;    
        }  
        if(temp[i]==0 && count==1){  
            y--;  
            printf("\nProcess No[%d] \t\t %d\t\t\t\t %d\t\t\t %d", i+1, bt[i], sum-at[i], sum-at[i]-bt[i]);  
            wt = wt+sum-at[i]-bt[i];  
            tat = tat+sum-at[i];  
            count =0;    
        }  
        if(i==NOP-1)  
        {i=0;}  
        else if(at[i+1]<=sum){  
            i++;  
        }  
        else { i=0; }  
    }  

    avg_wt = wt * 1.0/NOP;  
    avg_tat = tat * 1.0/NOP;  
    printf("\n Average Turn Around Time: \t%f", avg_tat);  
    printf("\n Average Waiting Time: \t%f",avg_wt);
    }
    
output:
Total number of process in the system: 4
 Enter the Arrival and Burst time of the Process[1]
 Arrival time is: 	2
Burst time is: 	6
 Enter the Arrival and Burst time of the Process[2]
 Arrival time is: 	4
Burst time is: 	7
 Enter the Arrival and Burst time of the Process[3]
 Arrival time is: 	4
Burst time is: 	8
 Enter the Arrival and Burst time of the Process[4]
 Arrival time is: 	8
Burst time is: 	2
Enter the Time Quantum for the process: 	3
 Process No 		 Burst Time 		 TAT 		 Waiting Time 
Process No[1] 		 6				 4			 -2
Process No[4] 		 2				 6			 4
Process No[2] 		 7				 17			 10
Process No[3] 		 8				 19			 11
 Average Turn Around Time: 	11.500000
 Average Waiting Time: 	5.750000
#include<stdio.h>
 
struct process {
    int pid;      
    int burst;   
    int waiting;  
    int turnaround;
};
 
void calculateTimes(struct process proc[], int n) {
    int total_waiting = 0, total_turnaround = 0;
   
    proc[0].waiting = 0;
    
    proc[0].turnaround = proc[0].burst;
 
    for (int i = 1; i < n; i++) {
        proc[i].waiting = proc[i - 1].waiting + proc[i - 1].burst;
        proc[i].turnaround = proc[i].waiting + proc[i].burst;
    }
}
 
void displayProcesses(struct process proc[], int n) {
    printf("Process ID\tBurst Time\tWaiting Time\tTurnaround Time\n");
    for (int i = 0; i < n; i++) {
        printf("%d\t\t%d\t\t%d\t\t%d\n", proc[i].pid, proc[i].burst, proc[i].waiting, proc[i].turnaround);
    }
}
 
void calculateAverages(struct process proc[], int n, float *avg_waiting, float *avg_turnaround) {
    int total_waiting = 0, total_turnaround = 0;
    for (int i = 0; i < n; i++) {
        total_waiting += proc[i].waiting;
        total_turnaround += proc[i].turnaround;
    }
    *avg_waiting = (float)total_waiting / n;
    *avg_turnaround = (float)total_turnaround / n;
}
 
int main() {
    int n; 
    printf("Enter the number of processes: ");
    scanf("%d", &n);
    struct process proc[n]; 
    printf("Enter the burst time for each process:\n");
    for (int i = 0; i < n; i++) {
        proc[i].pid = i + 1;
        printf("Process %d: ", i + 1);
        scanf("%d", &proc[i].burst);
    }
    calculateTimes(proc, n);
    displayProcesses(proc, n);
    float avg_waiting, avg_turnaround;
    calculateAverages(proc, n, &avg_waiting, &avg_turnaround);
    printf("\nAverage Waiting Time: %.2f\n", avg_waiting);
    printf("Average Turnaround Time: %.2f\n", avg_turnaround);
 
    return 0;
}




Output:

Enter the number of processes: 4
Enter the burst time for each process:
Process 1: 1
Process 2: 2
Process 3: 3
Process 4: 4
Process ID	Burst Time	Waiting Time	Turnaround Time
1		1		0		1
2		2		1		3
3		3		3		6
4		4		6		10

Average Waiting Time: 2.50
Average Turnaround Time: 5.00

 
#include <stdio.h>
#include <ctype.h>

int main()
{
    printf("Enter characters: ");
    int c;
    while ((c = getchar()) != '\n') {
        if (isalpha(c)) { 
            if (c == 'a' || c == 'e' || c == 'i' || c == 'o' || c == 'u' ||
                c == 'A' || c == 'E' || c == 'I' || c == 'O' || c == 'U') {
                putchar(toupper(c)); 
            } else {
                putchar(tolower(c)); 
            }
        }
    }
    return 0;
}
#include <stdio.h>

int byteBits(int bytes) {
    return bytes*8; 
}

int bitsByte(int bits) {
    return bits/8; 
}

int main() {
    int num, val, result;

    printf("Press 1 if Byte to Bits\nPress 2 if Bits to Byte\nPress 0 if Cancel\n\n");
    printf("Please enter a number [1, 2 or 0]: ");
    scanf("%d", &num);

    switch (num) {
        case 1:
            printf("Enter the number of bytes: ");
            scanf("%d", &val);
            result = byteBits(val);
            printf("%d bytes = %d bits\n", val, result);
            break;
        case 2:
            printf("Enter the number of bits: ");
            scanf("%d", &val);
            result = bitsByte(val);
            printf("%d bits = %d bytes\n", val, result);
            break;
        case 0:
            printf("Canceled\n");
            break;
        default:
            printf("Invalid. Please try again.\n");
    }

    return 0;
}
#include <stdio.h>

float circle(float radius) {
    float area;
    area = 3.14 * radius * radius; 
    return area;
}

int main() {
    float radius, area;

    printf("Enter the radius: ");
    scanf("%f", &radius);

    area = circle(radius);

    printf("The area of the circle is: %.2f\n", area);

    return 0;
}
#include <stdio.h>

float equal(float in) {
    float cm = in * 2.4; 
    return cm;
}

int main() {
    float in, cm;

    printf("Enter length in inches: ");
    scanf("%f", &in);

    cm = equal(in);

    printf("%.2f inches is equal to %.2f centimeters.\n", in, cm);

    return 0;
}
<div class="container">
    <!-- Start of vertical tabs -->
    <div class="row">
        <div class="col-3 no-gutters" style="padding-top: .25rem; padding-bottom: .25rem;">
            <div class="nav flex-column nav-pills" id="v-tabs-tab" role="tablist" aria-orientation="vertical"> <a class="nav-link active show" id="v-tabs-t1-tab" data-toggle="pill" href="#v-tabs-t1" role="tab" aria-controls="v-tabs-t1" aria-selected="true">Tab 1 button name</a> <a class="nav-link" id="v-tabs-t2-tab" data-toggle="pill" href="#v-tabs-t2" role="tab" aria-controls="v-tabs-t2" aria-selected="false">Tab 2 button name</a> <a class="nav-link" id="v-tabs-t3-tab" data-toggle="pill" href="#v-tabs-t3" role="tab" aria-controls="v-tabs-t3" aria-selected="false">Tab 3 button name</a> <a class="nav-link" id="v-tabs-t4-tab" data-toggle="pill" href="#v-tabs-t4" role="tab" aria-controls="v-tabs-t4" aria-selected="false">Tab 4 button name</a> </div>
        </div>
        <div class="col-9 no-gutters">
            <div class="tab-content" id="v-tabs-tabContent">
                <div class="tab-pane card p-3 fade active show" id="v-tabs-t1" role="tabpanel" aria-labelledby="v-tabs-t1-tab">
                    <h4>Tab 1 card title</h4>
                    <p>Tab 1 content goes here</p>
                </div>
                <div class="tab-pane card p-3 fade" id="v-tabs-t2" role="tabpanel" aria-labelledby="v-tabs-t2-tab">
                    <h4>Tab 2 card title</h4>
                    <p>Tab 2 content goes here</p>
                </div>
                <div class="tab-pane card p-3 fade" id="v-tabs-t3" role="tabpanel" aria-labelledby="v-tabs-t3-tab">
                    <h4>Tab 3 card title</h4>
                    <p>Tab 3 content goes here</p>
                </div>
                <div class="tab-pane card p-3 fade" id="v-tabs-t4" role="tabpanel" aria-labelledby="v-tabs-t4-tab">
                    <h4>Tab 4 card title</h4>
                    <p>Tab 4 content goes here</p>
                </div>
            </div>
        </div>
    </div>
    <!-- End of vertical tabs -->
</div>
<!-- Start of horizontal tabs -->
<ul class="nav nav-pills mb-0" id="pills-tab" role="tablist" style="padding-top: .25rem; list-style: none; margin-left: .25rem;">
    <li class="nav-item"> <a class="nav-link active show" id="h-tabs-t1-tab" data-toggle="pill" href="#h-tabs-t1" role="tab" aria-controls="h-tabs-t1" aria-selected="true">Tab 1</a> </li>
    <li class="nav-item"> <a class="nav-link" id="h-tabs-t2-tab" data-toggle="pill" href="#h-tabs-t2" role="tab" aria-controls="h-tabs-t2" aria-selected="false">Tab 2</a> </li>
    <li class="nav-item"> <a class="nav-link" id="h-tabs-t3-tab" data-toggle="pill" href="#h-tabs-t3" role="tab" aria-controls="h-tabs-t3" aria-selected="false">Tab 3</a> </li>
</ul>
<div class="tab-content card" id="pills-tabContent" style="padding-bottom: .25rem">
    <div class="tab-pane p-3 fade active show" id="h-tabs-t1" role="tabpanel" aria-labelledby="h-tabs-t1-tab">
        <h4>Tab 1</h4>
        <p>Tab 1 content goes here.</p>
    </div>
    <div class="tab-pane p-3 fade" id="h-tabs-t2" role="tabpanel" aria-labelledby="h-tabs-t2-tab">
        <h4>Tab 2</h4>
        <p>Tab 2 content goes here.</p>
    </div>
    <div class="tab-pane p-3 fade" id="h-tabs-t3" role="tabpanel" aria-labelledby="h-tabs-t3-tab">
        <h4>Tab 3</h4>
        <p>Tab 3 content goes here.</p>
    </div>
</div>
<!-- End of horizontal tabs -->
<div class="clearfix container-fluid"></div>

<!-- Start of Accordion 1 -->
<!-- NB: If you require more than one accordion on the same page, replace all instnaces of "accordion-1" with accordion-2" (etc) -->
<div class="accordion" id="accordion-1">

    <!-- Start of Item 1 -->
    <div class="card" style="margin: .5rem .5rem 0 .5rem; box-shadow: none; border: 1px solid #dee2e6;">
        <div class="card-header" id="heading-1-1" style="padding: 0.5rem 0.25rem;">
            <h5 class="mb-0"> <button class="btn btn-link" type="button" data-toggle="collapse" data-target="#collapse-1-1" aria-expanded="false" aria-controls="collapse-1-1"> Heading for item 1 </button> </h5>
        </div>
        <div id="collapse-1-1" class="collapse" aria-labelledby="heading-1-1" data-parent="#accordion-1">
            <div class="card-body">
                <p>Content for item 1</p>
            </div>
        </div>
    </div>
    <!-- End of Item 1 -->

    <!-- Start of Item 2 -->
    <div class="card" style="margin: 0 .5rem; box-shadow: none; border: 1px solid #dee2e6;">
        <div class="card-header" id="heading-2-1" style="padding: 0.5rem 0.25rem;">
            <h5 class="mb-0"> <button class="btn btn-link" type="button" data-toggle="collapse" data-target="#collapse-2-1" aria-expanded="false" aria-controls="collapse-2-1"> Heading for item 2 </button> </h5>
        </div>
        <div id="collapse-2-1" class="collapse" aria-labelledby="heading-2-1" data-parent="#accordion-1">
            <div class="card-body">
                <p>Content for item 2</p>
            </div>
        </div>
    </div>
    <!-- End of Item 2 -->

    <!-- Start of Item 3 -->
    <div class="card" style="margin: 0 .5rem; box-shadow: none; border: 1px solid #dee2e6;">
        <div class="card-header" id="heading-3-1" style="padding: 0.5rem 0.25rem;">
            <h5 class="mb-0"> <button class="btn btn-link" type="button" data-toggle="collapse" data-target="#collapse-3-1" aria-expanded="false" aria-controls="collapse-3-1"> Heading for item 3 </button> </h5>
        </div>
        <div id="collapse-3-1" class="collapse" aria-labelledby="heading-3-1" data-parent="#accordion-1">
            <div class="card-body">
                <p>Content for item 3</p>
            </div>
        </div>
    </div>
    <!-- End of Item 3 -->

    <!-- Start of Item 4 -->
    <div class="card" style="margin: 0 .5rem; box-shadow: none; border: 1px solid #dee2e6;">
        <div class="card-header" id="heading-4-1" style="padding: 0.5rem 0.25rem;">
            <h5 class="mb-0"> <button class="btn btn-link" type="button" data-toggle="collapse" data-target="#collapse-4-1" aria-expanded="false" aria-controls="collapse-4-1"> Heading for item 4 </button> </h5>
        </div>
        <div id="collapse-4-1" class="collapse" aria-labelledby="heading-4-1" data-parent="#accordion-1">
            <div class="card-body">
                <p>Content for item 4</p>
            </div>
        </div>
    </div>
    <!-- End of Item 4 -->

    <!-- Start of Item 5 -->
    <div class="card" style="margin: 0 .5rem; box-shadow: none; border: 1px solid #dee2e6;">
        <div class="card-header" id="heading-5-1" style="padding: 0.5rem 0.25rem;">
            <h5 class="mb-0"> <button class="btn btn-link" type="button" data-toggle="collapse" data-target="#collapse-5-1" aria-expanded="false" aria-controls="collapse-5-1"> Heading for item 5 </button> </h5>
        </div>
        <div id="collapse-5-1" class="collapse" aria-labelledby="heading-5-1" data-parent="#accordion-1">
            <div class="card-body">
                <p>Content for item 5</p>
            </div>
        </div>
    </div>
    <!-- End of Item 5 -->

    <!-- Start of Item 6 -->
    <div class="card" style="margin: 0 .5rem .5rem .5rem; box-shadow: none; border: 1px solid #dee2e6;">
        <div class="card-header" id="heading-6-1" style="padding: 0.5rem 0.25rem;">
            <h5 class="mb-0"> <button class="btn btn-link" type="button" data-toggle="collapse" data-target="#collapse-6-1" aria-expanded="false" aria-controls="collapse-6-1"> Heading for item 6 </button> </h5>
        </div>
        <div id="collapse-6-1" class="collapse" aria-labelledby="heading-6-1" data-parent="#accordion-1">
            <div class="card-body">
                <p>Content for item 6</p>
            </div>
        </div>
    </div>
    <!-- End of Item 6 -->

</div>
<!-- End of Accordion -->
<div class="alert alert-secondary" role="alert">
    <p><strong>Grey alert:</strong> Insert details/description here.</p>
</div>
<div class="alert alert-primary" role="alert">
    <p><strong>Teal alert:</strong> Insert details/description here.</p>
</div>
star

Fri May 03 2024 17:04:01 GMT+0000 (Coordinated Universal Time) https://converter.tips/convert/vdi-to-iso

@j3d1n00b

star

Fri May 03 2024 17:03:18 GMT+0000 (Coordinated Universal Time) https://converter.tips/convert/vdi-to-iso

@j3d1n00b

star

Fri May 03 2024 11:03:32 GMT+0000 (Coordinated Universal Time)

@zeinrahmad99

star

Fri May 03 2024 10:55:45 GMT+0000 (Coordinated Universal Time)

@zeinrahmad99

star

Fri May 03 2024 10:43:25 GMT+0000 (Coordinated Universal Time)

@zeinrahmad99

star

Fri May 03 2024 09:53:33 GMT+0000 (Coordinated Universal Time)

@Sephjoe

star

Fri May 03 2024 09:21:45 GMT+0000 (Coordinated Universal Time) https://stackoverflow.com/questions/64872861/how-to-use-css-variables-with-tailwind-css

@ziaurrehman #html

star

Fri May 03 2024 07:34:45 GMT+0000 (Coordinated Universal Time) https://beleaftechnologies.com/defi-development-company

@saxefog #defi #decentralizedfinance #defidevelopmentcompany

star

Fri May 03 2024 07:17:45 GMT+0000 (Coordinated Universal Time)

@ash1i

star

Fri May 03 2024 05:10:18 GMT+0000 (Coordinated Universal Time)

@al.thedigital #opensource #mirro #selfhost

star

Fri May 03 2024 05:04:53 GMT+0000 (Coordinated Universal Time) https://ciusji.gitbook.io/jhinboard

@al.thedigital #opensource #mirro #selfhost

star

Fri May 03 2024 03:50:30 GMT+0000 (Coordinated Universal Time) https://www.drush.org/12.x/commands/theme_uninstall/

@al.thedigital

star

Thu May 02 2024 17:08:30 GMT+0000 (Coordinated Universal Time) https://www.drupal.org/node/200774

@al.thedigital

star

Thu May 02 2024 13:05:39 GMT+0000 (Coordinated Universal Time)

@codejck #javascript

star

Thu May 02 2024 11:22:09 GMT+0000 (Coordinated Universal Time)

@hey123 #dart #flutter

star

Thu May 02 2024 09:51:44 GMT+0000 (Coordinated Universal Time)

@divyasoni23 #css

star

Thu May 02 2024 08:58:40 GMT+0000 (Coordinated Universal Time)

@prabhas

star

Thu May 02 2024 08:46:22 GMT+0000 (Coordinated Universal Time)

@codejck #javascript

star

Thu May 02 2024 06:58:49 GMT+0000 (Coordinated Universal Time)

@hey123 #dart #flutter

star

Thu May 02 2024 06:35:07 GMT+0000 (Coordinated Universal Time)

@codejck #javascript

star

Thu May 02 2024 06:15:07 GMT+0000 (Coordinated Universal Time)

@davidmchale #switch #statement #function #object

star

Thu May 02 2024 06:02:09 GMT+0000 (Coordinated Universal Time)

@codejck #javascript

star

Thu May 02 2024 05:56:26 GMT+0000 (Coordinated Universal Time)

@codejck #javascript

star

Thu May 02 2024 05:56:18 GMT+0000 (Coordinated Universal Time)

@davidmchale #switch #statement

star

Thu May 02 2024 05:14:26 GMT+0000 (Coordinated Universal Time)

@signup

star

Thu May 02 2024 02:58:07 GMT+0000 (Coordinated Universal Time)

@azariel #glsl

star

Thu May 02 2024 00:22:16 GMT+0000 (Coordinated Universal Time)

@vkRostov

star

Wed May 01 2024 22:57:14 GMT+0000 (Coordinated Universal Time)

@jdeveloper #php

star

Wed May 01 2024 22:09:19 GMT+0000 (Coordinated Universal Time)

@meanaspotato #c

star

Wed May 01 2024 22:09:19 GMT+0000 (Coordinated Universal Time)

@meanaspotato #c

star

Wed May 01 2024 20:19:49 GMT+0000 (Coordinated Universal Time)

@Mohamedshariif #c++

star

Wed May 01 2024 19:36:09 GMT+0000 (Coordinated Universal Time)

@shirnunn

star

Wed May 01 2024 13:45:12 GMT+0000 (Coordinated Universal Time)

@Shira

star

Wed May 01 2024 10:21:29 GMT+0000 (Coordinated Universal Time)

@salauddin01

star

Wed May 01 2024 09:56:15 GMT+0000 (Coordinated Universal Time)

@signup

star

Wed May 01 2024 09:54:48 GMT+0000 (Coordinated Universal Time)

@signup

star

Wed May 01 2024 08:46:31 GMT+0000 (Coordinated Universal Time)

@signup

star

Wed May 01 2024 06:36:57 GMT+0000 (Coordinated Universal Time)

@JC

star

Wed May 01 2024 03:56:06 GMT+0000 (Coordinated Universal Time) https://learning.aib.edu.au/mod/book/edit.php?cmid

@ediegeue

star

Wed May 01 2024 03:55:41 GMT+0000 (Coordinated Universal Time) https://learning.aib.edu.au/mod/book/edit.php?cmid

@ediegeue

star

Wed May 01 2024 03:55:17 GMT+0000 (Coordinated Universal Time) https://learning.aib.edu.au/mod/book/edit.php?cmid

@ediegeue

star

Wed May 01 2024 03:54:59 GMT+0000 (Coordinated Universal Time) https://learning.aib.edu.au/mod/book/edit.php?cmid

@ediegeue

star

Wed May 01 2024 03:54:48 GMT+0000 (Coordinated Universal Time) https://learning.aib.edu.au/mod/book/edit.php?cmid

@ediegeue

Save snippets that work with our extensions

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