Snippets Collections
function HomePageIntro({ onComplete }) {
  const [animations, setAnimations] = useState<Animated.ValueXY[]>([]);
  const [opacityAnimations, setOpacityAnimations] = useState<Animated.Value[]>([]);
  const [fadeInScale, setFadeInScale] = useState(new Animated.Value(0));

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

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

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

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

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

    animateImagesSequentially(initialAnimations, opacityValues);

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

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

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

    await Promise.all(promises);
  };

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

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

const newObj = {};

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

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

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

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

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

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

        str getDynamicAccountAttributeName(TableNameShort _dimensionAttrViewName)
        {

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

            Debug::assert(_dimensionAttrViewName like #DimensionEnabledPrefixWithWildcard);

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

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

            if (cachedResult == conNull())
            {

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

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


                sysDictTable = new sysDictTable(modelElement.AxId);

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

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

                dictView = new dictView(modelElement.AxId);

                cachedResult = [dictView.singularLabel()];

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

            }

            label = new label();


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


        _ledgerDimension = ledgerdimension;

        if (_ledgerDimension)
        {

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

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

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

                    segmentValue = dimensionAttributeLevelValueAllView.DisplayValue;

                    if (strLen(segmentDescription) == 0)

                    {

                        segmentDescription = DimensionAttributeValue::find(

 

                    dimensionAttributeLevelValueAllView.AttributeValueRecId).getName();

                    }

                    else

                    {

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

 

                    dimensionAttributeLevelValueAllView.AttributeValueRecId).getName());

                    }

                    dimensionAttributeProcessed.add(dimensionAttribute.RecId);

                }

            }

        }

        return  segmentDescription;

    }

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

        //    hierarchyCount = dimensionStorage.hierarchyCount();

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

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

    public display  Name DimensionValue()
    {

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

        //    hierarchyCount = dimensionStorage.hierarchyCount();

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

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

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

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



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


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

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

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

)t2


WHERE RowNum = 1
#include<iostream>

using namespace std;

int main()

{

int a, sum=0,n;

cin>>a;

while(a!=0){

n=a%10;

sum+=n;

a=a/10;

}

cout<< sum<<endl;

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

Winter Holiday Trivia
21.4M

110.8K

Ben

15 Questions
Teacher Verified

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

Game Mode

Select the gameplay mode for the assignment


Tower Defense 2



Monster Brawl



Tower of Doom



Tower Defense



Factory



Crazy Kingdom



Café

Due date

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

HW Title

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

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

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

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

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

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

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

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

            });
        });
    </script>

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

    </script>
</body>
</html>
organizationId = "868846676";
	///// Customer Section ////
	customerEmail = data.get("BillEmail_Address").toList().get(0);
	// 		info customerEmail;
	// Search for the contact in Zoho Books by email
	search_params = Map();
	search_params.put("email",customerEmail);
	search_response = zoho.books.getRecords("contacts",organizationId,search_params,"zoho_books");
	// 	info search_response;
	if(search_response.get("code") == 0 && search_response.get("contacts").size() > 0)
	{
		// Contact exists, retrieve the contact ID
		contact_id = search_response.get("contacts").get(0).get("contact_id");
		// 			info "Contact already exists. Contact ID: " + contact_id;
	}
	else
	{
		// Contact doesn't exist, create a new contact
		contactPerson = Map();
		customerName = data.get("CustomerRef_name");
		if(customerName.contains(" "))
		{
			contactPerson.put("first_name",customerName.getPrefix(" "));
			contactPerson.put("last_name",customerName.getSuffix(" "));
		}
		else
		{
			contactPerson.put("last_name",customerName);
		}
		contactPerson.put("email",customerEmail);
		contact_map = Map();
		contact_map.put("contact_name",data.get("CustomerRef_name"));
		contact_map.put("contact_type","customer");
		contact_map.put("contact_persons",contactPerson.toList());
		create_response = zoho.books.createRecord("contacts",organizationId,contact_map,"zoho_books");
		// 		info create_response;
		if(create_response.get("code") == 0)
		{
			// New contact created, retrieve the contact ID
			contact_id = create_response.get("contact").get("contact_id");
			// 				info "New contact created. Contact ID: " + contact_id;
		}
		else
		{
			// Handle error while creating the contact
			// 				info "Error creating contact: " + create_response.get("message");
		}
	}
	/////////////////////////// Customer Section Ends //////////////////////
	//////////////////////////// Item Section ///////////////////////////
	lines = data.get("Line");
	booksLineItems = List();
	for each  line in lines
	{
		if(line.containsKey("Id"))
		{
			amount = line.get("Amount");
			description = line.get("Description");
			SalesItemLineDetail = line.get("SalesItemLineDetail");
			qty = SalesItemLineDetail.get("Qty");
			itemName = SalesItemLineDetail.get("ItemRef").get("name");
			itemQuery = Map();
			itemQuery.put("name",itemName);
			searchItemResp = zoho.books.getRecords("Items",organizationId,itemQuery,"zoho_books");
			// 			info searchItemResp;
			items = searchItemResp.get("items");
			if(items.size() > 0)
			{
				itemId = items.get(0).get("item_id");
			}
			else
			{
				itemMap = Map();
				itemMap.put("name",itemName);
				createItemResp = zoho.books.createRecord("Items",organizationId,itemMap,"zoho_books");
				// 				info createItemResp;
				itemId = createItemResp.get("item").get("item_id");
			}
			lineItemMap = Map();
			lineItemMap.put("item_id",itemId);
			lineItemMap.put("description",description);
			lineItemMap.put("quantity",qty);
			lineItemMap.put("rate",amount);
			booksLineItems.add(lineItemMap);
		}
		else
		{
			if(line.get("DetailType") == "SalesItemLineDetail")
			{
				if(line.get("SalesItemLineDetail").get("ItemRef").get("value") == "SHIPPING_ITEM_ID")
				{
					shippingCharges = line.get("Amount");
				}
			}
		}
	}
	// 	info booksLineItems;
	// 	info shippingCharges;
	////////////////////////// END of Items ///////////////////////////////
	invoiceMap = Map();
	invoiceMap.put("customer_id",contact_id);
	invoiceMap.put("line_items",booksLineItems);
	invoiceMap.put("date",data.get("TxnDate"));
	invoiceMap.put("due_date",data.get("DueDate"));
	invoiceMap.put("reference_number",data.get("DocNumber"));
	if(!isNull(shippingCharges))
	{
		invoiceMap.put("shipping_charge",shippingCharges);
	}
	info "Map = " + invoiceMap;
	createInvoiceResp = zoho.books.createRecord("invoices",organizationId,invoiceMap,"zoho_books");
	info "Creating Invoice = " + createInvoiceResp.get("message");
	if(createInvoiceResp.get("message") == "The invoice has been created.")
	{
		invoiceId = createInvoiceResp.get("invoice").get("invoice_id");
		markInvoiceSent = invokeurl
		[
			url :"https://www.zohoapis.com/books/v3/invoices/" + invoiceId + "/status/sent?organization_id=" + organizationId
			type :POST
			connection:"zoho_books"
		];
		info "Mark Invoice as Sent = " + markInvoiceSent.get("message");
	}
