Which type of boot authentication is more secure?

Answers

Answer 1

Answer:

UEFI

Explanation:

Answer 2

Power on Authentication, UEFI boot authentication is more secure. As UEFI or boot firmware and guarantees a secure, tamper-proof environment external to the operating system as a trusted authentication layer.

Given that,

The name of boot authentication is more secure.

We know that.,

Power on Authentication, UEFI offers secure boot which prevents a system from booting up with drivers or an OS that is not digitally signed and trusted by the motherboard or computer manufacturer.

Therefore, Power on Authentication, UEFI boot authentication is more secure.

To learn more about the Authentication visit:

https://brainly.com/question/28344005

#SPJ6


Related Questions

The base class Pet has attributes name and age. The derived class Dog inherits attributes from the base class Pet class and includes a breed attribute. Complete the program to:

Create a generic pet, and print the pet's information using print_info().
Create a Dog pet, use print_info() to print the dog's information, and add a statement to print the dog's breed attribute.
Ex: If the input is:

Dobby
2
Kreacher
3
German Schnauzer
the output is:

Pet Information:
Name: Dobby
Age: 2
Pet Information:
Name: Kreacher
Age: 3
Breed: German Schnauzer

code-
class Pet:
def __init__(self):
self.name = ''
self.age = 0

def print_info(self):
print('Pet Information:')
print(' Name:', self.name)
print(' Age:', self.age)

class Dog(Pet):
def __init__(self):
Pet.__init__(self)
self.breed = ''

my_pet = Pet()
my_dog = Dog()

pet_name = input()
pet_age = int(input())
dog_name = input()
dog_age = int(input())
dog_breed = input()

# TODO: Create generic pet (using pet_name, pet_age) and then call print_info()

# TODO: Create dog pet (using dog_name, dog_age, dog_breed) and then call print_info()

# TODO: Use my_dog.breed to output the breed of the dog

Answers

Here's the complete code with the TODOs filled in:

The Code

class Pet:

def init(self):

self.name = ''

self.age = 0

def print_info(self):

   print('Pet Information:')

   print(' Name:', self.name)

   print(' Age:', self.age)

class Dog(Pet):

def init(self):

Pet.init(self)

self.breed = ''

pet_name = input()

pet_age = int(input())

dog_name = input()

dog_age = int(input())

dog_breed = input()

my_pet = Pet()

my_pet.name = pet_name

my_pet.age = pet_age

my_pet.print_info()

my_dog = Dog()

my_dog.name = dog_name

my_dog.age = dog_age

my_dog.breed = dog_breed

my_dog.print_info()

print('Breed:', my_dog.breed)

Sample Input:

Dobby

2

Kreacher

3

German Schnauzer

Sample Output:

Pet Information:

Name: Dobby

Age: 2

Pet Information:

Name: Kreacher

Age: 3

Breed: German Schnauzer

Read more about programs here:

https://brainly.com/question/26134656
#SPJ1

What was the Internet originally created to do? (select all that apply)

Answers

The Internet was initially constituted for various purposes. it is was   originally created to options a, c and d:

share researchcommunicateshare documentsWhat is Internet

Communication: The Internet was planned to aid ideas and data exchange 'tween analysts and chemists. It proposed to combine various calculating and networks to authorize logical ideas and cooperation.

Research and Development: The Internet's production was driven for one need to share research verdicts, experimental dossier, and possessions among academies, research organizations, and administration institutions.

Read more about Internet here:

https://brainly.com/question/21527655

#SPJ4

You have read about the beginnings of the Internet and how it was created. What was the Internet originally created to do? (select all that apply)

share research.

Play games.

Communicate.

Share documents.

Sell toys

if i use a screwdriver to insert a screw, what would the screwdriver be used as ?

Answers

Answer:

The screwdriver is being used as a wheel and axle

Explanation:

what is the role of the operating system​

Answers

The operating system (OS) manages all of the software and hardware on the computer. It performs basic tasks such as file, memory and process management, handling input and output, and controlling peripheral devices such as disk drives and printers.

