What are some good chrome extensions to stop someone near you(in your house) from using your computer when your gone?

For example a extension that locks your screen 30 seconds when mouse isn't touched,

Or if you don't find a extension what other tools can use to prevent someone from using my computer.

Answers

Answer 1

Answer:

u don't need an extension for that u can set your computer to sign out after 30 seconds in the settings

Explanation:

Answer 2
Ok well first of all I dont believe there is a chrome extension that can do this because it only affects your browser, you can go into your computer settings and 1. set a password nobody can guess and set your computer idle time to something short in power and sleep if ur on windows

Related Questions

Write a program that calculates the amount of money in a savings account that earns a guaranteed yearly interest rate. The program will accept from the user the account is present value (i.e. what is in the savings account now), the annual interest rate (in a percentage), and the number of years the money will be left in the account (years). The program should display the savings account future value and the number of years the money will be left in the account.

Answers

Solution :

# Reading principle amount from user

[tex]$\text{accountPresentValue}$[/tex] = eval([tex]$\text{inpu}t("$[/tex]Enter principle amount: "))

# Reading time duration in number of year from user

years = eval(input("Enter time duration in number of year: "))

# Reading interest rate from user

annualInterestRate = eval(input("Interest rate: "))

# calculating futureValue using user input data

futureValue = accountPresentValue * (1 + annualInterestRate / 100) ** years

# printing calculated futureValue to console

print("Final balance =",futureValue)

The cash register program will have items. For each item, the name and cost are saved. For a transaction, it will accept any number of items (not known in advance) and any number of payments of different payment types (not known in advance). For each transaction, it calculates the total including a 7% sales tax and keeps prompting for a payment until the total has been paid. It also determines if any change is required. Thus, a transaction is responsible for calculating the amount of money that needs to be paid, accepting money, and generating a receipt. A receipt holds information about a transaction so that it can display how much each item cost, how the transaction was paid for, etc. (see example outputbelow).Payment type includes CASH, DEBIT_CARD, CREDIT_CARDandCHECK. Each payment consists of an amount and payment type
Hints
1. All fields should be private.
2. The PaymentType class should be an enum class with values: CASH, DEBIT_CARD, CREDIT_CARD, CHECK
3. Payment type information should not print the enum directly
4. Use final to store the transaction for each receipt.
5. Output:
A. The values for subtotal, tax, total, and payment information are all aligned. You can achieve this by using the tab character '\t' in your Strings. The item lines do not need to be aligned.
B. Do not worry about only using 2 decimal places. Let Java decide how many decimal places to use.
6. Create a main class to house the main method. In the main method, create some items, a transaction, and display the receipt.
A. Example outputs
Example: Pay everything with one payment
Transaction listing the items and asking for payment:
Item 1: apple: 0.5
Item 2: pear: 0.75
Item 3: pineapple: 0.75
Total: 2.14
Please enter payment type.
1. Cash
2. Debit card
3. Credit card
4. Check
2
Enter the amount to pay with this type.
2.14
Total after payment: 0.0
Receipt printed:
apple: 0.5
pear: 0.75
pineapple: 0.75
----------------------------------------------------------
Subtotal:
Tax:
Total:
Debit:
Change: 2.0 0.14 2.14 2.14 0.0
Example: Paying with multiple payments and payment type
Item 1: refrigerator: 800.71
Total: 856.7597000000001
Please enter payment type.
1. Cash
2. Debit card
3. Credit card
4. Check
1
Enter the amount to pay with this type.
400
Total after payment: 456.75970000000007
Please enter payment type.
1. Cash
2. Debit card
3. Credit card
4. Check
2
Enter the amount to pay with this type.
475
Total after payment: -18.240299999999934
refrigerator: 800.71
3
Subtotal: 800.71
Tax: 56.04970000000001
Total: 856.7597000000001
Cash: 400.0
Debit: 475.0
Change: 18.240299999999934
Example: Using the same payment type multiple times
Item 1: apple: 0.5
Item 2: pear: 0.75
Item 3: pineapple: 0.75
Total: 2.14
Please enter payment type.
1. Cash
2. Debit card
3. Credit card
4. Check
1
Enter the amount to pay with this type.
1.25
Total after payment: 0.8900000000000001
Please enter payment type.
1. Cash
2. Debit card
3. Credit card
4. Check
1
Enter the amount to pay with this type.
10.50
Total after payment: -9.61
apple: 0.5
pear: 0.75
pineapple: 0.75
Subtotal: 2.0
Tax : 0.14
Total: 2.14
Cash: 1.25
Cash: 110.5
Change: 9.61