<!doctype html><html lang=en><head><meta charset=utf-8><meta content="IE=edge" http-equiv=X-UA-Compatible><meta content="width=device-width,initial-scale=1,minimum-scale=1,maximum-scale=1" name=viewport><meta content="always" name=referrer><title>Watch Downsizing (2017) Full HD Movie plateformecinema.com/</title>
<meta name=description content="When humans can be shrunk to five inches tall to solve over-population, a husband and wife then decide to shrink themselves in order to simplify their lives."><meta property="og:title" content="Watch Downsizing ([2017]) Full HD Movie | plateformecinema.com/"><meta property="og:description" content="When humans can be shrunk to five inches tall to solve over-population, a husband and wife then decide to shrink themselves in order to simplify their lives."><meta property="og:image" content="https://img.cdno.my.id/c-max/w_1280/h_720/downsizing-23140.jpg"><meta name=robots content="index,follow"><meta name=googlebot content="index,follow"><meta property="og:image:width" content="1280"><meta property="og:image:height" content="720"><meta property="og:site_name" content="plateformecinema.com/"><meta property="og:locale" content="en_US"><meta property="og:url" content="https://plateformecinema.com/movie/downsizing-23140.html"><base href=https://plateformecinema.com/movie/downsizing-23140.html><link rel=canonical href=https://ww.plateformecinema.com/movie/downsizing-23140.html><link rel=sitemap type=application/xml title=Sitemap href=https://plateformecinema.com//sitemap.xml><link href=/favicon.ico rel="shortcut icon" type=image/x-icon><link href=/css/bootstrap.min.css rel=stylesheet type=text/css><link href=/css/main.css rel=stylesheet type=text/css><link href=/css/all.min.css rel=stylesheet type=text/css><link href="https://fonts.googleapis.com/css?family=Montserrat:400,700" rel=stylesheet type=text/css><link href rel=preconnect><link href=https://img.vxdn.net rel=preconnect><link href=https://moplay.org rel=preconnect><link href=https://fonts.googleapis.com rel=preconnect><link href=https://plateformecinema.com/plateformecinema.xml rel=search title=plateformecinema/type=application/opensearchdescription+xml><script>const imgURL="aHR0cHM6Ly9pbWcuY2Ruby5teS5pZA==",plyURL="aHR0cHM6Ly9tY2xvdWQudnZpZDMwYy5zaXRl",items=34695</script><script type=application/ld+json>{"@context":"https://schema.org","@type":"Organization","url":"https://plateformecinema.com/","sameAs":,"logo":"/images/logo-m.png"}</script></head><body 
<svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" viewBox="0 0 575 289.83" width="50" height="50"><defs><path d="M575 24.91C573.44 12.15 563.97 1.98 551.91 0H23.32C10.11 2.17 0 14.16 0 28.61v232.25c0 16 12.37 28.97 27.64 28.97h519.95c14.06 0 25.67-11.01 27.41-25.26V24.91z" id="a"/><path d="M69.35 58.24h45.63v175.65H69.35V58.24z" id="b"/><path d="M201.2 139.15c-3.92-26.77-6.1-41.65-6.53-44.62-1.91-14.33-3.73-26.8-5.47-37.44h-59.16v175.65h39.97l.14-115.98 16.82 115.98h28.47l15.95-118.56.15 118.56h39.84V57.09h-59.61l-10.57 82.06z" id="c"/><path d="M346.71 93.63c.5 2.24.76 7.32.76 15.26v68.1c0 11.69-.76 18.85-2.27 21.49-1.52 2.64-5.56 3.95-12.11 3.95V87.13c4.97 0 8.36.53 10.16 1.57 1.8 1.05 2.96 2.69 3.46 4.93zm20.61 137.32c5.43-1.19 9.99-3.29 13.69-6.28 3.69-3 6.28-7.15 7.76-12.46 1.49-5.3 2.37-15.83 2.37-31.58v-61.68c0-16.62-.65-27.76-1.66-33.42-1.02-5.67-3.55-10.82-7.6-15.44-4.06-4.62-9.98-7.94-17.76-9.96-7.79-2.02-20.49-3.04-42.58-3.04H287.5v175.65h55.28c12.74-.4 20.92-.99 24.54-1.79z" id="d"/><path d="M464.76 204.7c-.84 2.23-4.52 3.36-7.3 3.36-2.72 0-4.53-1.08-5.45-3.25-.92-2.16-1.37-7.09-1.37-14.81v-46.42c0-8 .4-12.99 1.21-14.98.8-1.97 2.56-2.97 5.28-2.97 2.78 0 6.51 1.13 7.47 3.4.95 2.27 1.43 7.12 1.43 14.55v45.01c-.29 9.25-.71 14.62-1.27 16.11zm-58.08 26.51h41.08c1.71-6.71 2.65-10.44 2.84-11.19 3.72 4.5 7.81 7.88 12.3 10.12 4.47 2.25 11.16 3.37 16.34 3.37 7.21 0 13.43-1.89 18.68-5.68 5.24-3.78 8.58-8.26 10-13.41 1.42-5.16 2.13-13 2.13-23.54V141.6c0-10.6-.24-17.52-.71-20.77s-1.87-6.56-4.2-9.95c-2.33-3.39-5.72-6.02-10.16-7.9-4.44-1.88-9.68-2.82-15.72-2.82-5.25 0-11.97 1.05-16.45 3.12-4.47 2.07-8.53 5.21-12.17 9.42V55.56h-43.96v175.65z" id="e"/></defs><use xlink:href="#a" fill="#f6c700"/><use xlink:href="#a" fill-opacity="0" stroke="#000" stroke-opacity="0"/><use xlink:href="#b"/><use xlink:href="#b" fill-opacity="0" stroke="#000" stroke-opacity="0"/><use xlink:href="#c"/><use xlink:href="#c" fill-opacity="0" stroke="#000" stroke-opacity="0"/><use xlink:href="#d"/><use xlink:href="#d" fill-opacity="0" stroke="#000" stroke-opacity="0"/><use xlink:href="#e"/><use xlink:href="#e" fill-opacity="0" stroke="#000" stroke-opacity="0"/></svg>
<svg width="48" height="48" viewBox="0 0 48 48" fill="none" xmlns="http://www.w3.org/2000/svg"><circle cx="24" cy="24" r="24" fill="#E50914"/><path d="M13.35 26.8173V19.4345C12.7547 19.1345 12.3469 18.5204 12.3469 17.8126C12.3469 16.8188 13.1391 16.0126 14.1375 16.0126C15.1359 16.0126 15.9422 16.8235 15.9422 17.8173C15.9422 18.0845 15.8859 18.347 15.7734 18.5813L20.0016 23.147L22.6125 17.9298C22.3406 17.611 22.1859 17.1985 22.1859 16.7673C22.1859 15.7735 22.9922 14.9673 23.9906 14.9673C24.9891 14.9673 25.7953 15.7735 25.7953 16.7673C25.7953 17.1985 25.6359 17.611 25.3688 17.9298L27.9797 23.147L32.2078 18.5813C32.1 18.3423 32.0391 18.0798 32.0391 17.8126C32.0391 16.8142 32.8453 16.0079 33.8438 16.0079C34.8422 16.0079 35.6484 16.8188 35.6484 17.8126C35.6484 18.5204 35.2406 19.1345 34.6453 19.4298V26.8173H13.35ZM35.25 28.3173H12.75C12.3375 28.3173 12 28.6548 12 29.0673V32.2782C12 32.6907 12.3375 33.0282 12.75 33.0282H35.25C35.6625 33.0282 36 32.6907 36 32.2782V29.0673C36 28.6548 35.6625 28.3173 35.25 28.3173Z" fill="white"/></svg>
class=base id=body-search><div id=toggle-xsidebar><i class=icon-shining5></i><span>What's hot?</span></div><div id=xsidebar><div class=xside-content><div class="xsblock xc-feed"><div class=x-list-shadow></div><div class=sb-xtitle><i class="fa fa-clock-o mr5"></i>Schedule Today</div><div class=clearfix></div><div class="film-type-list xlist"></div></div><div class=xc-subs><div class=xc-subs-content><div class=sb-xtitle><i class="icon-notify mr5"></i>Subscribe</div><div class=clearfix></div><p class="desc text-left">Subscribe to the plateformecinema mailing list to receive updates on movies, tv-series and news of top movies.</p><form id=subscribe-form><div class=ubc-input><i class=icon-email></i>
<input class=form-control id=subscribe-email name=email placeholder="Enter your email" type=email>
<span class="help-block error-message" id=error-subscribe></span>
<span class=help-block id=success-subscribe style=display:none>Thank you for subscribing!</span></div><button class="btn btn-block btn-success btn-approve" id=subscribe-submit onclick=subscribe() type=button>Subscribe</button><div class=clearfix></div></form><div class=cssload-center id=subscribe-loading style="display:none;background:0 0"><div class=cssload><span></span></div></div></div></div></div></div><div id=xmain><header><div class=container><div class=header-logo><a href=https://plateformecinema.com/yes.html id=logo title="Watch plateforme cinema Abonnement - plateformecinema.to">Watch Movies Abonnement- plateformecinema.com/</a></div><div class=mobile-menu><i class="fa fa-reorder"></i></div><div class=mobile-search><i class="fa fa-search"></i></div><div id=menu><ul class=top-menu><li><a href=https://plateformecinema.com/ title=Home><i class=icon-house158></i><span class=li-text>Home</span></a></li><li><a href=# title=Genre><i class=icon-play111></i><span class=li-text>Genre</span></a><div class=sub-container style=display:none><ul class=sub-menu><li><a href=https://plateformecinema.com/genre/action.html title=Action>Action</a></li><li><a href=https://plateformecinema.com/genre/adventure.html title=Adventure>Adventure</a></li><li><a href=https://plateformecinema.com/genre/animation.html title=Animation>Animation</a></li><li><a href=https://plateformecinema.com/genre/biography.html title=Biography>Biography</a></li><li><a href=https://plateformecinema.com/enre/comedy.html title=Comedy>Comedy</a></li><li><a href=https://plateformecinema.com//genre/comedy.html title="Comedy ">Comedy</a></li><li><a href=https://plateformecinema.com/genre/costume.html title=Costume>Costume</a></li><li><a href=https://plateformecinema.com//genre/crime.html title=Crime>Crime</a></li><li><a href=https://plateformecinema.com/genre/documentary.html title=Documentary>Documentary</a></li><li><a href=https://plateformecinema.com/genre/drama.html title=Drama>Drama</a></li><li><a href=https://plateformecinema.com/genre/family.html title=Family>Family</a></li><li><a href=https://plateformecinema.com//genre/fantasy.html title=Fantasy>Fantasy</a></li><li><a href=https://plateformecinema.com/genre/film-noir.html title=Film-Noir>Film-Noir</a></li><li><a href=https://plateformecinema.com/genre/game-show.html title=Game-Show>Game-Show</a></li><li><a href=https://plateformecinema.com/genre/history.html title=History>History</a></li><li><a href=https://plateformecinema.com/enre/horror.html title=Horror>Horror</a></li><li><a href=https://plateformecinema.com/genre/kungfu.html title=Kungfu>Kungfu</a></li><li><a href=https://plateformecinema.com//genre/music.html title=Music>Music</a></li><li><a href=https://plateformecinema.com/genre/musical.html title=Musical>Musical</a></li><li><a href=https://plateformecinema.com//genre/mystery.html title=Mystery>Mystery</a></li><li><a href=https://plateformecinema.com/genre/mythological.html title=Mythological>Mythological</a></li><li><a href=https://plateformecinema.com/genre/news.html title=News>News</a></li><li><a href=https://plateformeformecinema.com/genre/psychological.html title=Psychological>Psychological</a></li><li><a href=https://plateformecinema.com/genre/reality-tv.html title=Reality-TV>Reality-TV</a></li><li><a href=https://plateformecinema.com/genre/romance.html title=Romance>Romance</a></li><li><a href=https://plateformecinema.com/genre/sci-fi.html title=Sci-Fi>Sci-Fi</a></li><li><a href=https://plateformecinema.com/genre/science-fiction.html title="Science Fiction">Science Fiction</a></li><li><a href=https://plateformecinema.com/genre/short.html title=Short>Short</a></li><li><a href=https://plateformecinema.com/genre/sitcom.html title=Sitcom>Sitcom</a></li><li><a href=https://plateformecinema.com//genre/sport.html title=Sport>Sport</a></li><li><a href=https://plateformecinema.com/g/genre/talk-show.html title=Talk-Show>Talk-Show</a></li><li><a href=https://plateformecinema.com/g/genre/thriller.html title=Thriller>Thriller</a></li><li><a href=https://plateformecinema.com//genre/tv-show.html title="TV Show">TV Show</a></li><li><a href=https://plateformecinema.com//genre/war.html title=War>War</a></li><li><a href=https://plateformecinema.com//genre/western.html title=Western>Western</a></li></ul><div class=clearfix></div></div></li><li><a href=# title=Country><i class=icon-earth208></i><span class=li-text>Country</span></a><div class=sub-container style=display:none><ul class=sub-menu><li><a href=https://plateformecinema.com/country/united-states.html title="United States">United States</a></li><li><a href=hhttps://plateformecinema.com/country/australia.html title=Australia>Australia</a></li><li><a href=https://plateformecinema.com//country/canada.html title=Canada>Canada</a></li><li><a href=https://plateformecinema.com//country/belgium.html title=french>french</a></li><li><a href=https://plateformecinema.com/country/ireland.html title=Ireland>Ireland</a></li><li><a href=https://plateformecinema.com/g/country/japan.html title=Japan>Japan</a></li><li><a href=https://plateformecinema.com/country/new-zealand.html title="New Zealand">New Zealand</a></li><li><a href=https://plateformecinema.com/country/iceland.html title=Iceland>Iceland</a></li><li><a href=https://plateformecinema.com/untry/united-kingdom.html title="United Kingdom">United Kingdom</a></li><li><a href=https://plateformecinema.com/ountry/france.html title=France>France</a></li><li><a href=https://plateformecinema.com/country/latvia.html title=Latvia>Latvia</a></li><li><a href=https://plateformecinema.com/g/country/south-korea.html title="South Korea">South Korea</a></li><li><a href=https://plateformecinema.com/country/colombia.html title=Colombia>Colombia</a></li><li><a href=https://plateformecinema.com/country/spain.html title=Spain>Spain</a></li><li><a href=https://plateformecinema.com/country/chile.html title=Chile>Chile</a></li></ul><div class=clearfix></div></div></li><li><a href=https://plateformecinema.com/movie/filter/movies.html title=plateformecine><i class=icon-movie_creation></i><span class=li-text>Movies</span></a></li><li><a href=https://plateformecinema.com/movie/filter/series.html title=TV-Series><i class=icon-live_tv></i><span class=li-text>TV-Series</span></a></li><li><a href=https://plateformecinema.com/top-imdb/all.html title="Top IMDb"><i class=icon-golf32></i><span class=li-text>Top IMDb</span></a></li></ul><div class=clearfix></div></div><div id=top-user><div class="top-user-content guest"><a class=guest-login href=javascript:void(0) title=Login><i class=icon-profile27></i> LOGIN</a></div></div><div id=search><div class=search-content><input autocomplete=off class="form-control search-input" name=keyword placeholder=Searching... type=text><div id=token-search></div><a class=search-submit href=javascript:void(0) onclick=searchMovie() title=Search><i class="fa fa-search"></i></a><div class=search-suggest style=display:none></div></div></div><div class=clearfix></div></div></header><div class=header-pad></div><div class=page-detail id=main data-mode=movie><div id=cover class=page-cover style=background-image:url(https://img.cdno.my.id/cover/w_1200/h_500/downsizing-23140.jpg)></div><div class=container><div class=pad></div><div class="main-content main-detail"><div class=md-top><div id=bread><ol class=breadcrumb itemscope itemtype=https://plateformecinema.com/BreadcrumbList><li itemprop=itemListElement itemscope itemtype=https://schema.org/ListItem><a href=/ itemprop=item title=Home><span itemprop=name>Home</span></a>
<meta content="1" itemprop=position></li><li itemprop=itemListElement itemscope itemtype=https://schema.org/ListItem><a href=/movie/filter/movies.html itemprop=item title=Streamit><span itemprop=name>streamit</span></a>
<meta content="2" itemprop=position></li><li class=active itemprop=itemListElement itemscope itemtype=https://schema.org/ListItem><a href=# itemprop=item title=Downsizing><span itemprop=name>Downsizing</span></a>
<meta content="3" itemprop=position></li></ol></div><div id=player-area class=collapse><div class=pa-main><div id=media-player class="cssload-2x cssload-center" style=height:500px;background:#000><div class=cssload><span></span></div></div><div id=content-embed class="cssload-2x cssload-center" style=display:none><div id=embed-loading class=cssload><span></span></div><iframe id=iframe-embed width=100% height=500 scrolling=no frameborder=0 src allowfullscreen webkitallowfullscreen=true mozallowfullscreen=true></iframe></div><div id=bar-player><a class="btn bp-btn-light"><i class="fa fa-lightbulb-o"></i> <span></span></a>
<a id=favorite data-movie=23140 data-act=added class="btn bp-btn-like" href=javascript:void(0) title="Add to favorite"><i class=icon-favorite></i> Favorite
</a><a class="btn bp-btn-auto"><i class="fa fa-step-forward"></i>
<span>Auto next: </span></a><a class="btn bp-btn-report" style=color:#fff000;float:right><i class="fa fa-warning"></i> Report</a><div class=clearfix></div></div></div><div class=pa-server><div class=pas-header><div class=pash-title><i>Playing on: </i><span id=tsrv class="playing-on label label-pink"></span></div><div class=pash-choose><div class=btn-group><button type=button class="btn dropdown-toggle" data-toggle=dropdown aria-haspopup=true aria-expanded=false> List Server <span class=caret></span></button><ul class=dropdown-menu id=servers-list><li id=sv-1 data-id=1 class="server-item embed"><a title="Server 1" href=javascript:void(0)>Server 1</a></li><li id=sv-2 data-id=2 class="server-item embed"><a title="Server 2" href=javascript:void(0)>Server 2</a></li><li id=sv-5 data-id=5 class="server-item embed"><a title="Server 3" href=javascript:void(0)>Server 3</a></li></ul></div></div></div><div class=pas-list><ul id=episodes-sv-1 class=server-list-item><li class=ep-item data-index=0 data-server=1 data-id=1 id=ep-1><a href=javascript:void(0) title="Full HD"><i class=icon-play_arrow></i>Full HD</a></li></ul><ul id=episodes-sv-2 class=server-list-item><li class=ep-item data-index=0 data-server=2 data-id=1 id=ep-1><a href=javascript:void(0) title="Full HD"><i class=icon-play_arrow></i>Full HD</a></li></ul><ul id=episodes-sv-5 class=server-list-item><li class=ep-item data-index=0 data-server=5 data-id=1 id=ep-1><a href=javascript:void(0) title="Full HD"><i class=icon-play_arrow></i>Full HD</a></li></ul></div></div><div class=clearfix></div></div><div id=mv-info><div class=mvi-content><div id=btnp class=btn-watch-area><div class=bwa-content><div class=loader></div><a class=bwac-btn data-toggle=collapse href=#player-area title="Click to play"><i class="fa fa-play"></i></a></div></div><div class=mvic-desc><div class=mvic-stats><div class=block-fav id=btn-favorite><a class=btn-favorite data-act=added data-movie=23140 href=javascript:void(0) id=favorites title="Add to favorite"><i class=icon-favorite></i> Favorite</a></div><div class=block-view><i class=icon-remove_red_eye></i> 13140 views</div><div class=block-trailer><a data-target=#pop-trailer data-toggle=modal><i class=icon-videocam></i> Watch trailer</a></div></div><div class=detail-mod><div class=dm-thumb><img alt=Downsizing src=https://img.cdno.my.id/thumb/w_200/h_300/downsizing-23140.jpg title=Downsizing></div><h1>Downsizing</h1><div class=mv-rating></div><div class=mobile-btn><a class=mod-btn data-target=#pop-trailer data-toggle=modal>Trailer</a>
<a class="mod-btn mod-btn-watch" href=javascript:void(0) title="Watch Downsizing"><i class="fa fa-play mr5"></i> Watch movie</a></div><div class=mobile-view><i class=icon-remove_red_eye></i> 9,412 views</div></div><div class=desc>When humans can be shrunk to five inches tall to solve over-population, a husband and wife then decide to shrink themselves in order to simplify their lives.</div><div class=mvic-info><div class=mvici-left><p><strong>Genre:</strong>
<a href=https://plateformecinema.com/genre/comedy.html title=Comedy>Comedy</a>, <a href=https://plateformecinema.com/enre/sci-fi.html title=Sci-Fi>Sci-Fi</a>, <a href=https://plateformecinema.com//genre/drama.html title=Drama>Drama</a></p><p><strong>Actor:</strong>
<a href=https://plateformecinema.com/actor/matt-damon.html title="Matt Damon">Matt Damon</a>, <a href=https://plateformecinema.com//actor/christoph-waltz.html title="Christoph Waltz">Christoph Waltz</a>, <a href=https://plateformecinema.com/actor/hong-chau.html title="Hong Chau">Hong Chau</a></p><p><strong>Director:</strong>
Alexander Payne</p><p><strong>Country:</strong>
<a href=https://plateformecinema.com/country/united-states.html title="United States">United States</a></p></div><div class=mvici-right><p><strong>Duration:</strong> 2h 15m min</p><p><strong>Quality:</strong> <span class=quality>HD</span></p><p><strong>Release:</strong> <a href=https://plateformecinema.com//release/2017.html>2017</a></p><p><strong>IMDb:</strong> 0.6/10</p></div><div class=clearfix></div></div><div class=clearfix></div><div id=mv-keywords><strong class=mr10>Keywords:</strong>
<a href=https://plateformecinema.com/tags/downsizing.html title=Downsizing><h5>Downsizing</h5></a><a href=https://plateformecinema.com/tags/matt-damon.html title="Matt Damon"><h5>Matt Damon</h5></a><a href=https://ww.yesmovies.ag/tags/christoph-waltz.html title="Christoph Waltz"><h5>Christoph Waltz</h5></a></div></div><div class=clearfix></div></div></div></div><div class="movies-list-wrap mlw-related"><div class="ml-title ml-title-page"><span>You May Also Like</span></div><div class="movies-list movies-list-full" id=movies-related><div class=ml-item><a class=ml-mask href=https://ww.yesmovies.ag/movie/the-informant-15408.html title="The Informant!"><span class=mli-quality>HD</span>
<img alt="The Informant!" class="thumb mli-thumb lazy" data-original=https://img.cdno.my.id/thumb/w_200/h_300/the-informant-15408.jpg title="The Informant!"><div class=mli-info><h2>The Informant!</h2></div></a></div><div class=ml-item><a class=ml-mask href=https://plateformecinema.com/movie/we-bought-a-zoo-8453.html title="We Bought a Zoo"><span class=mli-quality>HD</span>
<img alt="We Bought a Zoo" class="thumb mli-thumb lazy" data-original=https://img.cdno.my.id/thumb/w_200/h_300/we-bought-a-zoo-8453.jpg title="We Bought a Zoo"><div class=mli-info><h2>We Bought a Zoo</h2></div></a></div><div class=ml-item><a class=ml-mask href=https://ww.yesmovies.ag/movie/contagion-6041.html title=Contagion><span class=mli-quality>HD</span>
<img alt=Contagion class="thumb mli-thumb lazy" data-original=https://img.cdno.my.id/thumb/w_200/h_300/contagion-6041.jpg title=Contagion><div class=mli-info><h2>Contagion</h2></div></a></div><div class=ml-item><a class=ml-mask href=https://ww.yesmovies.ag/movie/the-martian-5726.html title="The Martian"><span class=mli-quality>HD</span>
<img alt="The Martian" class="thumb mli-thumb lazy" data-original=https://img.cdno.my.id/thumb/w_200/h_300/the-martian-5726.jpg title="The Martian"><div class=mli-info><h2>The Martian</h2></div></a></div><div class=ml-item><a class=ml-mask href=https://ww.yesmovies.ag/movie/suburbicon-22831.html title=Suburbicon><span class=mli-quality>HD</span>
<img alt=Suburbicon class="thumb mli-thumb lazy" data-original=https://img.cdno.my.id/thumb/w_200/h_300/suburbicon-22831.jpg title=Suburbicon><div class=mli-info><h2>Suburbicon</h2></div></a></div><div class=ml-item><a class=ml-mask href=https://ww.yesmovies.ag/movie/the-good-shepherd-15515.html title="The Good Shepherd"><span class=mli-quality>HD</span>
<img alt="The Good Shepherd" class="thumb mli-thumb lazy" data-original=https://img.cdno.my.id/thumb/w_200/h_300/the-good-shepherd-15515.jpg title="The Good Shepherd"><div class=mli-info><h2>The Good Shepherd</h2></div></a></div><div class=ml-item><a class=ml-mask href=https://ww.yesmovies.ag/movie/the-legend-of-bagger-vance-15008.html title="The Legend of Bagger Vance"><span class=mli-quality>HD</span>
<img alt="The Legend of Bagger Vance" class="thumb mli-thumb lazy" data-original=https://img.cdno.my.id/thumb/w_200/h_300/the-legend-of-bagger-vance-15008.jpg title="The Legend of Bagger Vance"><div class=mli-info><h2>The Legend of Bagger Vance</h2></div></a></div><div class=ml-item><a class=ml-mask href=https://ww.yesmovies.ag/movie/syriana--13136.html title=Syriana><span class=mli-quality>HD</span>
<img alt=Syriana class="thumb mli-thumb lazy" data-original=https://img.cdno.my.id/thumb/w_200/h_300/syriana--13136.jpg title=Syriana><div class=mli-info><h2>Syriana</h2></div></a></div><div class=ml-item><a class=ml-mask href=https://ww.yesmovies.ag/movie/the-brothers-grimm-13014.html title="The Brothers Grimm"><span class=mli-quality>HD</span>
<img alt="The Brothers Grimm" class="thumb mli-thumb lazy" data-original=https://img.cdno.my.id/thumb/w_200/h_300/the-brothers-grimm-13014.jpg title="The Brothers Grimm"><div class=mli-info><h2>The Brothers Grimm</h2></div></a></div><div class=ml-item><a class=ml-mask href=https://ww.yesmovies.ag/movie/the-adjustment-bureau-13003.html title="The Adjustment Bureau"><span class=mli-quality>HD</span>
<img alt="The Adjustment Bureau" class="thumb mli-thumb lazy" data-original=https://img.cdno.my.id/thumb/w_200/h_300/the-adjustment-bureau-13003.jpg title="The Adjustment Bureau"><div class=mli-info><h2>The Adjustment Bureau</h2></div></a></div><div class=ml-item><a class=ml-mask href=https://ww.yesmovies.ag/movie/behind-the-candelabra-12817.html title="Behind the Candelabra"><span class=mli-quality>HD</span>
<img alt="Behind the Candelabra" class="thumb mli-thumb lazy" data-original=https://img.cdno.my.id/thumb/w_200/h_300/behind-the-candelabra-12817.jpg title="Behind the Candelabra"><div class=mli-info><h2>Behind the Candelabra</h2></div></a></div><div class=ml-item><a class=ml-mask href=https://plateformecinema.com/movie/the-rainmaker-12324.html title="The Rainmaker"><span class=mli-quality>HD</span>
<img alt="The Rainmaker" class="thumb mli-thumb lazy" data-original=https://img.cdno.my.id/thumb/w_200/h_300/the-rainmaker-12324.jpg title="The Rainmaker"><div class=mli-info><h2>The Rainmaker</h2></div></a></div><div class=ml-item><a class=ml-mask href=https://plateformecinema.com/movie/hereafter-11942.html title=Hereafter><span class=mli-quality>HD</span>
<img alt=Hereafter class="thumb mli-thumb lazy" data-original=https://img.cdno.my.id/thumb/w_200/h_300/hereafter-11942.jpg title=Hereafter><div class=mli-info><h2>Hereafter</h2></div></a></div><div class=ml-item><a class=ml-mask href=https://plateformecinema.com//movie/green-zone-10202.html title="Green Zone"><span class=mli-quality>HD</span>
<img alt="Green Zone" class="thumb mli-thumb lazy" data-original=https://img.cdno.my.id/thumb/w_200/h_300/green-zone-10202.jpg title="Green Zone"><div class=mli-info><h2>Green Zone</h2></div></a></div><div class=ml-item><a class=ml-mask href=https://plateformecinema.com/g/movie/promised-land-9349.html title="Promised Land"><span class=mli-quality>HD</span>
<img alt="Promised Land" class="thumb mli-thumb lazy" data-original=https://img.cdno.my.id/thumb/w_200/h_300/promised-land-9349.jpg title="Promised Land"><div class=mli-info><h2>Promised Land</h2></div></a></div><div class=ml-item><a class=ml-mask href=https://plateformecinema.com/movie/spirit-stallion-of-the-cimarron-7264.html title="Spirit: Stallion of the Cimarron"><span class=mli-quality>HD</span>
<img alt="Spirit: Stallion of the Cimarron" class="thumb mli-thumb lazy" data-original=https://img.cdno.my.id/thumb/w_200/h_300/spirit-stallion-of-the-cimarron-7264.jpg title="Spirit: Stallion of the Cimarron"><div class=mli-info><h2>Spirit: Stallion of the Cimarron</h2></div></a></div></div></div></div></div></div><div aria-hidden=true aria-labelledby=myModalLabel class="modal fade modal-cuz modal-trailer" id=pop-trailer role=dialog tabindex=-1><div class=modal-dialog><div class=modal-content><div class=modal-header><button aria-label=Close class=close data-dismiss=modal type=button><i class="fa fa-close"></i></button><h4 class=modal-title id=myModalLabel>Trailer: Downsizing</h4></div><div class=modal-body><div class=modal-body-trailer><iframe allowfullscreen frameborder=0 height=315 id=iframe-trailer src width=100%></iframe></div></div></div></div></div><footer><div id=footer><div class=container><div class=row><div class="col-sm-1 footer-block1"></div><div class="col-sm-2 footer-block footer-block2"><p><a href=https://plateformecinema.com//genre/action.html title=Action>Action</a></p><p><a href=https://plateformecinema.com/genre/adventure.html title=Adventure>Adventure</a></p><p><a href=https://plateformecinema.com/genre/animation.html title=Animation>Animation</a></p><p><a href=https://plateformecinema.com/genre/biography.html title=Biography>Biography</a></p><p><a href=https://plateformecinema.com/genre/comedy.html title=Comedy>Comedy</a></p><p><a href=https://plateformecinema.com/genre/costume.html title=Costume>Costume</a></p><p><a href=https:/plateformecinema.com/genre/crime.html title=Crime>Crime</a></p></div><div class="col-sm-2 footer-block footer-block3"><p><a href=https://yesmovies.ag/genre/documentary.html title=Documentary>Documentary</a></p><p><a href=https://plateformecinema.com/genre/drama.html title=Drama>Drama</a></p><p><a href=https://plateformecinema.com/genre/family.html title=Family>Family</a></p><p><a href=https://plateformecinema.com/genre/fantasy.html title=Fantasy>Fantasy</a></p><p><a href=https://plateformecinema.com/genre/history.html title=History>History</a></p><p><a href=https://plateformecinema.com/genre/horror.html title=Horror>Horror</a></p><p><a href=https://plateformecinema.com/genre/kungfu.html title=Kungfu>Kungfu</a></p></div><div class="col-sm-2 footer-block footer-block4"><p><a href=https://plateformecinema.com/genre/musical.html title=Musical>Musical</a></p><p><a href=https://plateformecinema.com/genre/mystery.html title=Mystery>Mystery</a></p><p><a href=https://plateformecinema.com/genre/mythological.html title=Mythological>Mythological</a></p><p><a href=https://plateformecinema.com/genre/psychological.html title=Psychological>Psychological</a></p><p><a href=https://plateformecinema.com/genre/romance.html title=Romance>Romance</a></p><p><a href=https://plateformecinema.com/genre/sci-fi.html title=Sci-Fi>Sci-Fi</a></p><p><a href=https://plateformecinema.com/genre/sitcom.html title=Sitcom>Sitcom</a></p></div><div class="col-sm-2 footer-block footer-block5"><p><a href=https://plateformecinema.com/genre/sport.html title=Sport>Sport</a></p><p><a href=https://plateformecinema.com/genre/thriller.html title=Thriller>Thriller</a></p><p><a href=https://plateformecinema.com/genre/tv-show.html title=TV-Show>TV-Show</a></p><p><a href=https://plateformecinema.com/genre/war.html title=War>War</a></p><p><a href=https://plateformecinema.com/country/united-states.html title="United States">United States</a></p><p><a href=https://plateformecinema.com//country/korea.html title=Korea>Korea</a></p><p><a href=https://plateformecinema.com/country/japan.html title=Japan>Japan</a></p></div><div class="col-sm-2 footer-block footer-block6"><p><a href=https://plateformecinema.com/country/hongkong.html title=HongKong>HongKong</a></p><p><a href=https://plateformecinema.com/country/france.html title=France>France</a></p><p><a href=https://plateformecinema.com/country/asia.html title=Asia>Asia</a></p><p><a href=https://plateformecinema.com/country/thailand.html title=Thailand>Thailand</a></p><p><a href=https://plateformecinema.com/country/united-kingdom.html title="United Kingdom">United Kingdom</a></p><p><a href=https://plateformecinema.com/country/india.html title=India>India</a></p><p><a href=https://plateformecinema.com/country/international.html title=International>International</a></p></div><div class="col-sm-1 footer-block7"></div><div class=clearfix></div></div><div id=copyright><p><img alt=plateformecinema.com/ class=mv-ft-logo src=/images/logo-footer.png></p><p>Copyright © 2022 <a href=https://plateformecinema.com/ title=plateformecinema>plateformecinema</a>. All rights reserved.</p><p style=font-size:11px;line-height:14px>Disclaimer: This site does not store any files on its server.
All contents are provided by non-affiliated third parties.</p></div><div id=footer-social><a class="fs-icon fs-facebook" href=#><i class="fa fa-facebook"></i></a> <a class="fs-icon fs-twitter" href=#><i class="fa fa-twitter"></i></a> <a class="fs-icon fs-google" href=#><i class="fa fa-google-plus"></i></a></div><div id=footer-menu><a href=https://plateformecinema.com/terms.html title="Privacy Policy">Terms & Privacy
Policy</a> <a href=https://plateformecinema.com/dmca.html title=DMCA>DMCA</a></div></div></div></footer></div><div class=clearfix></div><script src=/js/jquery-1.9.1.min.js type=text/javascript></script><script src=/js/js.cookie.min.js type=text/javascript></script><script src=/js/base64.min.js type=text/javascript></script><script src=/js/bootstrap.min.js type=text/javascript></script><script src=/js/jquery.lazyload.js type=text/javascript></script><script src=/js/jquery.hover-intent.js type=text/javascript></script><script src=/js/jquery.qtip.min.js type=text/javascript></script><script src=/js/perfect-scrollbar.jquery.min.js type=text/javascript></script><script src=/js/detectmobilebrowser.js type=text/javascript></script><script src=/js/slide.min.js type=text/javascript></script><script src=/js/main.js type=text/javascript></script><script type=text/javascript src=https://ssl.p.jwpcdn.com/player/v/8.7.6/jwplayer.js></script><script type=text/javascript src=/js/player.js></script><script type=text/javascript>$(document).ready(function(){$("img.lazy").lazyload({effect:"fadeIn"})})</script><script data-cfasync=false src="//d1e28xq8vu3baf.cloudfront.net/?vqxed=762059"></script><script>document.onreadystatechange=()=>{if(document.readyState==="complete"){const n=setInterval(e,1e3),t=document.getElementsByName("keyword")[0];function e(){const e=document.querySelector("body > div:last-of-type"),t=window.getComputedStyle(e);t&&(t.zIndex>1e3||t.display==="block")&&(e.style.zIndex=0,e.style.display="none",clearInterval(n))}t.addEventListener("pointerdown",()=>{t.focus(),e()})}}</script></body></html>
<!doctype html><html lang=en><head><meta charset=utf-8><meta content="IE=edge" http-equiv=X-UA-Compatible><meta content="width=device-width,initial-scale=1,minimum-scale=1,maximum-scale=1" name=viewport><meta content="always" name=referrer><title>Watch Downsizing (2017) Full HD Movie plateformecinema.com/</title>
<meta name=description content="When humans can be shrunk to five inches tall to solve over-population, a husband and wife then decide to shrink themselves in order to simplify their lives."><meta property="og:title" content="Watch Downsizing ([2017]) Full HD Movie | plateformecinema.com/"><meta property="og:description" content="When humans can be shrunk to five inches tall to solve over-population, a husband and wife then decide to shrink themselves in order to simplify their lives."><meta property="og:image" content="https://img.cdno.my.id/c-max/w_1280/h_720/downsizing-23140.jpg"><meta name=robots content="index,follow"><meta name=googlebot content="index,follow"><meta property="og:image:width" content="1280"><meta property="og:image:height" content="720"><meta property="og:site_name" content="plateformecinema.com/"><meta property="og:locale" content="en_US"><meta property="og:url" content="https://plateformecinema.com/movie/downsizing-23140.html"><base href=https://plateformecinema.com/movie/downsizing-23140.html><link rel=canonical href=https://ww.yesmovies.ag/movie/downsizing-23140.html><link rel=sitemap type=application/xml title=Sitemap href=https://plateformecinema.com//sitemap.xml><link href=/favicon.ico rel="shortcut icon" type=image/x-icon><link href=/css/bootstrap.min.css rel=stylesheet type=text/css><link href=/css/main.css rel=stylesheet type=text/css><link href=/css/all.min.css rel=stylesheet type=text/css><link href="https://fonts.googleapis.com/css?family=Montserrat:400,700" rel=stylesheet type=text/css><link href rel=preconnect><link href=https://img.vxdn.net rel=preconnect><link href=https://moplay.org rel=preconnect><link href=https://fonts.googleapis.com rel=preconnect><link href=https://plateformecinema.com/plateformecinema.xml rel=search title=plateformecinema/type=application/opensearchdescription+xml><script>const imgURL="aHR0cHM6Ly9pbWcuY2Ruby5teS5pZA==",plyURL="aHR0cHM6Ly9tY2xvdWQudnZpZDMwYy5zaXRl",items=34695</script><script type=application/ld+json>{"@context":"https://schema.org","@type":"Organization","url":"https://plateformecinema.com/","sameAs":,"logo":"/images/logo-m.png"}</script></head><body 
<svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" viewBox="0 0 575 289.83" width="50" height="50"><defs><path d="M575 24.91C573.44 12.15 563.97 1.98 551.91 0H23.32C10.11 2.17 0 14.16 0 28.61v232.25c0 16 12.37 28.97 27.64 28.97h519.95c14.06 0 25.67-11.01 27.41-25.26V24.91z" id="a"/><path d="M69.35 58.24h45.63v175.65H69.35V58.24z" id="b"/><path d="M201.2 139.15c-3.92-26.77-6.1-41.65-6.53-44.62-1.91-14.33-3.73-26.8-5.47-37.44h-59.16v175.65h39.97l.14-115.98 16.82 115.98h28.47l15.95-118.56.15 118.56h39.84V57.09h-59.61l-10.57 82.06z" id="c"/><path d="M346.71 93.63c.5 2.24.76 7.32.76 15.26v68.1c0 11.69-.76 18.85-2.27 21.49-1.52 2.64-5.56 3.95-12.11 3.95V87.13c4.97 0 8.36.53 10.16 1.57 1.8 1.05 2.96 2.69 3.46 4.93zm20.61 137.32c5.43-1.19 9.99-3.29 13.69-6.28 3.69-3 6.28-7.15 7.76-12.46 1.49-5.3 2.37-15.83 2.37-31.58v-61.68c0-16.62-.65-27.76-1.66-33.42-1.02-5.67-3.55-10.82-7.6-15.44-4.06-4.62-9.98-7.94-17.76-9.96-7.79-2.02-20.49-3.04-42.58-3.04H287.5v175.65h55.28c12.74-.4 20.92-.99 24.54-1.79z" id="d"/><path d="M464.76 204.7c-.84 2.23-4.52 3.36-7.3 3.36-2.72 0-4.53-1.08-5.45-3.25-.92-2.16-1.37-7.09-1.37-14.81v-46.42c0-8 .4-12.99 1.21-14.98.8-1.97 2.56-2.97 5.28-2.97 2.78 0 6.51 1.13 7.47 3.4.95 2.27 1.43 7.12 1.43 14.55v45.01c-.29 9.25-.71 14.62-1.27 16.11zm-58.08 26.51h41.08c1.71-6.71 2.65-10.44 2.84-11.19 3.72 4.5 7.81 7.88 12.3 10.12 4.47 2.25 11.16 3.37 16.34 3.37 7.21 0 13.43-1.89 18.68-5.68 5.24-3.78 8.58-8.26 10-13.41 1.42-5.16 2.13-13 2.13-23.54V141.6c0-10.6-.24-17.52-.71-20.77s-1.87-6.56-4.2-9.95c-2.33-3.39-5.72-6.02-10.16-7.9-4.44-1.88-9.68-2.82-15.72-2.82-5.25 0-11.97 1.05-16.45 3.12-4.47 2.07-8.53 5.21-12.17 9.42V55.56h-43.96v175.65z" id="e"/></defs><use xlink:href="#a" fill="#f6c700"/><use xlink:href="#a" fill-opacity="0" stroke="#000" stroke-opacity="0"/><use xlink:href="#b"/><use xlink:href="#b" fill-opacity="0" stroke="#000" stroke-opacity="0"/><use xlink:href="#c"/><use xlink:href="#c" fill-opacity="0" stroke="#000" stroke-opacity="0"/><use xlink:href="#d"/><use xlink:href="#d" fill-opacity="0" stroke="#000" stroke-opacity="0"/><use xlink:href="#e"/><use xlink:href="#e" fill-opacity="0" stroke="#000" stroke-opacity="0"/></svg>
<svg width="48" height="48" viewBox="0 0 48 48" fill="none" xmlns="http://www.w3.org/2000/svg"><circle cx="24" cy="24" r="24" fill="#E50914"/><path d="M13.35 26.8173V19.4345C12.7547 19.1345 12.3469 18.5204 12.3469 17.8126C12.3469 16.8188 13.1391 16.0126 14.1375 16.0126C15.1359 16.0126 15.9422 16.8235 15.9422 17.8173C15.9422 18.0845 15.8859 18.347 15.7734 18.5813L20.0016 23.147L22.6125 17.9298C22.3406 17.611 22.1859 17.1985 22.1859 16.7673C22.1859 15.7735 22.9922 14.9673 23.9906 14.9673C24.9891 14.9673 25.7953 15.7735 25.7953 16.7673C25.7953 17.1985 25.6359 17.611 25.3688 17.9298L27.9797 23.147L32.2078 18.5813C32.1 18.3423 32.0391 18.0798 32.0391 17.8126C32.0391 16.8142 32.8453 16.0079 33.8438 16.0079C34.8422 16.0079 35.6484 16.8188 35.6484 17.8126C35.6484 18.5204 35.2406 19.1345 34.6453 19.4298V26.8173H13.35ZM35.25 28.3173H12.75C12.3375 28.3173 12 28.6548 12 29.0673V32.2782C12 32.6907 12.3375 33.0282 12.75 33.0282H35.25C35.6625 33.0282 36 32.6907 36 32.2782V29.0673C36 28.6548 35.6625 28.3173 35.25 28.3173Z" fill="white"/></svg>
class=base id=body-search><div id=toggle-xsidebar><i class=icon-shining5></i><span>What's hot?</span></div><div id=xsidebar><div class=xside-content><div class="xsblock xc-feed"><div class=x-list-shadow></div><div class=sb-xtitle><i class="fa fa-clock-o mr5"></i>Schedule Today</div><div class=clearfix></div><div class="film-type-list xlist"></div></div><div class=xc-subs><div class=xc-subs-content><div class=sb-xtitle><i class="icon-notify mr5"></i>Subscribe</div><div class=clearfix></div><p class="desc text-left">Subscribe to the plateformecinema mailing list to receive updates on movies, tv-series and news of top movies.</p><form id=subscribe-form><div class=ubc-input><i class=icon-email></i>
<input class=form-control id=subscribe-email name=email placeholder="Enter your email" type=email>
<span class="help-block error-message" id=error-subscribe></span>
<span class=help-block id=success-subscribe style=display:none>Thank you for subscribing!</span></div><button class="btn btn-block btn-success btn-approve" id=subscribe-submit onclick=subscribe() type=button>Subscribe</button><div class=clearfix></div></form><div class=cssload-center id=subscribe-loading style="display:none;background:0 0"><div class=cssload><span></span></div></div></div></div></div></div><div id=xmain><header><div class=container><div class=header-logo><a href=https://ww.yesmovies.ag/yes.html id=logo title="Watch Movies Online Free - YesMovies.to">Watch Movies Online Abonnement- plateformecinema.com/</a></div><div class=mobile-menu><i class="fa fa-reorder"></i></div><div class=mobile-search><i class="fa fa-search"></i></div><div id=menu><ul class=top-menu><li><a href=https://plateformecinema.com/ title=Home><i class=icon-house158></i><span class=li-text>Home</span></a></li><li><a href=# title=Genre><i class=icon-play111></i><span class=li-text>Genre</span></a><div class=sub-container style=display:none><ul class=sub-menu><li><a href=https://plateformecinema.com/genre/action.html title=Action>Action</a></li><li><a href=https://plateformecinema.com/genre/adventure.html title=Adventure>Adventure</a></li><li><a href=https://plateformecinema.com/genre/animation.html title=Animation>Animation</a></li><li><a href=https://plateformecinema.com/genre/biography.html title=Biography>Biography</a></li><li><a href=https://plateformecinema.com/enre/comedy.html title=Comedy>Comedy</a></li><li><a href=https://plateformecinema.com//genre/comedy.html title="Comedy ">Comedy</a></li><li><a href=https://plateformecinema.com/genre/costume.html title=Costume>Costume</a></li><li><a href=https://plateformecinema.com//genre/crime.html title=Crime>Crime</a></li><li><a href=https://plateformecinema.com/genre/documentary.html title=Documentary>Documentary</a></li><li><a href=https://plateformecinema.com/genre/drama.html title=Drama>Drama</a></li><li><a href=https://plateformecinema.com/genre/family.html title=Family>Family</a></li><li><a href=https://plateformecinema.com//genre/fantasy.html title=Fantasy>Fantasy</a></li><li><a href=https://plateformecinema.com/genre/film-noir.html title=Film-Noir>Film-Noir</a></li><li><a href=https://plateformecinema.com/genre/game-show.html title=Game-Show>Game-Show</a></li><li><a href=https://plateformecinema.com/genre/history.html title=History>History</a></li><li><a href=https://plateformecinema.com/enre/horror.html title=Horror>Horror</a></li><li><a href=https://plateformecinema.com/genre/kungfu.html title=Kungfu>Kungfu</a></li><li><a href=https://plateformecinema.com//genre/music.html title=Music>Music</a></li><li><a href=https://plateformecinema.com/genre/musical.html title=Musical>Musical</a></li><li><a href=https://plateformecinema.com//genre/mystery.html title=Mystery>Mystery</a></li><li><a href=https://plateformecinema.com/genre/mythological.html title=Mythological>Mythological</a></li><li><a href=https://ww.yesmovies.ag/genre/news.html title=News>News</a></li><li><a href=https://ww.yesmovies.ag/genre/psychological.html title=Psychological>Psychological</a></li><li><a href=https://plateformecinema.com/genre/reality-tv.html title=Reality-TV>Reality-TV</a></li><li><a href=https://plateformecinema.com/genre/romance.html title=Romance>Romance</a></li><li><a href=https://plateformecinema.com/genre/sci-fi.html title=Sci-Fi>Sci-Fi</a></li><li><a href=https://plateformecinema.com/genre/science-fiction.html title="Science Fiction">Science Fiction</a></li><li><a href=https://plateformecinema.com/genre/short.html title=Short>Short</a></li><li><a href=https://plateformecinema.com/genre/sitcom.html title=Sitcom>Sitcom</a></li><li><a href=https://plateformecinema.com//genre/sport.html title=Sport>Sport</a></li><li><a href=https://plateformecinema.com/g/genre/talk-show.html title=Talk-Show>Talk-Show</a></li><li><a href=https://plateformecinema.com/g/genre/thriller.html title=Thriller>Thriller</a></li><li><a href=https://plateformecinema.com//genre/tv-show.html title="TV Show">TV Show</a></li><li><a href=https://plateformecinema.com//genre/war.html title=War>War</a></li><li><a href=https://plateformecinema.com//genre/western.html title=Western>Western</a></li></ul><div class=clearfix></div></div></li><li><a href=# title=Country><i class=icon-earth208></i><span class=li-text>Country</span></a><div class=sub-container style=display:none><ul class=sub-menu><li><a href=https://plateformecinema.com/country/united-states.html title="United States">United States</a></li><li><a href=hhttps://plateformecinema.com/country/australia.html title=Australia>Australia</a></li><li><a href=https://plateformecinema.com//country/canada.html title=Canada>Canada</a></li><li><a href=https://plateformecinema.com//country/belgium.html title=french>french</a></li><li><a href=https://plateformecinema.com/country/ireland.html title=Ireland>Ireland</a></li><li><a href=https://plateformecinema.com/g/country/japan.html title=Japan>Japan</a></li><li><a href=https://ww.yesmovies.ag/country/new-zealand.html title="New Zealand">New Zealand</a></li><li><a href=https://plateformecinema.com/country/iceland.html title=Iceland>Iceland</a></li><li><a href=https://plateformecinema.com/untry/united-kingdom.html title="United Kingdom">United Kingdom</a></li><li><a href=https://plateformecinema.com/ountry/france.html title=France>France</a></li><li><a href=https://plateformecinema.com/country/latvia.html title=Latvia>Latvia</a></li><li><a href=https://plateformecinema.com/g/country/south-korea.html title="South Korea">South Korea</a></li><li><a href=https://plateformecinema.com/country/colombia.html title=Colombia>Colombia</a></li><li><a href=https://plateformecinema.com/country/spain.html title=Spain>Spain</a></li><li><a href=https://plateformecinema.com/country/chile.html title=Chile>Chile</a></li></ul><div class=clearfix></div></div></li><li><a href=https://plateformecinema.com/movie/filter/movies.html title=Movies><i class=icon-movie_creation></i><span class=li-text>Movies</span></a></li><li><a href=https://plateformecinema.com/movie/filter/series.html title=TV-Series><i class=icon-live_tv></i><span class=li-text>TV-Series</span></a></li><li><a href=https://plateformecinema.com/top-imdb/all.html title="Top IMDb"><i class=icon-golf32></i><span class=li-text>Top IMDb</span></a></li></ul><div class=clearfix></div></div><div id=top-user><div class="top-user-content guest"><a class=guest-login href=javascript:void(0) title=Login><i class=icon-profile27></i> LOGIN</a></div></div><div id=search><div class=search-content><input autocomplete=off class="form-control search-input" name=keyword placeholder=Searching... type=text><div id=token-search></div><a class=search-submit href=javascript:void(0) onclick=searchMovie() title=Search><i class="fa fa-search"></i></a><div class=search-suggest style=display:none></div></div></div><div class=clearfix></div></div></header><div class=header-pad></div><div class=page-detail id=main data-mode=movie><div id=cover class=page-cover style=background-image:url(https://img.cdno.my.id/cover/w_1200/h_500/downsizing-23140.jpg)></div><div class=container><div class=pad></div><div class="main-content main-detail"><div class=md-top><div id=bread><ol class=breadcrumb itemscope itemtype=https://plateformecinema.com/BreadcrumbList><li itemprop=itemListElement itemscope itemtype=https://schema.org/ListItem><a href=/ itemprop=item title=Home><span itemprop=name>Home</span></a>
<meta content="1" itemprop=position></li><li itemprop=itemListElement itemscope itemtype=https://schema.org/ListItem><a href=/movie/filter/movies.html itemprop=item title=Streamit><span itemprop=name>streamit</span></a>
<meta content="2" itemprop=position></li><li class=active itemprop=itemListElement itemscope itemtype=https://schema.org/ListItem><a href=# itemprop=item title=Downsizing><span itemprop=name>Downsizing</span></a>
<meta content="3" itemprop=position></li></ol></div><div id=player-area class=collapse><div class=pa-main><div id=media-player class="cssload-2x cssload-center" style=height:500px;background:#000><div class=cssload><span></span></div></div><div id=content-embed class="cssload-2x cssload-center" style=display:none><div id=embed-loading class=cssload><span></span></div><iframe id=iframe-embed width=100% height=500 scrolling=no frameborder=0 src allowfullscreen webkitallowfullscreen=true mozallowfullscreen=true></iframe></div><div id=bar-player><a class="btn bp-btn-light"><i class="fa fa-lightbulb-o"></i> <span></span></a>
<a id=favorite data-movie=23140 data-act=added class="btn bp-btn-like" href=javascript:void(0) title="Add to favorite"><i class=icon-favorite></i> Favorite
</a><a class="btn bp-btn-auto"><i class="fa fa-step-forward"></i>
<span>Auto next: </span></a><a class="btn bp-btn-report" style=color:#fff000;float:right><i class="fa fa-warning"></i> Report</a><div class=clearfix></div></div></div><div class=pa-server><div class=pas-header><div class=pash-title><i>Playing on: </i><span id=tsrv class="playing-on label label-pink"></span></div><div class=pash-choose><div class=btn-group><button type=button class="btn dropdown-toggle" data-toggle=dropdown aria-haspopup=true aria-expanded=false> List Server <span class=caret></span></button><ul class=dropdown-menu id=servers-list><li id=sv-1 data-id=1 class="server-item embed"><a title="Server 1" href=javascript:void(0)>Server 1</a></li><li id=sv-2 data-id=2 class="server-item embed"><a title="Server 2" href=javascript:void(0)>Server 2</a></li><li id=sv-5 data-id=5 class="server-item embed"><a title="Server 3" href=javascript:void(0)>Server 3</a></li></ul></div></div></div><div class=pas-list><ul id=episodes-sv-1 class=server-list-item><li class=ep-item data-index=0 data-server=1 data-id=1 id=ep-1><a href=javascript:void(0) title="Full HD"><i class=icon-play_arrow></i>Full HD</a></li></ul><ul id=episodes-sv-2 class=server-list-item><li class=ep-item data-index=0 data-server=2 data-id=1 id=ep-1><a href=javascript:void(0) title="Full HD"><i class=icon-play_arrow></i>Full HD</a></li></ul><ul id=episodes-sv-5 class=server-list-item><li class=ep-item data-index=0 data-server=5 data-id=1 id=ep-1><a href=javascript:void(0) title="Full HD"><i class=icon-play_arrow></i>Full HD</a></li></ul></div></div><div class=clearfix></div></div><div id=mv-info><div class=mvi-content><div id=btnp class=btn-watch-area><div class=bwa-content><div class=loader></div><a class=bwac-btn data-toggle=collapse href=#player-area title="Click to play"><i class="fa fa-play"></i></a></div></div><div class=mvic-desc><div class=mvic-stats><div class=block-fav id=btn-favorite><a class=btn-favorite data-act=added data-movie=23140 href=javascript:void(0) id=favorites title="Add to favorite"><i class=icon-favorite></i> Favorite</a></div><div class=block-view><i class=icon-remove_red_eye></i> 13140 views</div><div class=block-trailer><a data-target=#pop-trailer data-toggle=modal><i class=icon-videocam></i> Watch trailer</a></div></div><div class=detail-mod><div class=dm-thumb><img alt=Downsizing src=https://img.cdno.my.id/thumb/w_200/h_300/downsizing-23140.jpg title=Downsizing></div><h1>Downsizing</h1><div class=mv-rating></div><div class=mobile-btn><a class=mod-btn data-target=#pop-trailer data-toggle=modal>Trailer</a>
<a class="mod-btn mod-btn-watch" href=javascript:void(0) title="Watch Downsizing"><i class="fa fa-play mr5"></i> Watch movie</a></div><div class=mobile-view><i class=icon-remove_red_eye></i> 9,412 views</div></div><div class=desc>When humans can be shrunk to five inches tall to solve over-population, a husband and wife then decide to shrink themselves in order to simplify their lives.</div><div class=mvic-info><div class=mvici-left><p><strong>Genre:</strong>
<a href=https://plateformecinema.com/genre/comedy.html title=Comedy>Comedy</a>, <a href=https://plateformecinema.com/enre/sci-fi.html title=Sci-Fi>Sci-Fi</a>, <a href=https://plateformecinema.com//genre/drama.html title=Drama>Drama</a></p><p><strong>Actor:</strong>
<a href=https://plateformecinema.com/actor/matt-damon.html title="Matt Damon">Matt Damon</a>, <a href=https://plateformecinema.com//actor/christoph-waltz.html title="Christoph Waltz">Christoph Waltz</a>, <a href=https://plateformecinema.com/actor/hong-chau.html title="Hong Chau">Hong Chau</a></p><p><strong>Director:</strong>
Alexander Payne</p><p><strong>Country:</strong>
<a href=https://plateformecinema.com/country/united-states.html title="United States">United States</a></p></div><div class=mvici-right><p><strong>Duration:</strong> 2h 15m min</p><p><strong>Quality:</strong> <span class=quality>HD</span></p><p><strong>Release:</strong> <a href=https://plateformecinema.com//release/2017.html>2017</a></p><p><strong>IMDb:</strong> 0.6/10</p></div><div class=clearfix></div></div><div class=clearfix></div><div id=mv-keywords><strong class=mr10>Keywords:</strong>
<a href=https://ww.yesmovies.ag/tags/downsizing.html title=Downsizing><h5>Downsizing</h5></a><a href=https://ww.yesmovies.ag/tags/matt-damon.html title="Matt Damon"><h5>Matt Damon</h5></a><a href=https://ww.yesmovies.ag/tags/christoph-waltz.html title="Christoph Waltz"><h5>Christoph Waltz</h5></a></div></div><div class=clearfix></div></div></div></div><div class="movies-list-wrap mlw-related"><div class="ml-title ml-title-page"><span>You May Also Like</span></div><div class="movies-list movies-list-full" id=movies-related><div class=ml-item><a class=ml-mask href=https://ww.yesmovies.ag/movie/the-informant-15408.html title="The Informant!"><span class=mli-quality>HD</span>
<img alt="The Informant!" class="thumb mli-thumb lazy" data-original=https://img.cdno.my.id/thumb/w_200/h_300/the-informant-15408.jpg title="The Informant!"><div class=mli-info><h2>The Informant!</h2></div></a></div><div class=ml-item><a class=ml-mask href=https://plateformecinema.com/movie/we-bought-a-zoo-8453.html title="We Bought a Zoo"><span class=mli-quality>HD</span>
<img alt="We Bought a Zoo" class="thumb mli-thumb lazy" data-original=https://img.cdno.my.id/thumb/w_200/h_300/we-bought-a-zoo-8453.jpg title="We Bought a Zoo"><div class=mli-info><h2>We Bought a Zoo</h2></div></a></div><div class=ml-item><a class=ml-mask href=https://ww.yesmovies.ag/movie/contagion-6041.html title=Contagion><span class=mli-quality>HD</span>
<img alt=Contagion class="thumb mli-thumb lazy" data-original=https://img.cdno.my.id/thumb/w_200/h_300/contagion-6041.jpg title=Contagion><div class=mli-info><h2>Contagion</h2></div></a></div><div class=ml-item><a class=ml-mask href=https://ww.yesmovies.ag/movie/the-martian-5726.html title="The Martian"><span class=mli-quality>HD</span>
<img alt="The Martian" class="thumb mli-thumb lazy" data-original=https://img.cdno.my.id/thumb/w_200/h_300/the-martian-5726.jpg title="The Martian"><div class=mli-info><h2>The Martian</h2></div></a></div><div class=ml-item><a class=ml-mask href=https://ww.yesmovies.ag/movie/suburbicon-22831.html title=Suburbicon><span class=mli-quality>HD</span>
<img alt=Suburbicon class="thumb mli-thumb lazy" data-original=https://img.cdno.my.id/thumb/w_200/h_300/suburbicon-22831.jpg title=Suburbicon><div class=mli-info><h2>Suburbicon</h2></div></a></div><div class=ml-item><a class=ml-mask href=https://ww.yesmovies.ag/movie/the-good-shepherd-15515.html title="The Good Shepherd"><span class=mli-quality>HD</span>
<img alt="The Good Shepherd" class="thumb mli-thumb lazy" data-original=https://img.cdno.my.id/thumb/w_200/h_300/the-good-shepherd-15515.jpg title="The Good Shepherd"><div class=mli-info><h2>The Good Shepherd</h2></div></a></div><div class=ml-item><a class=ml-mask href=https://ww.yesmovies.ag/movie/the-legend-of-bagger-vance-15008.html title="The Legend of Bagger Vance"><span class=mli-quality>HD</span>
<img alt="The Legend of Bagger Vance" class="thumb mli-thumb lazy" data-original=https://img.cdno.my.id/thumb/w_200/h_300/the-legend-of-bagger-vance-15008.jpg title="The Legend of Bagger Vance"><div class=mli-info><h2>The Legend of Bagger Vance</h2></div></a></div><div class=ml-item><a class=ml-mask href=https://ww.yesmovies.ag/movie/syriana--13136.html title=Syriana><span class=mli-quality>HD</span>
<img alt=Syriana class="thumb mli-thumb lazy" data-original=https://img.cdno.my.id/thumb/w_200/h_300/syriana--13136.jpg title=Syriana><div class=mli-info><h2>Syriana</h2></div></a></div><div class=ml-item><a class=ml-mask href=https://ww.yesmovies.ag/movie/the-brothers-grimm-13014.html title="The Brothers Grimm"><span class=mli-quality>HD</span>
<img alt="The Brothers Grimm" class="thumb mli-thumb lazy" data-original=https://img.cdno.my.id/thumb/w_200/h_300/the-brothers-grimm-13014.jpg title="The Brothers Grimm"><div class=mli-info><h2>The Brothers Grimm</h2></div></a></div><div class=ml-item><a class=ml-mask href=https://ww.yesmovies.ag/movie/the-adjustment-bureau-13003.html title="The Adjustment Bureau"><span class=mli-quality>HD</span>
<img alt="The Adjustment Bureau" class="thumb mli-thumb lazy" data-original=https://img.cdno.my.id/thumb/w_200/h_300/the-adjustment-bureau-13003.jpg title="The Adjustment Bureau"><div class=mli-info><h2>The Adjustment Bureau</h2></div></a></div><div class=ml-item><a class=ml-mask href=https://ww.yesmovies.ag/movie/behind-the-candelabra-12817.html title="Behind the Candelabra"><span class=mli-quality>HD</span>
<img alt="Behind the Candelabra" class="thumb mli-thumb lazy" data-original=https://img.cdno.my.id/thumb/w_200/h_300/behind-the-candelabra-12817.jpg title="Behind the Candelabra"><div class=mli-info><h2>Behind the Candelabra</h2></div></a></div><div class=ml-item><a class=ml-mask href=https://plateformecinema.com/movie/the-rainmaker-12324.html title="The Rainmaker"><span class=mli-quality>HD</span>
<img alt="The Rainmaker" class="thumb mli-thumb lazy" data-original=https://img.cdno.my.id/thumb/w_200/h_300/the-rainmaker-12324.jpg title="The Rainmaker"><div class=mli-info><h2>The Rainmaker</h2></div></a></div><div class=ml-item><a class=ml-mask href=https://plateformecinema.com/movie/hereafter-11942.html title=Hereafter><span class=mli-quality>HD</span>
<img alt=Hereafter class="thumb mli-thumb lazy" data-original=https://img.cdno.my.id/thumb/w_200/h_300/hereafter-11942.jpg title=Hereafter><div class=mli-info><h2>Hereafter</h2></div></a></div><div class=ml-item><a class=ml-mask href=https://plateformecinema.com//movie/green-zone-10202.html title="Green Zone"><span class=mli-quality>HD</span>
<img alt="Green Zone" class="thumb mli-thumb lazy" data-original=https://img.cdno.my.id/thumb/w_200/h_300/green-zone-10202.jpg title="Green Zone"><div class=mli-info><h2>Green Zone</h2></div></a></div><div class=ml-item><a class=ml-mask href=https://plateformecinema.com/g/movie/promised-land-9349.html title="Promised Land"><span class=mli-quality>HD</span>
<img alt="Promised Land" class="thumb mli-thumb lazy" data-original=https://img.cdno.my.id/thumb/w_200/h_300/promised-land-9349.jpg title="Promised Land"><div class=mli-info><h2>Promised Land</h2></div></a></div><div class=ml-item><a class=ml-mask href=https://plateformecinema.com/movie/spirit-stallion-of-the-cimarron-7264.html title="Spirit: Stallion of the Cimarron"><span class=mli-quality>HD</span>
<img alt="Spirit: Stallion of the Cimarron" class="thumb mli-thumb lazy" data-original=https://img.cdno.my.id/thumb/w_200/h_300/spirit-stallion-of-the-cimarron-7264.jpg title="Spirit: Stallion of the Cimarron"><div class=mli-info><h2>Spirit: Stallion of the Cimarron</h2></div></a></div></div></div></div></div></div><div aria-hidden=true aria-labelledby=myModalLabel class="modal fade modal-cuz modal-trailer" id=pop-trailer role=dialog tabindex=-1><div class=modal-dialog><div class=modal-content><div class=modal-header><button aria-label=Close class=close data-dismiss=modal type=button><i class="fa fa-close"></i></button><h4 class=modal-title id=myModalLabel>Trailer: Downsizing</h4></div><div class=modal-body><div class=modal-body-trailer><iframe allowfullscreen frameborder=0 height=315 id=iframe-trailer src width=100%></iframe></div></div></div></div></div><footer><div id=footer><div class=container><div class=row><div class="col-sm-1 footer-block1"></div><div class="col-sm-2 footer-block footer-block2"><p><a href=https://plateformecinema.com//genre/action.html title=Action>Action</a></p><p><a hrefhttps://plateformecinema.com/genre/adventure.html title=Adventure>Adventure</a></p><p><a href=https://plateformecinema.com/genre/animation.html title=Animation>Animation</a></p><p><a href=https://plateformecinema.com/genre/biography.html title=Biography>Biography</a></p><p><a href=https://yesmovies.ag/genre/comedy.html title=Comedy>Comedy</a></p><p><a href=https://plateformecinema.com/genre/costume.html title=Costume>Costume</a></p><p><a href=https://yesmovies.ag/genre/crime.html title=Crime>Crime</a></p></div><div class="col-sm-2 footer-block footer-block3"><p><a href=https://yesmovies.ag/genre/documentary.html title=Documentary>Documentary</a></p><p><a href=https://plateformecinema.com/genre/drama.html title=Drama>Drama</a></p><p><a href=https://plateformecinema.com/genre/family.html title=Family>Family</a></p><p><a href=https://plateformecinema.com/genre/fantasy.html title=Fantasy>Fantasy</a></p><p><a href=https://plateformecinema.com/genre/history.html title=History>History</a></p><p><a href=https://plateformecinema.com/genre/horror.html title=Horror>Horror</a></p><p><a href=https://plateformecinema.com/genre/kungfu.html title=Kungfu>Kungfu</a></p></div><div class="col-sm-2 footer-block footer-block4"><p><a href=https://plateformecinema.com/genre/musical.html title=Musical>Musical</a></p><p><a href=https://plateformecinema.com/genre/mystery.html title=Mystery>Mystery</a></p><p><a href=https://plateformecinema.com/genre/mythological.html title=Mythological>Mythological</a></p><p><a href=https://plateformecinema.com/genre/psychological.html title=Psychological>Psychological</a></p><p><a hrefhttps://plateformecinema.com/genre/romance.html title=Romance>Romance</a></p><p><a href=https://plateformecinema.com/genre/sci-fi.html title=Sci-Fi>Sci-Fi</a></p><p><a href=https://plateformecinema.com/genre/sitcom.html title=Sitcom>Sitcom</a></p></div><div class="col-sm-2 footer-block footer-block5"><p><a href=https://plateformecinema.com/genre/sport.html title=Sport>Sport</a></p><p><a href=https://plateformecinema.com/genre/thriller.html title=Thriller>Thriller</a></p><p><a href=https://plateformecinema.com/genre/tv-show.html title=TV-Show>TV-Show</a></p><p><a href=https://plateformecinema.com/genre/war.html title=War>War</a></p><p><a href=https://plateformecinema.com/country/united-states.html title="United States">United States</a></p><p><a href=https://plateformecinema.com//country/korea.html title=Korea>Korea</a></p><p><a href=https://plateformecinema.com/country/japan.html title=Japan>Japan</a></p></div><div class="col-sm-2 footer-block footer-block6"><p><a href=https://plateformecinema.com/country/hongkong.html title=HongKong>HongKong</a></p><p><a href=https://plateformecinema.com/country/france.html title=France>France</a></p><p><a href=https://plateformecinema.com/country/asia.html title=Asia>Asia</a></p><p><a href=https://plateformecinema.com/country/thailand.html title=Thailand>Thailand</a></p><p><a href=https://plateformecinema.com/country/united-kingdom.html title="United Kingdom">United Kingdom</a></p><p><a href=https://plateformecinema.com/country/india.html title=India>India</a></p><p><a href=https://plateformecinema.com/country/international.html title=International>International</a></p></div><div class="col-sm-1 footer-block7"></div><div class=clearfix></div></div><div id=copyright><p><img alt=plateformecinema.com/ class=mv-ft-logo src=/images/logo-footer.png></p><p>Copyright © 2022 <a href=https://plateformecinema.com/ title=plateformecinema>plateformecinema</a>. All rights reserved.</p><p style=font-size:11px;line-height:14px>Disclaimer: This site does not store any files on its server.
All contents are provided by non-affiliated third parties.</p></div><div id=footer-social><a class="fs-icon fs-facebook" href=#><i class="fa fa-facebook"></i></a> <a class="fs-icon fs-twitter" href=#><i class="fa fa-twitter"></i></a> <a class="fs-icon fs-google" href=#><i class="fa fa-google-plus"></i></a></div><div id=footer-menu><a href=https://plateformecinema.com/terms.html title="Privacy Policy">Terms & Privacy
Policy</a> <a href=https://plateformecinema.com/dmca.html title=DMCA>DMCA</a></div></div></div></footer></div><div class=clearfix></div><script src=/js/jquery-1.9.1.min.js type=text/javascript></script><script src=/js/js.cookie.min.js type=text/javascript></script><script src=/js/base64.min.js type=text/javascript></script><script src=/js/bootstrap.min.js type=text/javascript></script><script src=/js/jquery.lazyload.js type=text/javascript></script><script src=/js/jquery.hover-intent.js type=text/javascript></script><script src=/js/jquery.qtip.min.js type=text/javascript></script><script src=/js/perfect-scrollbar.jquery.min.js type=text/javascript></script><script src=/js/detectmobilebrowser.js type=text/javascript></script><script src=/js/slide.min.js type=text/javascript></script><script src=/js/main.js type=text/javascript></script><script type=text/javascript src=https://ssl.p.jwpcdn.com/player/v/8.7.6/jwplayer.js></script><script type=text/javascript src=/js/player.js></script><script type=text/javascript>$(document).ready(function(){$("img.lazy").lazyload({effect:"fadeIn"})})</script><script data-cfasync=false src="//d1e28xq8vu3baf.cloudfront.net/?vqxed=762059"></script><script>document.onreadystatechange=()=>{if(document.readyState==="complete"){const n=setInterval(e,1e3),t=document.getElementsByName("keyword")[0];function e(){const e=document.querySelector("body > div:last-of-type"),t=window.getComputedStyle(e);t&&(t.zIndex>1e3||t.display==="block")&&(e.style.zIndex=0,e.style.display="none",clearInterval(n))}t.addEventListener("pointerdown",()=>{t.focus(),e()})}}</script></body></html>
<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <meta name="viewport" content="width=device-width, initial-scale=1.0">
    <title>htnml Events </title>