The given SQL creates a Movie table and inserts some movies. The SELECT statement selects all movies released before January 1, 2000 Modify the SELECT statement to select the title and release date of PG-13 movies that are released after February 1, 2008. Run your solution and verify the result table shows just the titles and release dates for The Dark Knight and Crazy Rich Asians. 3 6 1 CREATE TABLE Movie ( 2 ID INT AUTO_INCREMENT, Title VARCHAR(100), 4 Rating CHAR(5) CHECK (Rating IN ('G', 'PG', 'PG-13', 'R')), 5 ReleaseDate DATE, PRIMARY KEY (ID) 7); 8 9 INSERT INTO Movie (Title, Rating, ReleaseDate) VALUES 19 ('Casablanca', 'PG', '1943-01-23'), 11 ("Bridget Jones's Diary', 'PG-13', '2001-04-13'), 12 ('The Dark Knight', 'PG-13', '2008-07-18'), 13 ("Hidden Figures', 'PG', '2017-01-06'), 14 ('Toy Story', 'G', '1995-11-22'), 15 ("Rocky', 'PG', '1976-11-21'), 16 ('Crazy Rich Asians', 'PG-13', '2018-08-15'); 17 18 -- Modify the SELECT statement: 19 SELECT * 20 FROM Movie 21 WHERE ReleaseDate < '2000-01-01'; 22

Answers

Answer:

The modified SQL code is as follows:

SELECT Title, ReleaseDate FROM movie WHERE Rating = "PG-13" and ReleaseDate >  '2008-02-01'

Explanation:

The syntax of an SQL select statement is:

SELECT c1, c2, c...n FROM table WHERE condition-1, AND/OR condition-n

In this query, we are to select only the title and the release date.

So, we have:

SELECT Title, ReleaseDate

The table name is Movie.

So, we have:

SELECT Title, ReleaseDate FROM movie

And the condition for selection is that:

Ratings must be PG-13

And the date must be later than February 1, 2008

This implies that:

Rating = "PG-13"

ReleaseDate >  '2008-02-01'

So, the complete query is:

SELECT Title, ReleaseDate FROM movie WHERE Rating = "PG-13" and ReleaseDate >  '2008-02-01'

1. Using the open function in python, read the file info.txt. You should use try/except for error handling. If the file is not found, show a message that says "File not found"

2. Read the data from the file using readlines method. Make sure to close the file after reading it

3. Take the data and place it into a list. The data in the list will look like the list below

['ankylosaurus\n', 'carnotaurus\n', 'spinosaurus\n', 'mosasaurus\n', ]

5. Create a function called modify_animal_names(list) and uppercase the first letter of each word.

6. Create a function called find_replace_name(list, name) that finds the word "Mosasaurus" and replace it with your name. DO NOT use the replace function. Do this manually by looping (for loop).

The words in the info.text:

ankylosaurus
carnotaurus
spinosaurus
mosasaurus

Answers

try:

   f = open('info.txt', 'r')

except:

   print('File not found')

dino_list = []

for line in f.readlines():

   dino_list.append(line)

f.close()

def modify_animal_names(list):

   for i in range(len(list)):

       list[i] = list[i].capitalize().replace('\n', '')

modify_animal_names(dino_list)

def find_replace_name(list, name):

   for i in range(len(list)):

       if list[i] == name:

           list[i] = 'NAME'

find_replace_name(dino_list, 'Ankylosaurus')

This will print out:

['Ankylosaurus', 'Carnotaurus', 'Spinosaurus', 'NAME']

(If you have any more questions, feel free to message me back)

What solicits online input such as product ratings from consumers?
A qiuck response code
Computer forensics
Crowdsourcing
Or Crowdfunding?

Answers

Answer:

Crowdsourcing I think is the correct answer. "A quick response code" and "Computer Forensics" both don't make sense as answers, and Crowdfunding is specifically for money.

And office now has a total of 35 employees 11 were added last year the year prior there was a 500% increase in staff how many staff members were in the office before the increase

Answers

There were 5 staff members in the office before the increase.

To find the number of staff members in the office before the increase, we can work backward from the given information.

Let's start with the current total of 35 employees. It is stated that 11 employees were added last year.

Therefore, if we subtract 11 from the current total, we can determine the number of employees before the addition: 35 - 11 = 24.

Moving on to the information about the year prior, it states that there was a 500% increase in staff.

To calculate this, we need to find the original number of employees and then determine what 500% of that number is.

Let's assume the original number of employees before the increase was x.