Answers

Answer:

Explanation:

package sample;

import java.util.Scanner;

public class Main extends newOrder{

   public static void main(String[] args) {

       newOrder order = new newOrder();

       order.newOrder("apple", 0.5);

       order.newOrder("pear", 0.75);

       order.newOrder("pineapple", 0.75);

       double newTotal = order.getTotal();

       order.printItems();

       order.printTotal();

       while (newTotal != 0) {

           Scanner in = new Scanner(System.in);

           System.out.println("Please enter payment type.\n" + "Cash \nDebit card \nCredit card \nCheck");

           String paymentType = in.nextLine();

           System.out.println("Enter the amount to pay with this type: ");

           double amount = in.nextDouble();

           newTotal -= amount;

           System.out.println("Total after payment: " + newTotal);

       }

       System.out.println("Receipt Printed:");

       order.printItems();

       order.printSubtotal();

       System.out.println("Tax: 7%");

       order.printTotal();

   }

}

------------------------------------------------------------------------------------------------------------

package sample;

public enum PaymentType {

   CASH, DEBIT_CARD, CREDIT_CARD, CHECK

}

-----------------------------------------------------------------------------------------------------------

package sample;

import java.util.HashMap;

class newOrder {

   private String name;

   private double cost;

   private double total;

   private double subtotal;

   HashMap<String, Double> itemList = new HashMap<>();

   public void newOrder(String name, double cost) {

       this.name = name;

       this.cost = cost;

       this.total += cost;

   }

   

   public void printItems() {

       for (String i: itemList.keySet()) {

           System.out.println( i + ": \t" + itemList.get(i));

       }

   }

   public double getTotal() {

       return (total * 1.07);

   }

   public void printSubtotal() {

       for (double i : itemList.values()) {

           subtotal += i;

       }

       System.out.println("Subtotal: " + subtotal);

   }

   

   public void printTotal() {

       double total = subtotal * 1.07;

       System.out.println("Total: " + total);

   }

}

Alyssa Steiner volunteers at an animal shelter and helps with their fundraising efforts. She has shot a video of the animals and wants to post it on the web to encourage donations. However, the video she shot is a huge MOV file. What can Alyssa do to reduce the size of the video to about 20 MB so it loads quickly on the shelter’s webpage?

Answers

Answer:

See Explanation

Explanation:

Required

What to do, to upload a large video on a webpage

Alyssa has several options to pick from, one of which is to divide the videos into various segments and then upload each segment separately or to compress the huge MOV file and then upload.

Of the two options I highlighted in the first paragraph, the best is to compress the video using a video compressor software and then upload the compressed video.

Also;  MOV files are always huge files, she could convert the video file from MOV file format to mp4 or other compatible video formats. However, this will reduce the video quality (though the reduction may not be visible).

How does an online discussion group differ from one that is held face-to-face?

There is no need for group roles when holding online meetings.
Online discussion groups do not allow members to develop critical-thinking skills.
Group members are more likely to bond together as a group online than they would when meeting face-to-face.
Facilitating an online conversation may require even more work, so that participants continue engaging with one another online.

Answers

Answer: they always will have a different thinkage from others

Explanation:Some people need actual in person learning for better grades it also keeps them from getting distracted easily, they have different brains in everyone in the world everyone thinks, acts and talks in different ways some people dont need in person school because they would rather be online wich are both ok so yes they do bond together online but better in person.

Online discussion group differ from one that is held face-to-face as Group members are more likely to bond together as a group online than they would when meeting face-to-face. Thus, option C is correct.

What is software organization?

A system that defines how specific activities, in this case, the software development process, are directed to achieve corporate goals is referred to as an organizational structure. These activities could include putting rules, roles, and responsibilities in place.

There are four basic modes of collaboration, as illustrated by the exhibit "The Four Ways to Collaborate": a closed and authoritarian network (an elite circle), an open and hierarchical connectivity (an innovation mall), an open and flat network (an innovation community), and a shuttered and flat network (a consortium).

Groupware is software that allows a group of people to work together on the same system or application, regardless of where they are. Email, newsgroups, and many more are examples of groupware applications.