</head>
<body style="background-color: #414141; color: aliceblue;">
    <h2>Amazing image</h2>
    <div >
        <ul id="images">
            <li><img width="200px" id="photoshop" src="https://images.pexels.com/photos/3561339/pexels-photo-3561339.jpeg?auto=compress&cs=tinysrgb&w=1600&lazy=load" alt="photoshop"></li>
            <li><img width="200px" id="japan" src="https://images.pexels.com/photos/3532553/pexels-photo-3532553.jpeg?auto=compress&cs=tinysrgb&w=1600&lazy=load" alt=""></li>
            <li><img width="200px" id="river" src="https://images.pexels.com/photos/3532551/pexels-photo-3532551.jpeg?auto=compress&cs=tinysrgb&w=1600&lazy=load" alt=""></li>
            <li><img width="200px" id="owl" src="https://images.pexels.com/photos/3532552/pexels-photo-3532552.jpeg?auto=compress&cs=tinysrgb&w=1600&lazy=load" alt="" ></li>
            <li><img width="200px" id="prayer" src="https://images.pexels.com/photos/2522671/pexels-photo-2522671.jpeg?auto=compress&cs=tinysrgb&w=1600&lazy=load" alt=""></li>
            <li><a style="color: aliceblue;" href="https://google.com" id="google">Google</a></li>
        </ul>
   </div>