If we had a 500% increase, it means the number of employees multiplied by 5. So, we can write the equation:

5 * x = 24

Dividing both sides of the equation by 5, we find:

x = 24 / 5 = 4.8

However, the number of employees cannot be a fraction or a decimal, so we round it to the nearest whole number.

Thus, before the increase, there were 5 employees in the office.

For more questions on staff members

https://brainly.com/question/30298095

#SPJ8

why big data influnce the rise of AI

Answers

Further, big data has implications for AI. AI is developed by using machine learning which inputs data for the algorithm to learn responses. Big data is a valuable source of data for machine learning, but the extent of their potential contribution is uncertain, given that big data often involves unstructured free text.

Answer:AI is developed by using machine learning which inputs data for the algorithm to learn responses

Explanation:

9. Organs are made up of vast numbers of cells that perform various tasks. When cells die within an organ,
homeostasis is interrupted. What will most likely happen so that homeostasis can be maintained?




Answers

Answer:  A new cell grows

Explanation:

To create bullet points in their output document, a data analyst adds _____ to their RMarkdown document.

Answers

To create bullet points in an RMarkdown document, a data analyst can use the dash symbol (-) or the plus symbol (+) followed by a space at the beginning of a line.

For example, "- This is a bullet point" or "+ This is another bullet point". These symbols will create unordered lists in the output document. If the analyst wants to create ordered lists, they can use numbers followed by a period and a space, such as "1. First item", "2. Second item", etc. RMarkdown also supports other list formatting options, such as nested lists and custom bullets or numbering.

To know more about RMarkdown document click here:

brainly.com/question/29488455

#SPJ4

The code is working fine but I keep getting an EOF error on my 2nd last line.
program:
# option list for user choice
option = ['y', 'yes', 'YES', 'n', 'no', 'NO']
# invalid characters for hawaiian language
invalid_letters = {"b", "c", "d", "f", "g", "j", "q", "r", "s", "t", "v", "x", "y", "z"}
# dictionary for pronunciation of the letters of word
dictionary = {
'a' : 'ah',
'e' : 'eh',
'i' : 'ee',
'o' : 'oh',
'u' : 'oo',
'ai' : 'eye',
'ae' : 'eye',
'ao' : 'ow',
'au' : 'ow',
'ei' : 'ay',
'eu' : 'eh-oo',
'iu' : 'ew',
'oi' : 'oy',
'ou' : 'ow',
'ui' : 'ooey',
'p' : 'p',
'k' : 'k',
'h' : 'h',
'l' : 'l',
'm' : 'm',
'n' : 'n',
'w' : ['v', 'w']
}
# loop for user input
while option not in ['n', 'no']:
Alolan_word = input("Enter a hawaiian word: ").lower()
word = ' ' + Alolan_word + ' '
pronunciation = ''
skip = False

# loop for traversing the word by character wise
# match each character of word with elements of invalid_letters
for letter in Alolan_word:
if letter in invalid_letters:
print("Invalid word, " + letter + " is not a valid hawaiian character.")
break

# loop for scanning the accepted word letter wise
# match each letter of th word with corresponding pronunciation in the dictionary
for index in range(1,len(word)-1):
letter = word[index]

if skip:
skip = False
continue

if letter in {'p','k','h','l','m','n'}:
pronunciation += dictionary[letter]

if letter == 'w':
if word[index-1] in {'i','e'}:
pronunciation += dictionary[letter][0]
else:
pronunciation += dictionary[letter][1]


if letter == 'a':
if word[index+1] in {'i','e'}:
pronunciation += dictionary['ai'] + '-'
skip = True
elif word[index+1] in {'o', 'u'}:
pronunciation += dictionary['ao'] + '-'
skip = True
else:
pronunciation += dictionary[letter] + '-'

if letter == 'e':
if word[index+1] == 'i':
pronunciation += dictionary['ei'] + '-'
skip = True
elif word [index+1] == 'u':
pronunciation += dictionary['eu'] + '-'
skip = True
else:
pronunciation += dictionary[letter] + '-'

if letter == 'i':
if word[index+1] == 'u':
pronunciation += dictionary['iu'] + '-'
skip = True
else:
pronunciation += dictionary[letter] + '-'