Thus, option C is correct.

For more details regarding collaborative applications, visit:

brainly.com/question/8453253

#SPJ3

explain the defference in reference to version and edition in windows operating system​

Answers

Answer: It depened on what the other version is

Explanation:

what is the role of information system in bank?

Answers

Explanation:

The main goal of these systems is to organise all data collected from every level of the company, summarize it, and present it in a way that facilitates and improve the quality of the decisions being made to increase the company's profitability and productivity.

A merchant bank and a merchant have been involved in a Web-based electronic transaction. Which of the following mediates between the two?
This task contains the radio buttons and checkboxes for options. The shortcut keys to perform this task are A to H and alt+1 to alt+9.
A

Secure Sockets Layer (SSL)
B

Electronic Funds Transfer (EFT)
C

Transport Layer Security (TLS)
D

Payment gateway

Answers

Answer:

D. Payment gateway

Explanation:

e-commerce is a short for electronic commerce and it can be defined as a marketing strategy that deals with meeting the needs of consumers, by selling products or services to the consumers over the internet.

This ultimately implies that, e-commerce is strictly based on the buying and selling of goods or services electronically, over the internet or through a digital platform. Also, the payment for such goods or services are typically done over the internet such as online payment services.

A payment gateway can be defined as a merchant service technology used for the capturing, acceptance and transfer of digital payment from the bank account of a customer (buyer) to the bank account of the merchant (seller). Thus, payment gateway typically involves the use of credit or debit card for the payment of goods purchased or services provided.

In this scenario, a merchant bank and a merchant have been involved in a Web-based electronic transaction. Hence, a payment gateway mediates between the two i.e acts as an intermediary between the merchant bank and the merchant.

can you help me with this question please ​

Answers

d. half period because it is the converting of bidirectional current flow to unidirectional currency flow.

Add the following method to the Point class: public double distance(Point other) Returns the distance between the current Point object and the given other Point object. The distance between two points is equal to the square root of the sum of the squares of the differences of their x- and y-coordinates. In other words, the distance between two points (x1, y1) and (x2, y2) can be expressed as the square root of (x2 - x1)2 (y2 - y1)2. Two points with the same (x, y) coordinates should return a distance of 0.0.
public class Point {
int x;
int y;
// your code goes here
}

Answers

Answer:

public class Point

{

  public int x;

  public int y;

  Point(int x,int y)

  {

      this.x=x;

      this.y=y;

  }

  public static void main(String[] args)

  {

      Point p1=new Point(-2,3);

      Point p2=new Point(3,-4);

      System.out.println("distance:"+distance(p1,p2));

 }

  private static double distance(Point p1,Point p2)

  {

      return Math.sqrt(Math.pow(p2.x-p1.x, 2)+Math.pow(p2.y-p1.y, 2));

  }

}

Explanation:

The java program defines the Point class and the public method 'distance' to return the total distance between the two quadrants passed to it as arguments (they are both instances of the Point class).

Eleanor Roosevelt once said, "You must do the thing you think you cannot do." Write about a time when you accomplished something you thought you could not do. Be sure to include specific details.

What is the purpose of this assignment?

to write about famous quotes by Eleanor Roosevelt
to write about a future goal that you hope to achieve
to write about overcoming an obstacle you had in the past
to write about Eleanor Roosevelt’s accomplishments.

Answers

The purpose is to write about overcoming an obstacle you had in the past. It says to write about a time when you accomplished something you thought you could not do, so C makes the most sense.

---

hope it helps

Answer:

The answer is C

Explanation:

EDGE 2021

question: define oprators​

Answers

Answer:

Explanation:

Operator can be defined as

a character or characters which gives determination of actions that are needed to be performed/ considered. Operators are symbols that gives the compiler information to perform specific mathematical/logical manipulations.They are special type of functions, which are capable of taking one or more arguments, then produces a new value. Different types of operator are;