</body>
<script>
    // document.getElementById('owl').onclick = function(){
    //     alert("owl clicked")
    // }

     // attachEvent()
    // jQuery - on

    // type, timestamp, defaultPrevented
    // target, toElement, srcElement, currentTarget,
    // clientX, clientY, screenX, screenY
    // altkey, ctrlkey, shiftkey, keyCode

    // document.getElementById('images').addEventListener('click', function(e){
    //     console.log("clicked inside the ul");
    // }, false)

    // document.getElementById('owl').addEventListener('click', function(e){
    //     console.log("owl clicked");
    //     e.stopPropagation()
    // }, false)
    
    // document.getElementById('google').addEventListener('click',function(e){
    //     e.preventDefault();
    //     e.stopPropagation()
    //     console.log("google clicked");
    // }, false)
   
    
    document.querySelector('#images').addEventListener('click', function(e){
        if (e.target.tagName === 'IMG') { // checks if image clicked than remove only 
           
            let removeIt = e.target.parentNode
            removeIt.remove()
        }
    
        
    })
    
    //removeIt.parentNode.removeChild(removeIt)
</script>
</html>
<!DOCTYPE html>
<html lang="pt-BR">
<head>
    <meta charset="UTF-8">
    <meta name="viewport" content="width=device-width, initial-scale=1.0">
    <title>Alertas com Sessions</title>
    <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script>
    <style>
        .notice {
            display: none;
            padding: 10px;
            margin: 10px auto;
            width: 300px;
            border-radius: 5px;
            text-align: center;
        }
        .notice-success {
            background-color: #d4edda;
            color: #155724;
            border: 1px solid #c3e6cb;
        }
        .notice-error {
            background-color: #f8d7da;
            color: #721c24;
            border: 1px solid #f5c6cb;
        }
    </style>