if letter == 'o':
if word[index+1] == 'i':
pronunciation += dictionary['oi'] + '-'
skip = True
elif word [index+1] == 'u':
pronunciation += dictionary['ou'] + '-'
skip = True
else:
pronunciation += dictionary[letter] + '-'

if letter == 'u':
if word[index+1] == 'i':
pronunciation += dictionary['ui'] + '-'
skip = True
else:
pronunciation += dictionary[letter] + '-'

if letter in {"'", ' '}:
if pronunciation[-1] == '-':
pronunciation = pronunciation[:-1]
pronunciation += letter

if pronunciation[-1] == '-':
pronunciation = pronunciation[:-1]

# display the pronounciation of accepted word in hawaiian language
print(Alolan_word.upper() + " is pronounced " + pronunciation.capitalize())
option = input("Would you like to enter another word? [y/yes, n/no] ").lower()

print("All done.")

Answers

Answer:

Code is in the attached  .txt file

Explanation:

It must have been an indentation error since I get good results using your code properly formatted. I am not sure what the original problem was so unable to comment further

3
Drag each label to the correct location on the image.
An organization has decided to initiate a business project. The project management team needs to prepare the project proposal and business
justification documents. Help the management team match the purpose and content of the documents.
contains high-level details
of the proposed project
contains a preliminary timeline
of the project
helps to determine the project type,
scope, time, cost, and classification
helps to determine whether the
project needs meets business
needs
contains cost estimates,
project requirements, and risks
helps to determine the stakeholders
relevant to the project
Project proposal
Business justification

Answers

Here's the correct match for the purpose and content of the documents:

The Correct Matching of the documents

Project proposal: contains high-level details of the proposed project, contains a preliminary timeline of the project, helps to determine the project type, scope, time, cost, and classification, helps to determine the stakeholders relevant to the project.

Business justification: helps to determine whether the project needs meet business needs, contains cost estimates, project requirements, and risks.

Please note that the purpose and content of these documents may vary depending on the organization and specific project. However, this is a general guideline for matching the labels to the documents.

Read more about Project proposal here:

https://brainly.com/question/29307495

#SPJ1

Help picture for 25 points

 Help picture for 25 points

Answers

Divide one number by the other, then multiply the result by 100 to get the percentage of the two numbers.

Explain about the Percentage?

Holding down Shift while pressing the 5 key at the top of the keyboard will produce a percent symbol on a U.S. keyboard. You can also construct a percent by using the Alt code Alt +37.

To open the Format Cells dialogue box, click the icon next to Number in the Number group on the Home tab. Click Percentage in the Category list of the Format Cells dialogue box. Enter the number of decimal places you want to display in the Decimal places box.

The percent sign is found on the numeral 5 key, which is placed above the R and T on a US keyboard layout. Press the 5 key while holding down the Shift key to insert%.

To learn more about Percentage refer to:

https://brainly.com/question/24877689

#SPJ1

Which component of computer is also considered as it Heart ?

Answers

Answer: Central Processor Unit (CPU)

Message: If this was helpful, let me know by giving me a thanks! :)

Answer:

The central processing unit (CPU) is often referred to as the "brain" or "heart" of a computer. The CPU is the component of a computer that carries out the instructions of a computer program by performing basic arithmetic, logical, and input/output operations. It is the most important component of a computer, as it is responsible for executing the majority of the instructions that make up a computer program.

The CPU is typically made up of two main components: the control unit and the arithmetic logic unit (ALU). The control unit fetches instructions from memory and decodes them, while the ALU performs the actual calculations and logical operations specified by the instructions.

In summary, the CPU is considered the "heart" of a computer because it is the component that carries out the instructions of a computer program and performs the majority of the operations that make a computer work.

If you wanted to use the numeric key pad to multiply 8 and 5 and then divide by 2, you would type
1. 8/5*2
2. 5/2/8
3. 8*5*2
4. 8*5/2

Answers

Answer:

Option 4 would be your best answer

Explanation:

The * means multiply

And the / means Divide

Hope this helps :D

4) 8*5/2 would be the correct answer to your question

6. After you've searched for flowers with fewer than 100 in stock, you realize you also want to know
which of these flowers are used in the pre-made arrangements. Use multiple parameters to search for
these results. Generate a report showing all the flowers with fewer than 100 in stock that are also
used in the pre-made arrangements.