✓arithmetic operators(addition "+" substraction "-"

✓relational operators( greater than ">"

lesser than"<"

✓Logical operators.( Connective words/symbols such as AND, NOT, OR)

Arithmetic Operators: These include "+" (addition), "-" (subtraction), "*" (multiplication), "/" (division), "\" (integer

1) Raj wants to create a presentation of 20 slides on MS PowerPoint. He wants that all the slides should have uniform background and theme. Suggest him which option in MS PowerPoint makes it possible.​

Answers

Raj wants to create a presentation of 20 slides on MS PowerPoint. He wants that all the slides should have uniform background and theme. Suggest him which option in MS PowerPoint makes it possible. Ans:- Slide Master option.

What
are
the main technologies that have
contributed to the growth and commercialization of the intereret?

Answers

Answer: Computers and cellular devices
Reason: Everyone every day watched entertainment with commercials of the internet all day on these technologies and proven by 92 percent. Make this brainly answer for everyone else that needs this. Hope this helps:)

What is the first step in finding a solution to a problem? Choose a solution. Think of options to solve the problem. Try the solution. Turn the problem into a question.\

Answers

Answer: Summarize the six steps of the problem solving process.

Explanation:

Answer:

turn the problem into a question

Explanation:

I got it right on a test!

Which of the following is the best reason for aspiring visual artists and designers to create greeting cards? a-popularity of greeting cards b-innovative design techniques used in cards c-ease of production d-Low cost of production

Answers

Answer:

ease of production

Explanation:

Your tasks include identifying competitors, determining your company's market penetration and consulting market research sources. These tasks are examples of:
This task contains the radio buttons and checkboxes for options. The shortcut keys to perform this task are A to H and alt+1 to alt+9.
A

search engine optimization (SEO).
B

off-site Web analytics.
C

on-site Web analytics.
D

pay-per-click.

Answers

Answer:

B. off-site Web analytics.

Explanation:

Marketing can be defined as the process of developing promotional techniques and sales strategies by a firm, so as to enhance the availability of goods and services to meet the needs of the end users or consumers through advertising and market research. The pre-service strategies includes identifying the following target market, design, branding, market research, etc.

Market research can be defined as a strategic technique which typically involves the process of identifying, acquiring and analyzing informations about a business. It involves the use of product test, surveys, questionnaire, focus groups, interviews, etc.

Web analytics refers to a strategic process which typically involves the collection of data, as well as the study of user behavior in an attempt to enhance or boost market share and sales. It is divided into two main categories;

I. on-site Web analytics.

II. off-site Web analytics.

In this scenario, your tasks include identifying competitors, determining your company's market penetration and consulting market research sources. These tasks are examples of off-site Web analytics.

qr code is more developed than barcode​

Answers

While a barcode only holds information in the horizontal direction, a QR code does hold information in both horizontal and vertical directions. Due to this, a QR code holds hundreds of times more information than a barcode.

With that being said they have different purposes, and there about the same developed as each other, unless you count how much information they can store.

A license plate has 7 characters. Each character can be a capital letter or a digit except for 0. How many license plates are there in which no character appears more than once and the first character is a digit?

a. 9 P(35, 6)
b. 9 P(34,6)
c. 9.(35)^6
d. 9.(35)^6

Answers

Answer:

b. 9 P(34,6)

Explanation:

Since the 1st character of the number plate is the digit, therefore, there are nine possible ways to select them from digits 1 to 9.

And in the license plate there are 7 characters, the first character is counted before and the remaining 6 characters that can either be a digit or a letter has to be considered.

Now there are in total 34 symbols remaining form a total of 26 letters and 8 digits. They can be placed as 34x33x32x31x30x29 ways = P(34, 6) ways.

Therefore in total for all the characters there are 9 x P(34, 6) different ways.

How do I use the VLOOKUP function to find the course grade on this excel sheet.

Answers

Answer:

Explanation:i don't know

if you would give me more of an idea on what you are doing i could help

g Consider the turning point problem again, but this time you are given a sequence of at least three integers, which consists of a decreasing subsequence followed by an increasing subsequence. Using the divide and conquer technique, develop a recursive algorithm that finds the index of the turning point in the sequence (that is, the point where it transitions from a decreasing subsequence to an increasing subsequence). For example, in the sequence [43 30 16 10 7 8 13 22], the integer 7 is the turning point and its index is equal to 4 (assuming the starting index is 0). So, the algorithm should return 4

Answers

Answer:

Explanation:

The following code is written in Python, it creates a recursive function that takes in a list as a parameter, then compares the first two items in the list if the first is greater, it increases the index by one and calls the function again. This is done until the turning point is found, it then prints out the position of the turning point int the list.