</head>
<body>
    <div id="notice-success" class="notice notice-success">
        <?= $_SESSION['success'] ?? '' ?>
    </div>
    <div id="notice-error" class="notice notice-error">
        <?= $_SESSION['error'] ?? '' ?>
    </div>

    <script>
        $(document).ready(function () {
            <?php if (isset($_SESSION['success'])): ?>
                $('#notice-success').fadeIn();
                setTimeout(function () {
                    $('#notice-success').fadeOut();
                }, 5000);
            <?php unset($_SESSION['success']); endif; ?>

            <?php if (isset($_SESSION['error'])): ?>
                $('#notice-error').fadeIn();
                setTimeout(function () {
                    $('#notice-error').fadeOut();
                }, 5000);
            <?php unset($_SESSION['error']); endif; ?>
        });
    </script>
</body>
</html>
This is LolSeeks alt account, i cant return my game to this account!
<?php
/**
 * Generate a random string, using a cryptographically secure 
 * pseudorandom number generator (random_int)
 * 
 * For PHP 7, random_int is a PHP core function
 * For PHP 5.x, depends on https://github.com/paragonie/random_compat
 * 
 * @param int $length      How many characters do we want?
 * @param string $keyspace A string of all possible characters
 *                         to select from
 * @return string
 */
function random_str(
    $length,
    $keyspace = '0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ'
) {
    $str = '';
    $max = mb_strlen($keyspace, '8bit') - 1;
    if ($max < 1) {
        throw new Exception('$keyspace must be at least two characters long');
    }
    for ($i = 0; $i < $length; ++$i) {
        $str .= $keyspace[random_int(0, $max)];
    }
    return $str;
}
<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <meta http-equiv="X-UA-Compatible" content="IE=edge">
    <meta name="viewport" content="width=device-width, initial-scale=1.0">
    <title>Chai aur code | DOM</title>