Answers

To generate the report, you have to do the following:

Retrieve the data for flowers with fewer than 100 in stockRetrieve the data for flowers used in pre-made arrangementsCompare the two sets of dataGenerate the report

How to generate the report

Retrieve the data for flowers with fewer than 100 in stock:

Iterate through your flower data and filter out the flowers with a stock quantity less than 100.

Retrieve the data for flowers used in pre-made arrangements:

Iterate through your pre-made arrangement data and extract the flowers used in each arrangement.

Compare the two sets of data:

Iterate through the filtered flower data from step 1 and check if each flower is present in the pre-made arrangement data from step 2.

Generate the report:

For each flower that meets the criteria (fewer than 100 in stock and used in pre-made arrangements), output the relevant information in a report format.

Read more on generated reports here:https://brainly.com/question/20595262

#SPJ1

true Or False 1. Computer Time is located in Start Menu, b. Ms Word is developed by Adobe Corporation c. Ms-Excel is Presentation Program. d. Printer Is Input Device. e. Antivirus is utility Software.​

Answers

Answer:

A.True,

B.False,

C.False,

D.False,

E.True

Explanation:

Refer to the illustration below to answer the following questions. Use the drop-down menus to make your selections. Left: A table titled Table 1: Students with entries Student I D Number, Name, Grade. Right: A table titled Table 2: Courses with entries Course I D Number, Course Name, Student I D Number. What is the primary key in Table 1? What is the primary key in Table 2? What does Student ID Number refer to in Table 2? What forms the link between Table 1 and Table 2?

Answers

Answer:

Refer to the illustration below to answer the following questions. Use the drop-down menus to make your selections.

Left: A table titled Table 1: Students with entries Student I D Number, Name, Grade. Right: A table titled Table 2: Courses with entries Course I D Number, Course Name, Student I D Number.

What is the primary key in Table 1?

✔ Student ID Number

What is the primary key in Table 2?

✔ Course ID Number

What does Student ID Number refer to in Table 2?

✔ the foreign key

What forms the link between Table 1 and Table 2?

✔ Student ID Number

Explanation:

You have been hired to upgrade a network of 50 computers currently connected to 10 Mbps hubs. This long-overdue upgrade is necessary because of poor network response time caused by a lot of collisions occurring during long file transfers between clients and servers. How do you recommend upgrading this network?

Answers

Answer:

Following are the answer to this question:

Explanation:

A network adapter and network switches were also recommended because only 50 computer systems are accessible users could choose a router as well as two 24-port network cables. It could connect directly to a server or one computer with your router.  

It can attach some other machines to a switch.  If it is connected with the wireless router to the router so, it implies the ethernet port if you've had a landline installed two wireless networks throughout the location which can be easily accessed because the wired network will link all computers to all of it.

Switches could be managed or unmanaged unless circuits were also taken into account. It provides more implement strategies and remotely the controlled device can already be controlled as well as configured by the manager. In the CISCO and Dell controlled port devices, it also available for sustainabilty, that is used by the 24-port switches and for household or smaller networks, that's why we can upgrade it  

numStudents is read from input as the size of the vector. Then, numStudents elements are read from input into the vector idLogs. Use a loop to access each element in the vector and if the element is equal to 4, output the element followed by a newline.

Ex: If the input is 6 68 4 4 4 183 104, then the output is:

4
4
4

Answers

Here's an example solution that uses a loop to access each element in the vector idLogs and outputs the elements equal to 4

How to write the output

#include <iostream>

#include <vector>

int main() {

   int numStudents;

   std::cin >> numStudents;

   std::vector<int> idLogs(numStudents);

   for (int i = 0; i < numStudents; i++) {

       std::cin >> idLogs[i];

   }

   for (int i = 0; i < numStudents; i++) {

       if (idLogs[i] == 4) {

           std::cout << idLogs[i] << std::endl;

       }

   }

   return 0;

}

Read more on Computer code here https://brainly.com/question/30130277

#SPJ1

.
T
Which of the following objects are not contained within
an Access database?
Select one:
a Tables and forms,
b. Queries and reports.
c. Macros and Modules
d. Web sites and worksheets​

Answers

Answer:

17 38 ay

Explanation:

a