def find_turning_point(list, x=0):

   if list[x] > list[x + 1]:

       x += 1

       return find_turning_point(list, x)

   else:

       return "The turning point position is: " + str(x)

You can write a function to find Fibonacci numbers using recursion.

How do you find the next number?


add five to the previous number

add one to the previous number

multiply the two previous numbers

add the two previous numbers

Answers

Answer:

Add the two previous numbers

Explanation:

A recursive definition of the Fibonacci sequence would look like this, in python:

def fibonacci(n)

   if n <= 1:

       return n

   else:

       return(fibonacci(n-1) + fibonacci(n-2))

In QBasic, create a number guessing challenge. Your program should generate a random number from 1-
100 (inclusive). Let the user guess a number. The program should let the user guess until they get the
correct number. After each input, the program should tell the user whether they guessed the correct
number, or if they guessed too high or too low. While the user is entering guesses, the program should
keep a count of the number of guesses that it takes to get the correct number. After the user guesses
the correct number, the program should congratulate the user and tell them how many guesses it took
them to get the correct number. By the way, if the user chooses carefully, they should be able to guess
the number within 7 tries. But, your program should still let the user keep guessing until they guess the
correct number

Answers

Answer:

yes

Explanation:

PLEASE HELP ME WITH THIS PYTHON CODE::::: THANKS!!!



Lists are an example of a data abstraction.


A data abstraction can often contain different types of elements. It also provides a separation between the abstract properties of a data type (integer, boolean, string) and the concrete details of its representation. Basically, it doesn’t matter that the type are different!


Create an empty list. Append the integer 3, a string of "hello" and a boolean of False into the list. Print out each index individually. Now, remove the number 3 and False from the list.


Finally, print out the list again.

Answers

Answer:

Explanation:

The following Python code does exactly as requested. Once the list is created and the elements are added to it, it uses a for loop to print out each element individually. Then once the loop is over it removes the 3 and False elements from the list and creates another for loop to print the remaining element(s) individually again.

my_list = []

my_list.append(3)

my_list.append("hello")

my_list.append(False)

for x in my_list:

   print(x)

my_list.remove(3)

my_list.remove(False)

for x in my_list:

   print(x)

The rhythmic note that three beats is called a____half note.

Answers

Answer:

it is called a dotted half note

Answer:
Dotted half note

Antivirus is a program that detects error.True or False.​

Answers

Answer:  false

Explanation:

Because it isn't true.

What will be the output of using the element in the given HTML code?



1011 2


A.
10112
B.
10112
C.
21011
D.
21011

Answers

Answer:

i think c.

Explanation:

Answer:

Answer is B: 1011 with the two under

Explanation:

I got it right on plato

What is used to prevent all vlans from going across a trunk?

Answers

If you want to play Valorant with me my name is
Ticklemyguitar and my riot id is 2735

The following are the CPU and I/O behavior of three processes, timings in seconds.
Process P1 has 1 second CPU burst followed by 3s I/O followed by 1s CPU burst
Process P2 has 2 second CPU burst followed by 2s I/O followed by 2s CPU burst
Process P2 has 4 second CPU burst followed by 1s I/O followed by 4s CPU burst
Please provide approximate sketches of Gantt charts, and average turnaround times for the following scheduling algorithms:
Round Robin with a smallish time quanta (below 0.1s)

Answers

Answer:

Explanation:

From the given information:

The  CPU and I/O behavior of three process timings in seconds are as shown in the image below. Not only that, the Gantt Charts and the Average Turnaround time for the scheduling algorithms were also calculated.

NOTE:

AT = arrival time

BT = Brief-time

TAT = turn around time

Turnaround Time TAT = CT - BT

Waiting Time = TAT - BT

Average TAT = 32.7/3

= 10.9 sec

Average TAT = 10.9 sec

From the attached images below showing the process and charts; we can conclude that it implies that P1, P2, P3 are scheduling in these sequences from time to time period.