</head>
<body style="background-color: #212121; color: #fff;">
    <ul class="language">
        <li>Javascript</li>
    </ul>
</body>
<script>
    function addLanguage(langName){
        const li = document.createElement('li');
        li.innerHTML = `${langName}`
        document.querySelector('.language').appendChild(li)
    }
    addLanguage("python")
    addLanguage("typescript")

    function addOptiLanguage(langName){
        const li = document.createElement('li');
        li.appendChild(document.createTextNode(langName))
        document.querySelector('.language').appendChild(li)
    }
    addOptiLanguage('golang')

    //Edit
    const secondLang = document.querySelector("li:nth-child(2)")
    console.log(secondLang);
    //secondLang.innerHTML = "Mojo"
    const newli = document.createElement('li')
    newli.textContent = "Mojo"
    secondLang.replaceWith(newli)

    //edit
    const firstLang = document.querySelector("li:first-child")
    firstLang.outerHTML = '<li>TypeScript</li>'

    //remove
    const lastLang = document.querySelector('li:last-child')
    lastLang.remove()


</script>
</html>
<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <meta name="viewport" content="width=device-width, initial-scale=1.0">
    <title>chai or code </title>
</head>
<body style="background-color: black;">
    



</body>
<script>
    //// creating element by javascript in html 
    const div = document.createElement('div');
    console.log(div);
    div.className = "main" 
    div.id = "hero" // giving id 
    div.setAttribute('title', "generate title") // making value 
    div.style.backgroundColor = "green" // styling 
    div.innerText = "chai or code "
    document.body.appendChild(div)