create a powerpoint presentation on various e commerce websites. compare them and write which one is your favourite and why

Answers

The e-commerce websites created for online shopping are shown on this slide, along with how customers may utilize them to compare prices and make purchases and PPT.

Thus, By providing information via various website services, you can raise audience engagement and knowledge. Internet stores Ppt Images and Graphics.

You can deliver information in stages using this template. Using this PPT design, you may also show information on products, exclusive discounts, and strong online websites. This style is entirely changeable, so personalize it right away to satisfy the demands of your audience.

A lousy PowerPoint presentation can detract from the excellent content you're providing with team stakeholders because of poor color choices or unclear slides.

Thus, The e-commerce websites created for online shopping are shown on this slide, along with how customers may utilize them to compare prices and make purchases and PPT.

Learn more about PPT, refer to the link:

https://brainly.com/question/31676039

#SPJ1


Martin is responsible for translating the script into a visual form by creating a storyboard. Which role is he playing?
Martin is playing the role of a(n)

Answers

Answer:

The correct answer to this question is given below in the explanation section.

Explanation:

The question is about to  identify the role of Martin, who converts script into visual form by creating a storyboard.

The correct answer to this question is:

Martin is playing the role of Production Design and he is working at the position of the production designer.

Before shooting a film, the production designer is the first artist who converts script into a visual form such as creating storyboards. And, that storyboard serves as the first film draft.

A storyboard is a series of sketches, paintings, etc arranged on a panel to show the visual progress of the story from one scene to the next.   These storyboards are used from start to finish of the film. Because these storyboards or sketches serve as the visual guide for the director of the film throughout the production.  

Answer:

Hi

Explanation:

THE ANSWER UP TOP IS WRONG LIKE DEAD WRONG

What is the HIE? What is its purpose?

Answers

Answer:

Electronic health information exchange (HIE) allows doctors, nurses, pharmacists, other health care providers and patients to appropriately access and securely share a patient's vital medical information electronically—improving the speed, quality, safety and cost of patient care.

Explanation:

Answer:

HIE is a system that helps tansport patients when it becomes overwhelmed.

Explanation:

At the point when medical services suppliers approach total and exact data, patients get better clinical consideration. Electronic wellbeing records (EHRs) can improve the capacity to analyze illnesses and lessen risks. Doing this helps patients get timely care. More severe cases can be treated quickly.

Which of the following is a list of networks known to a specific device, when on a router or PC/server?Question 1 options:Static IP addressDynamic IP addressDefault gatewayRouting table

Answers

A routing table is a list of networks known to a specific device, when on a router or PC/server. It contains information about the various routes that a device can use to reach different destinations on a network.

The routing table is used by the device to determine the best path to a destination, based on factors such as network congestion, network distance, and network reliability. A static IP address is a fixed IP address that is assigned to a device, rather than being assigned dynamically by a DHCP server. A dynamic IP address is an IP address that is assigned to a device dynamically by a DHCP server. A default gateway is the IP address of the router on a network that is used to forward packets to destinations outside of the local network.

Learn more about routing table: https://brainly.com/question/29654124

#SPJ4

What symptom will be exhibited on an engine equipped with a pneumatic governor system if the cooling fins are clogged? Not Plugged But Clogged?

Answers

Engine speed will rise

Which of these is an example of collective voice?
A. He hopes to make the world better for his children.
B. I have always dreamed of a kinder and better world.
C. We are here to make a better world for our children.
D. Your purpose is to make the world a better place.

Answers

Answer:

option C

hope it helps! please mark me brainliest..

Merry Christmas good day

Answer:

c

Explanation:

Which terms would be found in search for "Mo*”? Check all that apply.

Marco
metro
Mom
money
monkey
more

Answers

The last 4. Hope it helps

Olga is working on a class named House. She wants to create a method that returns the value of price. What type of method should she use?

public class House {

private int sqft, bedrooms, bathrooms, number;
private double price;
private string street;

public Street() {

sqft = 1000;
bedrooms = 1;
bathrooms = 1;
street = “Main St.”;
number = 1234;

}

}

A. int
B. string
C. double
D. void

Answers

Answer:

Double as price is of type double