An organization requires secure configuration baselines for all platforms and technologies that are used. If any system cannot conform to the secure baseline, the organization must process a risk acceptance and receive approval before the system is placed into production. It may have non-conforming systems in its lower environments (development and staging) without risk acceptance, but must receive risk approval before the system is placed in production. Weekly scan reports identify systems that do not conform to any secure baseline. The application team receives a report with the following results:
Host Environment Baseline deviation ID(criticality)
NYAccountingDev Development
NYAccountingStg Staging
NYAccounting Prod Production 2633 (low), 3124 (high)
There are currently no risk acceptances for baseline deviations. This is a mission-critical application, and the organization cannot operate if the application is not running. The application fully functions in the development and staging environments. Which of the following actions should the application team take?
A. Remediate 2633 and 3124 immediately.
B. Process a risk acceptance for 2633 and 3124.
C. Process a risk acceptance for 2633 and remediate 3124.
D. Shut down NYAccounting Prod and investigate the reason for the different scan results.

Answers

Answer:

C. Process a risk acceptance for 2633 and remediate 3124.

Explanation:

There are various business risks. Some are inherited risks while other are risks are associated with nature of business. It is dependent on business owners that they want to accept risk or mitigate the risk. Risk acceptance is based on the strategy of the management. In the given scenario Accounting Prod Production has low risk 2633 which is accepted while 3124 is high risk which is remediated.

On the MarketingConsultants worksheet, in cells D10:H13, use a PMT function to calculate the end of the month payment amount. Enter one formula that can be entered in cell D10 and filled to the remaining cells. To calculate the amount for the pv argument, subtract the down payment amount from the retainer amount. The formula results should be positive.
Hiring Marketing Consultants Analysis ainted Paradise RESORT&SPA $ 125,000 5 4 Retainer Amount Term (Years) Monthly Loan Payments Down Payment $ 10,000 15,000 20,000 $25,000$30,000 2.0%, 2.5% 3.0% 3.5%. 10 12 13 15 16

Answers

Answer:

sdddddddde22

Explanation:

Other Questions
Andrew bought 3 boxes of granlla bars. There are 13 granola bars in each box. choose the expression that shows how many granola bars Andrew brought.13+b13bb1313b What is the product of StartFraction 5 Over 11 EndFraction and Three-fourths?StartFraction 8 Over 44 EndFractionStartFraction 15 Over 44 EndFractionStartFraction 8 Over 15 EndFractionStartFraction 20 Over 33 EndFraction What is one way to get involved at the federal level of government?A) Volunteer ay hospice B) Volunteer at a beach cleanup C) Volunteer on a caldo y D) Volunteer at your local library The vertices of GHJ are shown below. If this triangle is translated 2 units right and 1 unit down, what is the coordinate for vertex G'?G (10, 10)H (12, 12)I (14, 14)A(12, 10)B(10, 9)C(12, 9)D(12, 14) Please help!!!Factor the following[tex]3x^3-x^2y+6x^2y-2xy^2+3xy^2-y^3[/tex]Show work to receive full credit Organisms are named and classified based on physical characteristics inevolutionary treesLinnaeus taxonomymolecular clocksFreudian clads 2+21+15+10q+3=21 What is q A medication given to treat ventriculartachycardia and ventricular fibrillation What is the Fall Line and how is it important? Solve for n.7n - 4 = 317n = The blood pools in the ___ vessels in those areas if they are not exposed to some kind of pressure.A. smallB. faster Which of the following BEST describes the difference between the functions of nucleic acids and enzymes? (A) Nucleic acids inhibit biochemical reactions, while enzymes provide structural support in cells.B) Nucleic acids contain the genetic code for protein synthesis, while enzymes catalyze chemical reactionsC) Nucleic acids are used as the building blocks of proteins, while enzymes are used as the building blocks of phospholipidsD) Nucleic acids transmit signals that begin biochemical processes, while enzymes convert carbohydrates into lipids and proteins Civil obedience by Henry David Thoreau what was the author's intent? Why did he write this, and how does he use evidence to support his argument What is an equation of the line that passes through the point (4,-1) and has a slope of -2? What is water and gravel mixed together Suppose two angles in a coordinate plane, one measuring 80 and the other measuring 160, were both rotated 180 about the origin and then translated 40 units down. Which of these would be a measure of one of the resulting angles? Select all that apply.A. 260B. 160C. 80D. 40E. 120F. 340 HELP WILL MAKE BRAINLIST Find the unknown measure ABC 6. What is the first step when looking at a data set?Un a) Find the meanb) Sort the data into categoriesFind the ranged) Put the data in ascending order Your roommate told you she doesnt need renters insurance because her parents homeowners policy covers her stuff. Is she correct? Explain your answer. Round to nearest degree.811