</script>
</html>
import React, { useState, useEffect } from "react";
import { FaMedal } from "react-icons/fa";
import axios from "axios";
import Apis from "../../APIs";
import { useAuth } from "../Auth/AuthContext";
import { useNavigate } from "react-router-dom";
import { toast } from "react-toastify";
import ToastWrapper from "../../../ToastWrapper";
import "react-toastify/dist/ReactToastify.css";

const See360Assessment = () => {
  const { user, setUser } = useAuth();
  const navigate = useNavigate();
  const [questions, setQuestions] = useState([]);
  const [answers, setAnswers] = useState([]);
  const [currentQuestionIndex, setCurrentQuestionIndex] = useState(0);
  const [result, setResult] = useState(false);
  const [loading, setLoading] = useState(true);
  const [error, setError] = useState(null);
  const [assessmentId, setAssessmentId] = useState(null);
  const [redirectPage, setRedirectPage] = useState(null);

  useEffect(() => {
    const fetchQuestions = async () => {
      try {
        const response = await axios.get(Apis.See360_QUESTION_API);
        const fetchedQuestions = response.data;

        const savedProgress = JSON.parse(localStorage.getItem("assessmentProgress")) || {};
        const { savedAnswers = [], savedQuestionIndex = 0 } = savedProgress;

        setQuestions(fetchedQuestions);
        setAnswers(savedAnswers.length ? savedAnswers : fetchedQuestions.map(() => null));
        setCurrentQuestionIndex(savedQuestionIndex);
        setLoading(false);
      } catch (err) {
        console.error("Error fetching questions:", err);
        setError("Failed to load questions. Please try again later.");
        setLoading(false);
      }
    };

    fetchQuestions();
  }, []);

  const saveProgress = (newAnswers, newQuestionIndex) => {
    const progress = {
      savedAnswers: newAnswers,
      savedQuestionIndex: newQuestionIndex,
    };
    localStorage.setItem("assessmentProgress", JSON.stringify(progress));
  };

  const handleOptionSelect = (oIndex) => {
    const qIndex = currentQuestionIndex;
    const optionId = questions[qIndex].options[oIndex]._id;
    const newAnswers = [...answers];
    newAnswers[qIndex] = optionId;
    setAnswers(newAnswers);
    saveProgress(newAnswers, qIndex);
  };

  const handleNextQuestion = () => {
    if (!answers[currentQuestionIndex]) {
      toast.error("Please select an option before moving to the next question.");
      return;
    }

    const nextIndex = currentQuestionIndex + 1;
    if (nextIndex < questions.length) {
      setCurrentQuestionIndex(nextIndex);
      saveProgress(answers, nextIndex);
    } else {
      handleSubmit();
    }
  };

  const handleSubmit = async () => {
    setLoading(true);

    const formattedResponses = questions.map((question, qIndex) => ({
      questionId: question._id,
      answered: {
        optionId: answers[qIndex],
      },
    }));

    const payload = {
      userId: user._id,
      responses: formattedResponses,
    };

    try {
      const response = await axios.post(Apis.See360_ASSESSMENT_API, payload);
      const recordId = response.data._id;
      setAssessmentId(recordId);

      let calculatedRedirectPage = "/Pdf";
      setRedirectPage(calculatedRedirectPage);

      if (user.feedbackStatus === "newUser") {
        const updatedUserData = { feedbackStatus: "feedbackPending" };
        await axios.put(`${Apis.See360_USER_API}/${user._id}`, updatedUserData);
      }

      const pdfName = calculatedRedirectPage.replace("/", "");
      const updatedPdfAccess = [...user.pdfAccess, pdfName];
      setUser({ ...user, pdfAccess: updatedPdfAccess });
      await axios.put(
        `${Apis.See360_USER_API}/${user._id}`,
        { pdfAccess: updatedPdfAccess },
        {
          headers: {
            Authorization: `Bearer ${localStorage.getItem("token")}`,
          },
        }
      );

      localStorage.removeItem("assessmentProgress");
    } catch (error) {
      console.error("Error during assessment submission process:", error);
      toast.error("An error occurred while submitting the assessment. Please try again.");
    } finally {
      setResult(true);
      setLoading(false);
    }
  };

  const handleOkClick = async () => {
    const getUser = await axios.get(`${Apis.See360_USER_API}/${user._id}`, {
      headers: {
        Authorization: `Bearer ${localStorage.getItem("token")}`,
      },
    });
    const latestUserData = getUser.data;

    setUser(latestUserData);
    if (redirectPage) {
      navigate(redirectPage, { state: { assessmentId } });
    } else {
      toast.error("PDF page could not be determined.");
    }
  };

  if (loading) {
    return (
      <div className="min-h-screen w-full flex items-center justify-center bg-primary-gradient">
        <l-infinity
          size="200"
          stroke="4"
          stroke-length="0.15"
          bg-opacity="0.1"
          speed="1.3"
          color="white"
        ></l-infinity>
      </div>
    );
  }

  if (error) {
    return (
      <section className="min-h-screen w-full bg-primary-gradient flex items-center justify-center">
        <div className="text-white text-2xl">{error}</div>
      </section>
    );
  }

  return (
    <>
      <section className="min-h-screen w-full bg-primary-gradient flex flex-col items-center justify-center p-5">
        {result ? (
          <div className="min-h-[400px] w-80 md:w-[400px] rounded-lg bg-secondary p-5 flex items-center justify-center flex-col gap-5">
            <h2 className="text-3xl text-center">
              Thank you for giving the assessment
            </h2>
            <h2 className="text-3xl text-center">To See Your Result Click Ok</h2>
            <FaMedal className="text-4xl text-yellow-400" />
            <button
              onClick={handleOkClick}
              className="h-10 w-full rounded-lg bg-green-500 text-white hover:bg-green-700"
            >
              Ok
            </button>
          </div>
        ) : (
          <>
            <div className="w-screen max-w-[90%] md:max-w-[900px] rounded-lg bg-secondary p-5">
              <h2 className="font-bold text-xl flex items-center justify-center">
                SEE 360 Biz Scan Assessment
              </h2>
            </div>
            <div className="w-screen max-w-[90%] md:max-w-[900px] mt-5 rounded-lg bg-secondary p-5">
              <div className="text-lg text-black font-bold mb-3 flex items-center justify-center">
                {currentQuestionIndex + 1} / {questions.length}
              </div>
              <h3 className="font-semibold text-lg mb-3">
                {currentQuestionIndex + 1}. {questions[currentQuestionIndex].mainQuestion}
              </h3>
              <div className="flex flex-col gap-3">
                {questions[currentQuestionIndex].options.map((option, oIndex) => (
                  <div
                    key={option._id}
                    className={`cursor-pointer p-3 border rounded-lg ${
                      answers[currentQuestionIndex] === option._id
                        ? "bg-green-500 text-white"
                        : "hover:bg-gray-100"
                    }`}
                    onClick={() => handleOptionSelect(oIndex)}
                  >
                    {option.option}
                  </div>
                ))}
              </div>
              <div className="mt-5 flex justify-end">
                <button
                  onClick={handleNextQuestion}
                  className="h-10 w-32 rounded-lg bg-green-500 text-white hover:bg-green-700"
                >
                  Next
                </button>
              </div>
            </div>
          </>
        )}
      </section>
      <ToastWrapper />
    </>
  );
};