Other Questions
Which of the following is NOT described by adverbs? Pick all that applyA. adjectiveB.verb C. adverbD. noun please help i will mark brainlist How did nationalism contribute to the start of World War I? Factor and write as a product of 2 factors:5. 5*4 + 7*4 = (5+7)46. x*9 + 4*97. r*7 + m*78. (x+4) + (x+4) + (x+4)i will give brainly if you answer question (you could do all of them or not all of them, your choice) Bridgettes market sold 36 avocados one morning. That afternoon 2/7 of the remaining avocados were sold. The number of avocados left was now 1/2 of the number the market had at the beginning of the day. How many avocados were ther at the beginning of the day? the three classifications on the statement of cash flows are cash flows from (select all that apply.) multiple select question. a. financing activities.b. investing activities. c. discontinued activities.d. business activities.e. operating activities. Congratulations! You have been hired by SuperComputers to revamp their customer service call center. Currently, they reward employees who handle the most calls in the shortest amount of time. Employees are discouraged from problem-solving and instead are directed to only do what their told. The CEO of SuperComputers is concerned about this work unit as customers are complaining about poor customer service and unresolved issues. What approach will you take to turn this call center around? What management theory or theories will you use to improve customer service? There are 3 cats in a room and no other creatures. Each cat has 2 ears 4 paws and 1 tail The wording of this sentence tells the reader that this memo is intended toA.confuse the reader.B. raise morale.C. suggest new curriculum.D. sell a product. a nurse is caring for a child who has sickle cell disease: what nursing interventions should the nurse provide? select all that apply:provide hydrationprovide oxygenadminister analgesicsprovide parental supportgive cool baths Somebody help me so I can give yall some points Preliminary Feasibility Questions As discussed in this chapter, a feasibility study for a sports stadium requires forecasting annual attendance and total revenues at the facility. Consider the following hypothetical situation: A small group of men and women in Ventura, California, are interested in building a minor league baseball stadium and moving an existing Single-A franchise to the stadium. They plan to locate the stadium on the edge of Venturas central business district. They would like you to answer a few key questions, given your expertise in sport management. For each response, give the reasons for your answer and the methods you used to arrive at it. Case questions 1. Assuming that the club is average in terms of performance on the field, what would be the expected attendance per season during a typical year (once the "honeymoon effect" has worn away)? 2. What revenue would you expect to be generated from tickets, concessions, parking, and merchandise? 3. What revenues would you expect from naming rights and sponsorship? which laboratory value may indicate hyperfunction of the adrenal gland in a client? sodium: 143 meq/l PLEASEEEE HELPP .. The best alternate headline for this article would beARobots Built to Assemble Puzzles and Play ChessBRobots Built to Behave Like HumansCRobots Built to Boost Future Industrial GrowthDRobots Built to Assist Stroke Patients 1.Compute the mean, median, range, and standard deviation for thecall duration, which the amount of time spent speaking to thecustomers on phone. Interpret these measures of central tendancyand va3.67 The financial services call center in Problem 3.66 also moni- tors call duration, which is the amount of time spent speaking to cus- tomers on the phone. The file CallDuration contains the follow in the united state court system, the defendant is considered innocent until evidence are provided to prove guilty. in our hypothesis testing framework, which term describes the situation that a defendant is guilty but there is no sufficient evidence for a guilty verdict? Explain how the terms and names in each group are related.middle passage, slavery Give Me Liberty or Give Me DeathPatrick Henry It is in vain, sir, to extenuate the matter. Gentlemen may cry, Peace, Peacebut there is no peace. The war is actually begun! The next gale that sweeps from the north will bring to our ears the clash of resounding arms! Our brethren are already in the field! Why stand we here idle? What is it that gentlemen wish? What would they have? Is life so dear, or peace so sweet, as to be purchased at the price of chains and slavery? Forbid it, Almighty God! I know not what course others may take; but as for me, give me liberty or give me death!What effect might the author's use of repeatedly asking questions have on the audience, especially in the last paragraph ? A)The audience is persuaded into actionB)The audience is having its knowledge testedC)The audience does no care about the questionsD)The audience feel that a verbal answer is required*BRAINLIST if right calculate the ph in the anode compartment after 5.00 minutes of electrolysis, assuming a final solution volume in the eudiometer of 80.0 ml. A truck uses 3750 j in 31 Seconds. Find its power