export default See360Assessment;
<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <meta name="viewport" content="width=device-width, initial-scale=1.0">
    <title>Document</title>
</head>
<body style= "background-color: black ; color: aliceblue;">
    <div class = "parent">
        <div class = 'day'>MONDY</div>
        <div class = 'day'>TUESDY</div>
        <div class = 'day'>WEDNESDY</div>
        <div class = 'day'>THURSDY</div>
        <div class = 'day'>FRIDY</div>
    </div>
</body>
<script>
    ///// catching children from parents ////////////
    const parent = document.querySelector('.parent')
    console.log(parent);  
    /*<div class = "parent">
        <div class = 'day'>MONDY</div>
        <div class = 'day'>TUESDY</div>
        <div class = 'day'>WEDNESDY</div>
        <div class = 'day'>THURSDY</div>
        <div class = 'day'>FRIDY</div>
    </div>*/
    console.log(parent.children); // html collection as output 
    console.log(parent.children[1]); //TUESDAY AS A OUTPUT 
     
     for (let i = 0; i < parent.children.length; i++) {
       console.log(parent.children[i].innerHTML);
       /* MONDAY , TUESDAY , WEDNESDAY , THURSDAY , FRIIDAY */  
    }
    parent.children[1].style.color="orange"; // TUESDAY COBNVERTED TO YELLOW
    console.log(parent.firstElementchild);
    console.log(parent.lastElementchild);


    ///// catching  parent from children ////////////
    const dayone = document.querySelector('.day');
    console.log(dayOne);
    console.log(dayOne.parentElement);
    console.log(dayOne.parentElemenSibling);
    
</script>
</html> 
$ curl -OL https://github.com/pytube/pytube/tarball/master
# optionally, zipball is also available (for Windows users).
star

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

@DAVIDDUNN

star

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

@Troynm

star

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

@jamielucas #tokendevelopment

star

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

@blockchain48 #customcrypto wallet development company #crypto wallet development

star

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

@Cooldancerboy21

star

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

@davidmchale #oop #prototype

star

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

@darkoeller

star

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

@HannahTrust #laravel

star

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

@parkerharry0005 #assignment

star

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

@davidmchale #oop #keys #loop

star

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

@VanLemaime

star

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

@MinaTimo

star

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

@2late #programme

star

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

@phamlamphi114

star

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

@davidmchale

star

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

@javads

star

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

@MinaTimo

star

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

@rick_m #c#

star

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

@davidscott

star

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

@bichocali

star

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

@quanganh141220 #woocommerce

star

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

@bichocali

star

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

@shirnunn

star

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

@arpit

star

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

@exam

star

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

@brigiita #english #french #hindhi

star

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

@andrefrancisco #c++

star

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

@marcopinero #javascript #html

star

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

@bichocali

star

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

@akshva

star

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

@akshva

star

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

@akshva

star

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

@RehmatAli2024 #deluge

star

Sun Dec 22 2024 16:00:35 GMT+0000 (Coordinated Universal Time)

@doctorblog

star

Sun Dec 22 2024 15:36:58 GMT+0000 (Coordinated Universal Time)

@doctorblog

star

Sun Dec 22 2024 10:08:41 GMT+0000 (Coordinated Universal Time) https://www.ozon.ru/?__rr

@Salty

star

Sun Dec 22 2024 01:55:41 GMT+0000 (Coordinated Universal Time)

@E23CSEU1151

star

Sat Dec 21 2024 23:43:08 GMT+0000 (Coordinated Universal Time)

@jdeveloper #javascript

star

Sat Dec 21 2024 17:36:46 GMT+0000 (Coordinated Universal Time) https://apple.stackexchange.com/questions/144474/mds-and-mds-stores-constantly-consuming-cpu

@milliedavidson #mac #cpuusage #mds_stores

star

Sat Dec 21 2024 13:28:36 GMT+0000 (Coordinated Universal Time) https://www.roblox.com/users/7655483489/profile

@kool015312

star

Sat Dec 21 2024 12:35:31 GMT+0000 (Coordinated Universal Time) https://stackoverflow.com/questions/6101956/generating-a-random-password-in-php/31284266#31284266

@dontexpectless #php

star

Sat Dec 21 2024 09:29:40 GMT+0000 (Coordinated Universal Time) https://massgrave.dev/windows_ltsc_links#win10-enterprise-ltsc-2021

@Curable1600 #windows

star

Sat Dec 21 2024 09:07:07 GMT+0000 (Coordinated Universal Time)

@E23CSEU1151

star

Sat Dec 21 2024 07:49:16 GMT+0000 (Coordinated Universal Time)

@E23CSEU1151

star

Sat Dec 21 2024 06:44:06 GMT+0000 (Coordinated Universal Time)

@Rishi1808

star

Sat Dec 21 2024 06:28:09 GMT+0000 (Coordinated Universal Time)

@E23CSEU1151

star

Sat Dec 21 2024 01:18:57 GMT+0000 (Coordinated Universal Time) https://www.mindeo.com/formations/success-pro

@laurianobrice@

star

Fri Dec 20 2024 15:28:49 GMT+0000 (Coordinated Universal Time) https://pytube.io/en/latest/user/install.html

@CHIBUIKE

star

Fri Dec 20 2024 15:28:43 GMT+0000 (Coordinated Universal Time) https://pytube.io/en/latest/user/install.html

@CHIBUIKE

Save snippets that work with our extensions

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